From 3789c90b6e6db3dd1f33496dcd8f1468834ec2ba Mon Sep 17 00:00:00 2001
From: Darlington Kofa <darlington@lidonation.com>
Date: Thu, 9 Jan 2025 19:49:14 +0300
Subject: [PATCH 1/5] feat(annoucement): add annoucement nova resource

---
 application/app/Actions/FillCurrentUserId.php |  21 +
 .../DataTransferObjects/AnnouncementData.php  |   2 +-
 application/app/Models/Announcement.php       |  10 +-
 application/app/Nova/Annoucements.php         | 118 ++++++
 .../app/Observers/AnnouncementObserver.php    |  50 +++
 .../factories/AnnouncementFactory.php         |  14 +-
 .../Announcement/AnnouncementCard.tsx         |   8 +-
 application/resources/types/generated.d.ts    | 396 +++++++++---------
 8 files changed, 398 insertions(+), 221 deletions(-)
 create mode 100644 application/app/Actions/FillCurrentUserId.php
 create mode 100644 application/app/Nova/Annoucements.php
 create mode 100644 application/app/Observers/AnnouncementObserver.php

diff --git a/application/app/Actions/FillCurrentUserId.php b/application/app/Actions/FillCurrentUserId.php
new file mode 100644
index 00000000..4049cb45
--- /dev/null
+++ b/application/app/Actions/FillCurrentUserId.php
@@ -0,0 +1,21 @@
+<?php
+
+declare(strict_types=1);
+
+namespace App\Actions;
+
+use App\Models\Model;
+
+class FillCurrentUserId
+{
+    public function __invoke(Model &$model): void
+    {
+        $this->handle($model);
+    }
+
+    public function handle(Model &$model): void
+    {
+        // Fill the current user id
+        $model->user_id = auth()->id();
+    }
+}
diff --git a/application/app/DataTransferObjects/AnnouncementData.php b/application/app/DataTransferObjects/AnnouncementData.php
index f7cbde88..9835b17a 100644
--- a/application/app/DataTransferObjects/AnnouncementData.php
+++ b/application/app/DataTransferObjects/AnnouncementData.php
@@ -30,7 +30,7 @@ class AnnouncementData extends Data
     public ?string $event_ends_at = null;
 
     #[TypeScriptOptional]
-    public ?array $cta = null;
+    public ?object $cta = null;
 
     public int $user_id;
 
diff --git a/application/app/Models/Announcement.php b/application/app/Models/Announcement.php
index 40ec6673..6eddbc8f 100644
--- a/application/app/Models/Announcement.php
+++ b/application/app/Models/Announcement.php
@@ -4,7 +4,8 @@
 
 namespace App\Models;
 
-use App\Casts\DateFormatCast;
+use App\Observers\AnnouncementObserver;
+use Illuminate\Database\Eloquent\Attributes\ObservedBy;
 use Illuminate\Database\Eloquent\Builder;
 use Illuminate\Database\Eloquent\Casts\Attribute;
 use Illuminate\Database\Eloquent\Prunable;
@@ -13,6 +14,7 @@
 use Spatie\MediaLibrary\InteractsWithMedia;
 use Spatie\MediaLibrary\MediaCollections\Models\Media;
 
+#[ObservedBy([AnnouncementObserver::class])]
 class Announcement extends Model implements HasMedia
 {
     use InteractsWithMedia, Prunable;
@@ -30,9 +32,9 @@ class Announcement extends Model implements HasMedia
     protected function casts(): array
     {
         return [
-            'cta' => 'array',
-            'event_starts_at' => DateFormatCast::class,
-            'event_ends_at' => DateFormatCast::class,
+            'cta' => 'object',
+            'event_starts_at' => 'datetime:Y-m-d',
+            'event_ends_at' => 'datetime:Y-m-d',
         ];
     }
 
diff --git a/application/app/Nova/Annoucements.php b/application/app/Nova/Annoucements.php
new file mode 100644
index 00000000..a8fc7f3c
--- /dev/null
+++ b/application/app/Nova/Annoucements.php
@@ -0,0 +1,118 @@
+<?php
+
+declare(strict_types=1);
+
+namespace App\Nova;
+
+use App\Models\Announcement;
+use Laravel\Nova\Actions\Action;
+use Laravel\Nova\Card;
+use Laravel\Nova\Fields\DateTime;
+use Laravel\Nova\Fields\Field;
+use Laravel\Nova\Fields\ID;
+use Laravel\Nova\Fields\KeyValue;
+use Laravel\Nova\Fields\Markdown;
+use Laravel\Nova\Fields\Text;
+use Laravel\Nova\Filters\Filter;
+use Laravel\Nova\Http\Requests\NovaRequest;
+use Laravel\Nova\Lenses\Lens;
+
+class Annoucements extends Resource
+{
+    public static $perPageViaRelationship = 25;
+
+    /**
+     * The model the resource corresponds to.
+     *
+     * @var class-string<Announcement>
+     */
+    public static $model = Announcement::class;
+
+    /**
+     * The single value that should be used to represent the resource when being displayed.
+     *
+     * @var string
+     */
+    public static $title = 'title';
+
+    public static $perPageOptions = [25, 50, 100, 250];
+
+    /**
+     * The columns that should be searched.
+     *
+     * @var array
+     */
+    public static $search = [
+        'id',
+        'title',
+        'content',
+    ];
+
+    /**
+     * Get the fields displayed by the resource.
+     *
+     * @return array<int, Field>
+     */
+    public function fields(NovaRequest $request): array
+    {
+        return [
+            ID::make()->sortable(),
+            Text::make(__('Title'))
+                ->sortable()
+                ->required(),
+            Text::make(__('Label'))
+                ->sortable(),
+            DateTime::make(__('Starts At'), 'event_starts_at')
+                ->sortable(),
+            DateTime::make(__('Ends At'), 'event_ends_at')
+                ->sortable(),
+            Text::make(__('Context'))
+                ->required(),
+            Markdown::make(__('Content'))
+                ->required(),
+            KeyValue::make(__('CTA'), 'cta')
+                ->rules('json')
+                ->help('looking for link, label, and title entries. Additional fields will be ignored'),
+        ];
+    }
+
+    /**
+     * Get the cards available for the resource.
+     *
+     * @return array<int, Card>
+     */
+    public function cards(NovaRequest $request): array
+    {
+        return [];
+    }
+
+    /**
+     * Get the filters available for the resource.
+     *
+     * @return array<int, Filter>
+     */
+    public function filters(NovaRequest $request): array
+    {
+        return [];
+    }
+
+    /**
+     * Get the lenses available for the resource.
+     *
+     * @return array<int, Lens>
+     */
+    public function lenses(NovaRequest $request): array
+    {
+        return [];
+    }
+
+    /**
+     * Get the actions available for the resource.
+     *
+     * @return array<int, Action>
+     */
+    public function actions(NovaRequest $request): array
+    {
+        return [];
+    }
+}
diff --git a/application/app/Observers/AnnouncementObserver.php b/application/app/Observers/AnnouncementObserver.php
new file mode 100644
index 00000000..163c56ff
--- /dev/null
+++ b/application/app/Observers/AnnouncementObserver.php
@@ -0,0 +1,50 @@
+<?php
+
+declare(strict_types=1);
+
+namespace App\Observers;
+
+use App\Actions\FillCurrentUserId;
+use App\Models\Announcement;
+
+class AnnouncementObserver
+{
+    /** Handle the Announcement "created" event.
+     * @throws \Exception
+     */
+    public function creating(Announcement $announcement): void
+    {
+        app(FillCurrentUserId::class)
+            ->handle($announcement);
+    }
+
+    /** Handle the Announcement "created" event.*/
+    public function created(Announcement $announcement): void
+    {
+        //
+    }
+
+    /** Handle the Announcement "updated" event.*/
+    public function updated(Announcement $announcement): void
+    {
+        //
+    }
+
+    /** Handle the Announcement "deleted" event.*/
+    public function deleted(Announcement $announcement): void
+    {
+        //
+    }
+
+    /** Handle the Announcement "restored" event.*/
+    public function restored(Announcement $announcement): void
+    {
+        //
+    }
+
+    /** Handle the Announcement "force deleted" event.*/
+    public function forceDeleted(Announcement $announcement): void
+    {
+        //
+    }
+}
diff --git a/application/database/factories/AnnouncementFactory.php b/application/database/factories/AnnouncementFactory.php
index 74a0a3ca..99348862 100644
--- a/application/database/factories/AnnouncementFactory.php
+++ b/application/database/factories/AnnouncementFactory.php
@@ -22,15 +22,11 @@ public function definition(): array
             'event_starts_at' => $this->faker->dateTimeBetween('now', '+1 week'),
             'event_ends_at' => $this->faker->dateTimeBetween('+1 week', '+2 weeks'),
             'user_id' => User::factory(),
-            'cta' => collect(range(1, $this->faker->numberBetween(1, 2)))
-                ->map(function () {
-                    return [
-                        'link' => $this->faker->url,
-                        'label' => $this->faker->word,
-                        'title' => $this->faker->sentence,
-                    ];
-                })
-                ->toArray(),
+            'cta' => [
+                'link' => $this->faker->url,
+                'label' => $this->faker->word,
+                'title' => $this->faker->sentence,
+            ],
         ];
     }
 }
diff --git a/application/resources/js/Pages/Home/Partials/Announcement/AnnouncementCard.tsx b/application/resources/js/Pages/Home/Partials/Announcement/AnnouncementCard.tsx
index a62dc06a..cf99b309 100644
--- a/application/resources/js/Pages/Home/Partials/Announcement/AnnouncementCard.tsx
+++ b/application/resources/js/Pages/Home/Partials/Announcement/AnnouncementCard.tsx
@@ -20,7 +20,7 @@ const AnnouncementCard = ({ announcement }: AnnouncementCardProps) => {
     };
 
     const navigateTo = (linkObj: LinkObj) => {
-        const isExternal = linkObj.link.startsWith('http');
+        const isExternal = linkObj.link?.startsWith('http');
         if (isExternal) {
             return (
                 <a
@@ -44,8 +44,6 @@ const AnnouncementCard = ({ announcement }: AnnouncementCardProps) => {
         );
     };
 
-    const firstLink = announcement.cta?.[0] || {};
-
     return (
         <div className="flex flex-col gap-3 rounded-xl bg-background px-3 py-4">
             <div className="flex items-center justify-between">
@@ -63,9 +61,9 @@ const AnnouncementCard = ({ announcement }: AnnouncementCardProps) => {
                 {generateContentPreview(announcement.content)}
             </div>
             <div>
-                {firstLink && (
+                {(
                     <div className="text-4 font-bold text-primary">
-                        {navigateTo(firstLink)}
+                        {navigateTo(announcement.cta as LinkObj)}
                     </div>
                 )}
             </div>
diff --git a/application/resources/types/generated.d.ts b/application/resources/types/generated.d.ts
index 26940921..17100390 100644
--- a/application/resources/types/generated.d.ts
+++ b/application/resources/types/generated.d.ts
@@ -1,204 +1,196 @@
 declare namespace App.DataTransferObjects {
-    export type AnnouncementData = {
-        id: number;
-        title: string;
-        content: string;
-        label?: string;
-        context?: string;
-        event_starts_at?: string;
-        event_ends_at?: string;
-        cta?: Array<any>;
-        user_id: number;
-        hero_image_url: string;
-    };
-    export type CampaignData = {
-        id: number | null;
-        fund_id?: number;
-        title: string | null;
-        meta_title: string | null;
-        slug: string | null;
-        excerpt?: string;
-        comment_prompt?: string;
-        content?: string;
-        amount?: number;
-        created_at: string | null;
-        updated_at: string | null;
-        label?: string;
-        currency: string | null;
-    };
-    export type CommunityData = {
-        id: number | null;
-        title?: string;
-        content?: string;
-        user_id?: number;
-        status?: string;
-        slug?: string;
-        created_at?: string;
-        updated_at?: string;
-        deleted_at?: string;
-    };
-    export type FundData = {
-        id: number;
-        label: string;
-        title: string;
-        hero_img_url?: string;
-        amount?: number;
-        totalAllocated?: number;
-        totalBudget?: number;
-        fundedProjects?: number;
-        totalProjects?: number;
-        percentageChange?: string;
-        projectPercentageChange?: number;
-        proposals_count?: number;
-        meta_title?: string;
-        slug?: string;
-        user_id?: number;
-        excerpt?: string;
-        comment_prompt?: string;
-        content?: string;
-        status?: string;
-        launched_at?: string;
-        awarded_at?: string;
-        color?: string;
-        currency?: string;
-        review_started_at?: string;
-        parent_id?: number;
-    };
-    export type GroupData = {
-        id: number | null;
-        user_id?: number;
-        name?: string;
-        bio?: Array<any>;
-        slug?: string;
-        status?: string;
-        meta_title?: string;
-        website?: string;
-        twitter?: string;
-        discord?: string;
-        github?: string;
-        created_at?: string;
-        updated_at?: string;
-        deleted_at?: string;
-    };
-    export type IdeascaleProfileData = {
-        id: number | null;
-        ideascaleId?: number;
-        username?: string;
-        email?: string;
-        name?: string;
-        bio?: string;
-        createdAt?: string;
-        updatedAt?: string;
-        twitter?: string;
-        linkedin?: string;
-        discord?: string;
-        ideascale?: string;
-        claimedBy?: number;
-        telegram?: string;
-        title?: string;
-        profile_photo_url?: string;
-        co_proposals_count?: number;
-        own_proposals_count?: number;
-        claimed_by?: number;
-        completed_proposals_count?: number;
-        funded_proposals_count?: number;
-        proposals_count?: number;
-    };
-    export type MetricData = {
-        user_id: number | null;
-        title: string;
-        content?: string;
-        status?: string;
-        created_at?: string;
-        updated_at?: string;
-        color?: string;
-        field?: string;
-        type: string;
-        query: string;
-        count_by?: string;
-        chartData?: Array<any>;
-        value?: number;
-        order?: number;
-    };
-    export type PostData = {
-        id: number | null;
-        title: string | null;
-        subtitle: string | null;
-        summary: string | null;
-        hero: any;
-        author_gravatar: string | null;
-        author_name: string | null;
-        link: string;
-        read_time: string | null;
-        type: string | null;
-        published_at?: string;
-    };
-    export type ProposalData = {
-        id: number | null;
-        campaign: App.DataTransferObjects.CampaignData | null;
-        title: string | null;
-        slug: string;
-        website: string | null;
-        excerpt?: string;
-        content?: any;
-        amount_requested: number;
-        amount_received: number | null;
-        definition_of_success?: string;
-        status: string;
-        funding_status: string;
-        funded_at?: string;
-        deleted_at?: string;
-        funding_updated_at?: string;
-        yes_votes_count: number | null;
-        no_votes_count: number | null;
-        abstain_votes_count: number | null;
-        comment_prompt?: string;
-        social_excerpt?: string;
-        ideascale_link?: string;
-        projectcatalyst_io_link?: string;
-        type?: string;
-        meta_title?: string;
-        problem?: string;
-        solution?: string;
-        experience?: string;
-        currency?: string;
-        ranking_total?: number;
-        quickpitch?: string;
-        quickpitch_length?: number;
-        users: any | null;
-        fund: App.DataTransferObjects.FundData | null;
-        opensource: boolean | null;
-        link?: string;
-    };
-    export type ReviewData = {
-        id: number | null;
-        parent_id?: number;
-        user_id?: number;
-        model_id: number;
-        model_type: string;
-        title?: string;
-        content: string;
-        status: string | null;
-        published_at?: string;
-        type: string;
-        ranking_total: number;
-        helpful_total: number;
-        not_helpful_total: number;
-    };
-    export type ReviewModerationData = {
-        id: number | null;
-        reviewer_id?: number;
-        excellent_count: number;
-        good_count: number;
-        filtered_out_count: number;
-        flagged: boolean;
-        qa_rationale?: Array<any>;
-    };
-    export type UserData = {
-        id: number;
-        name: string;
-        email: string;
-        profile_photo_url: string;
-        email_verified_at: string | null;
-    };
+export type AnnouncementData = {
+id: number;
+title: string;
+content: string;
+label?: string;
+context?: string;
+event_starts_at?: string;
+event_ends_at?: string;
+cta?: object;
+user_id: number;
+hero_image_url: string;
+};
+export type CampaignData = {
+id: number | null;
+fund_id?: number;
+title: string | null;
+meta_title: string | null;
+slug: string | null;
+excerpt?: string;
+comment_prompt?: string;
+content?: string;
+amount?: number;
+created_at: string | null;
+updated_at: string | null;
+label?: string;
+currency: string | null;
+};
+export type CommunityData = {
+id: number | null;
+title?: string;
+content?: string;
+user_id?: number;
+status?: string;
+slug?: string;
+created_at?: string;
+updated_at?: string;
+deleted_at?: string;
+};
+export type FundData = {
+amount: number;
+label: string;
+title: string;
+proposals_count?: number;
+meta_title?: string;
+slug?: string;
+user_id?: number;
+excerpt?: string;
+comment_prompt?: string;
+content?: string;
+status?: string;
+launched_at?: string;
+awarded_at?: string;
+color?: string;
+currency?: string;
+review_started_at?: string;
+parent_id?: number;
+};
+export type GroupData = {
+id: number | null;
+user_id?: number;
+name?: string;
+bio?: Array<any>;
+slug?: string;
+status?: string;
+meta_title?: string;
+website?: string;
+twitter?: string;
+discord?: string;
+github?: string;
+created_at?: string;
+updated_at?: string;
+deleted_at?: string;
+};
+export type IdeascaleProfileData = {
+id: number | null;
+ideascaleId?: number;
+username?: string;
+email?: string;
+name?: string;
+bio?: Array<any> | string | null;
+createdAt?: string;
+updatedAt?: string;
+twitter?: string;
+linkedin?: string;
+discord?: string;
+ideascale?: string;
+claimedBy?: number;
+telegram?: string;
+title?: string;
+profile_photo_url?: string;
+co_proposals_count?: number;
+own_proposals_count?: number;
+claimed_by?: number;
+completed_proposals_count?: number;
+funded_proposals_count?: number;
+proposals_count?: number;
+};
+export type MetricData = {
+user_id: number | null;
+title: string;
+content?: string;
+status?: string;
+created_at?: string;
+updated_at?: string;
+color?: string;
+field?: string;
+type: string;
+query: string;
+count_by?: string;
+chartData?: Array<any>;
+value?: number;
+order?: number;
+};
+export type PostData = {
+id: number | null;
+title: string | null;
+subtitle: string | null;
+summary: string | null;
+hero: any;
+author_gravatar: string | null;
+author_name: string | null;
+link: string;
+read_time: string | null;
+type: string | null;
+published_at?: string;
+};
+export type ProposalData = {
+id: number | null;
+campaign: App.DataTransferObjects.CampaignData | null;
+title: string | null;
+slug: string;
+website: string | null;
+excerpt?: string;
+content?: any;
+amount_requested: number;
+amount_received: number | null;
+definition_of_success?: string;
+status: string;
+funding_status: string;
+funded_at?: string;
+deleted_at?: string;
+funding_updated_at?: string;
+yes_votes_count: number | null;
+no_votes_count: number | null;
+abstain_votes_count: number | null;
+comment_prompt?: string;
+social_excerpt?: string;
+ideascale_link?: string;
+projectcatalyst_io_link?: string;
+type?: string;
+meta_title?: string;
+problem?: string;
+solution?: string;
+experience?: string;
+currency?: string;
+ranking_total?: number;
+quickpitch?: string;
+quickpitch_length?: number;
+users: any | null;
+fund: App.DataTransferObjects.FundData | null;
+opensource: boolean | null;
+link?: string;
+};
+export type ReviewData = {
+id: number | null;
+parent_id?: number;
+user_id?: number;
+model_id: number;
+model_type: string;
+title?: string;
+content: string;
+status: string | null;
+published_at?: string;
+type: string;
+ranking_total: number;
+helpful_total: number;
+not_helpful_total: number;
+};
+export type ReviewModerationData = {
+id: number | null;
+reviewer_id?: number;
+excellent_count: number;
+good_count: number;
+filtered_out_count: number;
+flagged: boolean;
+qa_rationale?: Array<any>;
+};
+export type UserData = {
+id: number;
+name: string;
+email: string;
+profile_photo_url: string;
+email_verified_at: string | null;
+};
 }
-- 
GitLab


From 83935ac9c9031dd222903d4e4216a59f8abf719f Mon Sep 17 00:00:00 2001
From: Nashon Juma <nahshonjumaz@gmail.com>
Date: Thu, 9 Jan 2025 16:51:46 +0000
Subject: [PATCH 2/5] Feature/ln 1408 ce filter fund chart

---
 .../js/Pages/Funds/Partials/FundsBarChart.tsx | 65 ++++++++-----------
 1 file changed, 28 insertions(+), 37 deletions(-)

diff --git a/application/resources/js/Pages/Funds/Partials/FundsBarChart.tsx b/application/resources/js/Pages/Funds/Partials/FundsBarChart.tsx
index 310f0f38..56fe29bc 100644
--- a/application/resources/js/Pages/Funds/Partials/FundsBarChart.tsx
+++ b/application/resources/js/Pages/Funds/Partials/FundsBarChart.tsx
@@ -11,6 +11,7 @@ interface FundsBarChartProps {
     totalFundsRequested: any;
     totalFundsAllocated: any;
 }
+
 const FundsBarChart: React.FC<FundsBarChartProps> = ({
     funds,
     fundRounds,
@@ -20,26 +21,37 @@ const FundsBarChart: React.FC<FundsBarChartProps> = ({
     totalFundsAllocated,
 }) => {
     const { t } = useTranslation();
-    const [filters, setFilters] = useState([]);
+
+    const allKeys = [
+        { value: t('funds.totalProposals'), label: t('funds.totalProposals') },
+        { value: t('funds.fundedProposals'), label: t('funds.fundedProposals') },
+        { value: t('funds.completedProposals'), label: t('funds.completedProposals') },
+    ];
+
+    const [filters, setFilters] = useState<string[]>(allKeys.map(key => key.value));
+
+    const handleFilterChange = (selectedItems: string[]) => {
+        setFilters(selectedItems);
+    };
+
+    const activeKeys = filters.length > 0 ? filters : [];
+
     return (
         <div className="rounded-md bg-background p-4 shadow-sm lg:p-16">
             <div className="flex w-full justify-between">
                 <div>
-                    <h6 className="text-2 lg:title-4 font-bold">
-                        {fundRounds}
-                    </h6>
+                    <h6 className="text-2 lg:title-4 font-bold">{fundRounds}</h6>
                     <p className="text-4 lg:text-3 font-bold text-content opacity-75">
                         {t('funds.fundRounds')}
                     </p>
                 </div>
                 <div>
-                    <h6 className="text-2 lg:title-4 font-bold">
-                        {totalProposals.toLocaleString()}
-                    </h6>
+                    <h6 className="text-2 lg:title-4 font-bold">{totalProposals.toLocaleString()}</h6>
                     <p className="text-4 lg:text-3 font-bold text-content opacity-75">
                         {t('funds.totalProposals')}
                     </p>
                 </div>
+
                 <div>
                     <h6 className="text-2 lg:title-4 font-bold">
                         {fundedProposals.toLocaleString()}
@@ -65,25 +77,12 @@ const FundsBarChart: React.FC<FundsBarChartProps> = ({
                     </p>
                 </div>
             </div>
-            {/* flex justify-end gap-8 mt-4 */}
+
             <div className="mt-4 flex justify-end px-12">
                 <Selector
                     isMultiselect={true}
-                    options={[
-                        {
-                            value: t('funds.totalProposals'),
-                            label: 'Total Proposals',
-                        },
-                        {
-                            value: 'funded_proposals',
-                            label: t('funds.fundedProposals'),
-                        },
-                        {
-                            value: 'completed_proposals',
-                            label: t('funds.completedProposals'),
-                        },
-                    ]}
-                    setSelectedItems={setFilters}
+                    options={allKeys}
+                    setSelectedItems={handleFilterChange}
                     selectedItems={filters}
                     placeholder={t('funds.filter')}
                 />
@@ -91,11 +90,7 @@ const FundsBarChart: React.FC<FundsBarChartProps> = ({
             <div style={{ height: '400px' }} className="w-full">
                 <ResponsiveBar
                     data={funds}
-                    keys={[
-                        t('funds.totalProposals'),
-                        t('funds.fundedProposals'),
-                        t('funds.completedProposals'),
-                    ]}
+                    keys={activeKeys}
                     indexBy="fund"
                     margin={{ top: 50, right: 50, bottom: 100, left: 60 }}
                     padding={0.3}
@@ -193,15 +188,11 @@ const FundsBarChart: React.FC<FundsBarChartProps> = ({
                                     {indexValue}
                                 </strong>
                             </p>
-                            <p>
-                                {`${t('funds.totalProposals')} : ${data['Total Proposals']}`}
-                            </p>
-                            <p>
-                                {`${t('funds.fundedProposals')} : ${data['Funded Proposals']}`}
-                            </p>
-                            <p>
-                                {`${t('funds.completedProposals')} : ${data['Completed Proposals']}`}
-                            </p>
+                            {activeKeys.map((key) => (
+                                <p key={key}>
+                                    {`${key} : ${data[key] || 0}`}
+                                </p>
+                            ))}
                         </div>
                     )}
                     animate={true}
-- 
GitLab


From 283de562e5cdb3ac337845802c9e6ff1359c5f6f Mon Sep 17 00:00:00 2001
From: Darlington Wleh <darlington@raddcreative.com>
Date: Thu, 9 Jan 2025 16:52:53 +0000
Subject: [PATCH 3/5] Revert "Merge branch
 'feature/LN-1408-ce-filter-fund-chart' into 'dev'"

This reverts merge request !176
---
 .../js/Pages/Funds/Partials/FundsBarChart.tsx | 65 +++++++++++--------
 1 file changed, 37 insertions(+), 28 deletions(-)

diff --git a/application/resources/js/Pages/Funds/Partials/FundsBarChart.tsx b/application/resources/js/Pages/Funds/Partials/FundsBarChart.tsx
index 56fe29bc..310f0f38 100644
--- a/application/resources/js/Pages/Funds/Partials/FundsBarChart.tsx
+++ b/application/resources/js/Pages/Funds/Partials/FundsBarChart.tsx
@@ -11,7 +11,6 @@ interface FundsBarChartProps {
     totalFundsRequested: any;
     totalFundsAllocated: any;
 }
-
 const FundsBarChart: React.FC<FundsBarChartProps> = ({
     funds,
     fundRounds,
@@ -21,37 +20,26 @@ const FundsBarChart: React.FC<FundsBarChartProps> = ({
     totalFundsAllocated,
 }) => {
     const { t } = useTranslation();
-
-    const allKeys = [
-        { value: t('funds.totalProposals'), label: t('funds.totalProposals') },
-        { value: t('funds.fundedProposals'), label: t('funds.fundedProposals') },
-        { value: t('funds.completedProposals'), label: t('funds.completedProposals') },
-    ];
-
-    const [filters, setFilters] = useState<string[]>(allKeys.map(key => key.value));
-
-    const handleFilterChange = (selectedItems: string[]) => {
-        setFilters(selectedItems);
-    };
-
-    const activeKeys = filters.length > 0 ? filters : [];
-
+    const [filters, setFilters] = useState([]);
     return (
         <div className="rounded-md bg-background p-4 shadow-sm lg:p-16">
             <div className="flex w-full justify-between">
                 <div>
-                    <h6 className="text-2 lg:title-4 font-bold">{fundRounds}</h6>
+                    <h6 className="text-2 lg:title-4 font-bold">
+                        {fundRounds}
+                    </h6>
                     <p className="text-4 lg:text-3 font-bold text-content opacity-75">
                         {t('funds.fundRounds')}
                     </p>
                 </div>
                 <div>
-                    <h6 className="text-2 lg:title-4 font-bold">{totalProposals.toLocaleString()}</h6>
+                    <h6 className="text-2 lg:title-4 font-bold">
+                        {totalProposals.toLocaleString()}
+                    </h6>
                     <p className="text-4 lg:text-3 font-bold text-content opacity-75">
                         {t('funds.totalProposals')}
                     </p>
                 </div>
-
                 <div>
                     <h6 className="text-2 lg:title-4 font-bold">
                         {fundedProposals.toLocaleString()}
@@ -77,12 +65,25 @@ const FundsBarChart: React.FC<FundsBarChartProps> = ({
                     </p>
                 </div>
             </div>
-
+            {/* flex justify-end gap-8 mt-4 */}
             <div className="mt-4 flex justify-end px-12">
                 <Selector
                     isMultiselect={true}
-                    options={allKeys}
-                    setSelectedItems={handleFilterChange}
+                    options={[
+                        {
+                            value: t('funds.totalProposals'),
+                            label: 'Total Proposals',
+                        },
+                        {
+                            value: 'funded_proposals',
+                            label: t('funds.fundedProposals'),
+                        },
+                        {
+                            value: 'completed_proposals',
+                            label: t('funds.completedProposals'),
+                        },
+                    ]}
+                    setSelectedItems={setFilters}
                     selectedItems={filters}
                     placeholder={t('funds.filter')}
                 />
@@ -90,7 +91,11 @@ const FundsBarChart: React.FC<FundsBarChartProps> = ({
             <div style={{ height: '400px' }} className="w-full">
                 <ResponsiveBar
                     data={funds}
-                    keys={activeKeys}
+                    keys={[
+                        t('funds.totalProposals'),
+                        t('funds.fundedProposals'),
+                        t('funds.completedProposals'),
+                    ]}
                     indexBy="fund"
                     margin={{ top: 50, right: 50, bottom: 100, left: 60 }}
                     padding={0.3}
@@ -188,11 +193,15 @@ const FundsBarChart: React.FC<FundsBarChartProps> = ({
                                     {indexValue}
                                 </strong>
                             </p>
-                            {activeKeys.map((key) => (
-                                <p key={key}>
-                                    {`${key} : ${data[key] || 0}`}
-                                </p>
-                            ))}
+                            <p>
+                                {`${t('funds.totalProposals')} : ${data['Total Proposals']}`}
+                            </p>
+                            <p>
+                                {`${t('funds.fundedProposals')} : ${data['Funded Proposals']}`}
+                            </p>
+                            <p>
+                                {`${t('funds.completedProposals')} : ${data['Completed Proposals']}`}
+                            </p>
                         </div>
                     )}
                     animate={true}
-- 
GitLab


From dff5eebf74fae0818f92eac031611e0f57eb91b4 Mon Sep 17 00:00:00 2001
From: Darlington Kofa <darlington@lidonation.com>
Date: Thu, 9 Jan 2025 19:59:14 +0300
Subject: [PATCH 4/5] refactor(charts): cleanup charts

---
 .../js/Pages/Funds/Partials/FundsBarChart.tsx | 65 ++++++++-----------
 1 file changed, 28 insertions(+), 37 deletions(-)

diff --git a/application/resources/js/Pages/Funds/Partials/FundsBarChart.tsx b/application/resources/js/Pages/Funds/Partials/FundsBarChart.tsx
index 310f0f38..56fe29bc 100644
--- a/application/resources/js/Pages/Funds/Partials/FundsBarChart.tsx
+++ b/application/resources/js/Pages/Funds/Partials/FundsBarChart.tsx
@@ -11,6 +11,7 @@ interface FundsBarChartProps {
     totalFundsRequested: any;
     totalFundsAllocated: any;
 }
+
 const FundsBarChart: React.FC<FundsBarChartProps> = ({
     funds,
     fundRounds,
@@ -20,26 +21,37 @@ const FundsBarChart: React.FC<FundsBarChartProps> = ({
     totalFundsAllocated,
 }) => {
     const { t } = useTranslation();
-    const [filters, setFilters] = useState([]);
+
+    const allKeys = [
+        { value: t('funds.totalProposals'), label: t('funds.totalProposals') },
+        { value: t('funds.fundedProposals'), label: t('funds.fundedProposals') },
+        { value: t('funds.completedProposals'), label: t('funds.completedProposals') },
+    ];
+
+    const [filters, setFilters] = useState<string[]>(allKeys.map(key => key.value));
+
+    const handleFilterChange = (selectedItems: string[]) => {
+        setFilters(selectedItems);
+    };
+
+    const activeKeys = filters.length > 0 ? filters : [];
+
     return (
         <div className="rounded-md bg-background p-4 shadow-sm lg:p-16">
             <div className="flex w-full justify-between">
                 <div>
-                    <h6 className="text-2 lg:title-4 font-bold">
-                        {fundRounds}
-                    </h6>
+                    <h6 className="text-2 lg:title-4 font-bold">{fundRounds}</h6>
                     <p className="text-4 lg:text-3 font-bold text-content opacity-75">
                         {t('funds.fundRounds')}
                     </p>
                 </div>
                 <div>
-                    <h6 className="text-2 lg:title-4 font-bold">
-                        {totalProposals.toLocaleString()}
-                    </h6>
+                    <h6 className="text-2 lg:title-4 font-bold">{totalProposals.toLocaleString()}</h6>
                     <p className="text-4 lg:text-3 font-bold text-content opacity-75">
                         {t('funds.totalProposals')}
                     </p>
                 </div>
+
                 <div>
                     <h6 className="text-2 lg:title-4 font-bold">
                         {fundedProposals.toLocaleString()}
@@ -65,25 +77,12 @@ const FundsBarChart: React.FC<FundsBarChartProps> = ({
                     </p>
                 </div>
             </div>
-            {/* flex justify-end gap-8 mt-4 */}
+
             <div className="mt-4 flex justify-end px-12">
                 <Selector
                     isMultiselect={true}
-                    options={[
-                        {
-                            value: t('funds.totalProposals'),
-                            label: 'Total Proposals',
-                        },
-                        {
-                            value: 'funded_proposals',
-                            label: t('funds.fundedProposals'),
-                        },
-                        {
-                            value: 'completed_proposals',
-                            label: t('funds.completedProposals'),
-                        },
-                    ]}
-                    setSelectedItems={setFilters}
+                    options={allKeys}
+                    setSelectedItems={handleFilterChange}
                     selectedItems={filters}
                     placeholder={t('funds.filter')}
                 />
@@ -91,11 +90,7 @@ const FundsBarChart: React.FC<FundsBarChartProps> = ({
             <div style={{ height: '400px' }} className="w-full">
                 <ResponsiveBar
                     data={funds}
-                    keys={[
-                        t('funds.totalProposals'),
-                        t('funds.fundedProposals'),
-                        t('funds.completedProposals'),
-                    ]}
+                    keys={activeKeys}
                     indexBy="fund"
                     margin={{ top: 50, right: 50, bottom: 100, left: 60 }}
                     padding={0.3}
@@ -193,15 +188,11 @@ const FundsBarChart: React.FC<FundsBarChartProps> = ({
                                     {indexValue}
                                 </strong>
                             </p>
-                            <p>
-                                {`${t('funds.totalProposals')} : ${data['Total Proposals']}`}
-                            </p>
-                            <p>
-                                {`${t('funds.fundedProposals')} : ${data['Funded Proposals']}`}
-                            </p>
-                            <p>
-                                {`${t('funds.completedProposals')} : ${data['Completed Proposals']}`}
-                            </p>
+                            {activeKeys.map((key) => (
+                                <p key={key}>
+                                    {`${key} : ${data[key] || 0}`}
+                                </p>
+                            ))}
                         </div>
                     )}
                     animate={true}
-- 
GitLab


From ee9625ad81f7d20bdf783b4f5d5a4a03d550826f Mon Sep 17 00:00:00 2001
From: Darlington Kofa <darlington@lidonation.com>
Date: Thu, 9 Jan 2025 23:08:06 +0300
Subject: [PATCH 5/5] feat(metrics): added mtrics to nova resources

---
 application/app/Actions/FillCurrentUserId.php |   4 +-
 application/app/Models/Metric.php             |  17 +-
 application/app/Nova/Metrics.php              | 164 ++++++++++++++++++
 application/composer.json                     |   1 +
 application/composer.lock                     |  78 +++++++--
 .../database/seeders/DatabaseSeeder.php       |   6 +-
 application/public/vendor/nova/app.css        |   2 +-
 application/public/vendor/nova/app.js         |   2 +-
 .../public/vendor/nova/mix-manifest.json      |   8 +-
 application/public/vendor/nova/ui.js          |   2 +-
 application/public/vendor/nova/vendor.js      |   2 +-
 .../public/vendor/nova/vendor.js.LICENSE.txt  |   2 +-
 12 files changed, 256 insertions(+), 32 deletions(-)
 create mode 100644 application/app/Nova/Metrics.php

diff --git a/application/app/Actions/FillCurrentUserId.php b/application/app/Actions/FillCurrentUserId.php
index 4049cb45..e8b45cf9 100644
--- a/application/app/Actions/FillCurrentUserId.php
+++ b/application/app/Actions/FillCurrentUserId.php
@@ -16,6 +16,8 @@ public function __invoke(Model &$model): void
     public function handle(Model &$model): void
     {
         // Fill the current user id
-        $model->user_id = auth()->id();
+        if (auth()->check()) {
+            $model->user_id = auth()->id();
+        }
     }
 }
diff --git a/application/app/Models/Metric.php b/application/app/Models/Metric.php
index 3a507adb..b33139c2 100644
--- a/application/app/Models/Metric.php
+++ b/application/app/Models/Metric.php
@@ -4,7 +4,6 @@
 
 namespace App\Models;
 
-use App\Casts\DateFormatCast;
 use App\Enums\MetricCountBy;
 use App\Enums\MetricQueryTypes;
 use App\Enums\MetricTypes;
@@ -17,13 +16,13 @@ class Metric extends Model
     protected function casts(): array
     {
         return [
-            'count_by' => MetricCountBy::class,
-            'created_at' => DateFormatCast::class,
+            //            'count_by' => MetricCountBy::class,
+            'created_at' => 'datetime:Y-m-d',
             'order' => 'integer',
-            'query' => MetricQueryTypes::class,
-            'status' => StatusEnum::class,
-            'type' => MetricTypes::class,
-            'updated_at' => DateFormatCast::class,
+            //            'query' => MetricQueryTypes::class,
+            //            'status' => StatusEnum::class, #Not compatible with nova
+            //            'type' => MetricTypes::class,
+            'updated_at' => 'datetime:Y-m-d',
 
         ];
     }
@@ -35,7 +34,7 @@ public function value(): Attribute
                 $modelInstance = new $this->model;
                 $table = $modelInstance->getTable();
                 $builder = call_user_func([$this->model, 'query']);
-                $aggregate = $this->query?->value;
+                $aggregate = $this->query;
                 $field = $this->field;
 
                 return $builder->select(DB::raw("{$aggregate}({$table}.{$field}) as {$aggregate}"))
@@ -52,7 +51,7 @@ public function chartData(): Attribute
                 $modelInstance = new $this->model;
                 $table = $modelInstance->getTable();
                 $builder = call_user_func([$this->model, 'query']);
-                $aggregate = $this->query?->value;
+                $aggregate = $this->query;
                 $field = $this->field;
 
                 if (! $modelInstance instanceof Proposal) {
diff --git a/application/app/Nova/Metrics.php b/application/app/Nova/Metrics.php
new file mode 100644
index 00000000..848cb7ff
--- /dev/null
+++ b/application/app/Nova/Metrics.php
@@ -0,0 +1,164 @@
+<?php
+
+declare(strict_types=1);
+
+namespace App\Nova;
+
+use App\Enums\MetricCountBy;
+use App\Enums\MetricQueryTypes;
+use App\Enums\MetricTypes;
+use App\Enums\StatusEnum;
+use App\Models\Metric;
+use App\Models\Proposal;
+use Laravel\Nova\Actions\Action;
+use Laravel\Nova\Card;
+use Laravel\Nova\Fields\Color;
+use Laravel\Nova\Fields\DateTime;
+use Laravel\Nova\Fields\Field;
+use Laravel\Nova\Fields\ID;
+use Laravel\Nova\Fields\Markdown;
+use Laravel\Nova\Fields\Number;
+use Laravel\Nova\Fields\Select;
+use Laravel\Nova\Fields\Text;
+use Laravel\Nova\Filters\Filter;
+use Laravel\Nova\Http\Requests\NovaRequest;
+use Laravel\Nova\Lenses\Lens;
+
+class Metrics extends Resource
+{
+    public static $perPageViaRelationship = 25;
+
+    /**
+     * The model the resource corresponds to.
+     *
+     * @var class-string<Metric>
+     */
+    public static $model = Metric::class;
+
+    /**
+     * The single value that should be used to represent the resource when being displayed.
+     *
+     * @var string
+     */
+    public static $title = 'title';
+
+    public static $perPageOptions = [25, 50, 100, 250];
+
+    /**
+     * The columns that should be searched.
+     *
+     * @var array
+     */
+    public static $search = [
+        'id',
+        'title',
+        'content',
+    ];
+
+    /**
+     * Get the fields displayed by the resource.
+     *
+     * @return array<int, Field>
+     */
+    public function fields(NovaRequest $request): array
+    {
+        return [
+            ID::make()->sortable(),
+
+            Text::make(__('Title'))
+                ->sortable()
+                ->required(),
+
+            Text::make(__('Field')),
+
+            Color::make(__('Color')),
+
+            Text::make(__('Context'))
+                ->nullable(),
+
+            Select::make(__('Query'), 'query')
+                ->options(
+                    MetricQueryTypes::toArray()
+                )
+                ->required(),
+
+            Select::make(__('Count By'), 'count_by')
+                ->options(
+                    MetricCountBy::toArray()
+                )
+                ->default(MetricCountBy::FUND()->value)
+                ->required(),
+
+            Select::make(__('Model'))
+                ->options([
+                    Proposal::class => 'Proposal',
+                ])
+                ->default(Proposal::class)
+                ->required(),
+
+            Select::make(__('Type'))
+                ->options(
+                    MetricTypes::toArray()
+                )
+                ->required(),
+
+            Number::make(__('Order'))
+                ->required(),
+
+            Select::make(__('Status'), 'status')
+                ->options(
+                    StatusEnum::toArray()
+                )
+                ->required()
+                ->default(StatusEnum::draft()->value),
+
+            DateTime::make(__('Created At'), 'created_at')
+                ->hideWhenCreating()
+                ->hideWhenUpdating()
+                ->sortable(),
+
+            Markdown::make(__('Content'))
+                ->required(),
+        ];
+    }
+
+    /**
+     * Get the cards available for the resource.
+     *
+     * @return array<int, Card>
+     */
+    public function cards(NovaRequest $request): array
+    {
+        return [];
+    }
+
+    /**
+     * Get the filters available for the resource.
+     *
+     * @return array<int, Filter>
+     */
+    public function filters(NovaRequest $request): array
+    {
+        return [];
+    }
+
+    /**
+     * Get the lenses available for the resource.
+     *
+     * @return array<int, Lens>
+     */
+    public function lenses(NovaRequest $request): array
+    {
+        return [];
+    }
+
+    /**
+     * Get the actions available for the resource.
+     *
+     * @return array<int, Action>
+     */
+    public function actions(NovaRequest $request): array
+    {
+        return [];
+    }
+}
diff --git a/application/composer.json b/application/composer.json
index 0fa9bac6..53acbc47 100644
--- a/application/composer.json
+++ b/application/composer.json
@@ -22,6 +22,7 @@
         "saloonphp/laravel-plugin": "^3.0",
         "saloonphp/pagination-plugin": "^2.0",
         "saloonphp/saloon": "^3.0",
+        "simplesquid/nova-enum-field": "^1.0",
         "spatie/laravel-data": "^4.11",
         "spatie/laravel-enum": "^3.1",
         "spatie/laravel-medialibrary": "^11.9",
diff --git a/application/composer.lock b/application/composer.lock
index ef00a450..05d7ef0c 100644
--- a/application/composer.lock
+++ b/application/composer.lock
@@ -4,7 +4,7 @@
         "Read more about it at https://getcomposer.org/doc/01-basic-usage.md#installing-dependencies",
         "This file is @generated automatically"
     ],
-    "content-hash": "2b2239176e914eb6e20dbcc702e85049",
+    "content-hash": "5bdcc8bef5e375657e6b943c2316acc2",
     "packages": [
         {
             "name": "amphp/amp",
@@ -3426,17 +3426,17 @@
         },
         {
             "name": "laravel/nova",
-            "version": "5.0.5",
+            "version": "5.1.1",
             "source": {
                 "type": "git",
                 "url": "git@github.com:laravel/nova.git",
-                "reference": "d3fcdc4baf417f7c91799b13c55436dd34920866"
+                "reference": "389839de0281f79c4f1b9d230ef234184720c8d9"
             },
             "dist": {
                 "type": "zip",
-                "url": "https://nova.laravel.com/dist/laravel/nova/laravel-nova-d3fcdc4baf417f7c91799b13c55436dd34920866-zip-49c485.zip",
-                "reference": "d3fcdc4baf417f7c91799b13c55436dd34920866",
-                "shasum": "3675339402497e45cc74d30251f5898b3ba09273"
+                "url": "https://nova.laravel.com/dist/laravel/nova/laravel-nova-389839de0281f79c4f1b9d230ef234184720c8d9-zip-3d25c7.zip",
+                "reference": "389839de0281f79c4f1b9d230ef234184720c8d9",
+                "shasum": "5b212bb09193c56b086eade56db95c7c980cdab2"
             },
             "require": {
                 "brick/money": "^0.8|^0.9|^0.10",
@@ -3449,6 +3449,7 @@
                 "rap2hpoutre/fast-excel": "^5.4",
                 "spatie/once": "^3.0",
                 "symfony/console": "^6.4.14|^7.0.3",
+                "symfony/deprecation-contracts": "^2.5|^3.0",
                 "symfony/finder": "^6.4.13|^7.0.3",
                 "symfony/polyfill-intl-icu": "^1.31",
                 "symfony/polyfill-php83": "^1.31",
@@ -3473,6 +3474,9 @@
             },
             "type": "library",
             "extra": {
+                "branch-alias": {
+                    "dev-main": "5.x-dev"
+                },
                 "laravel": {
                     "providers": [
                         "Laravel\\Nova\\NovaCoreServiceProvider"
@@ -3586,9 +3590,9 @@
                 "laravel"
             ],
             "support": {
-                "source": "https://github.com/laravel/nova/tree/v5.0.5"
+                "source": "https://github.com/laravel/nova/tree/v5.1.1"
             },
-            "time": "2024-12-22T23:47:53+00:00"
+            "time": "2025-01-09T02:50:13+00:00"
         },
         {
             "name": "laravel/octane",
@@ -7015,6 +7019,60 @@
             ],
             "time": "2024-12-03T00:16:23+00:00"
         },
+        {
+            "name": "simplesquid/nova-enum-field",
+            "version": "v1.0.2",
+            "source": {
+                "type": "git",
+                "url": "https://github.com/simplesquid/nova-enum-field.git",
+                "reference": "a3bf350a41616d210b29cc083267da2c479d1093"
+            },
+            "dist": {
+                "type": "zip",
+                "url": "https://api.github.com/repos/simplesquid/nova-enum-field/zipball/a3bf350a41616d210b29cc083267da2c479d1093",
+                "reference": "a3bf350a41616d210b29cc083267da2c479d1093",
+                "shasum": ""
+            },
+            "require": {
+                "php": ">=7.1.0"
+            },
+            "type": "library",
+            "extra": {
+                "laravel": {
+                    "providers": [
+                        "SimpleSquid\\Nova\\Fields\\Enum\\FieldServiceProvider"
+                    ]
+                }
+            },
+            "autoload": {
+                "psr-4": {
+                    "SimpleSquid\\Nova\\Fields\\Enum\\": "src/"
+                }
+            },
+            "notification-url": "https://packagist.org/downloads/",
+            "license": [
+                "MIT"
+            ],
+            "authors": [
+                {
+                    "name": "Matthew Poulter",
+                    "email": "matthew.poulter@simplesquid.co.za",
+                    "role": "Developer"
+                }
+            ],
+            "description": "A Laravel Nova field for Enums extending on bensampo/laravel-enum.",
+            "keywords": [
+                "enum",
+                "field",
+                "laravel",
+                "nova"
+            ],
+            "support": {
+                "issues": "https://github.com/simplesquid/nova-enum-field/issues",
+                "source": "https://github.com/simplesquid/nova-enum-field/tree/v1.0.2"
+            },
+            "time": "2019-09-07T20:45:17+00:00"
+        },
         {
             "name": "spatie/enum",
             "version": "3.13.0",
@@ -13763,12 +13821,12 @@
     ],
     "aliases": [],
     "minimum-stability": "stable",
-    "stability-flags": [],
+    "stability-flags": {},
     "prefer-stable": true,
     "prefer-lowest": false,
     "platform": {
         "php": "^8.3"
     },
-    "platform-dev": [],
+    "platform-dev": {},
     "plugin-api-version": "2.6.0"
 }
diff --git a/application/database/seeders/DatabaseSeeder.php b/application/database/seeders/DatabaseSeeder.php
index 3d345e0a..a9c5ab70 100644
--- a/application/database/seeders/DatabaseSeeder.php
+++ b/application/database/seeders/DatabaseSeeder.php
@@ -18,15 +18,15 @@ public function run(): void
             RoleSeeder::class,
             PermissionSeeder::class,
             UserSeeder::class,
+            AnnouncementSeeder::class,
+            MetricSeeder::class,
+            IdeascaleProfilesSeeder::class,
             FundSeeder::class,
             CampaignSeeder::class,
-            IdeascaleProfilesSeeder::class,
             ProposalSeeder::class,
             GroupSeeder::class,
             CommunitySeeder::class,
             ReviewSeeder::class,
-            AnnouncementSeeder::class,
-            MetricSeeder::class,
         ];
 
         foreach ($seeders as $seeder) {
diff --git a/application/public/vendor/nova/app.css b/application/public/vendor/nova/app.css
index 15b20f52..b5ab3d0f 100644
--- a/application/public/vendor/nova/app.css
+++ b/application/public/vendor/nova/app.css
@@ -1 +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(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: ;--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(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: ;--tw-contain-size: ;--tw-contain-layout: ;--tw-contain-paint: ;--tw-contain-style: }/*! tailwindcss v3.4.15 | 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;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(--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]:where(:not([hidden=until-found])){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}.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}.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}.toasted.success:is(.dark *){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}.toasted.error:is(.dark *){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}.toasted.\!error:is(.dark *){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}.toasted.info:is(.dark *){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}.toasted.warning:is(.dark *){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:#a7a5b2}.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:#6f6e6a}.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}.form-control:is(.dark *)::-moz-placeholder{color:rgba(var(--colors-gray-600))}.form-control:is(.dark *)::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))}.form-control-bordered:is(.dark *){--tw-ring-color:rgba(var(--colors-gray-100),0.1)}.form-control-bordered-error{--tw-ring-color:rgba(var(--colors-red-400))!important}.form-control-bordered-error:is(.dark *){--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}.form-control:disabled:is(.dark *),.form-control[data-disabled]:is(.dark *){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,1));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}.form-input::-moz-placeholder{color:rgba(var(--colors-gray-400))}.form-input::placeholder{color:rgba(var(--colors-gray-400))}.form-input:is(.dark *){background-color:rgba(var(--colors-gray-900));color:rgba(var(--colors-gray-400))}.form-input:is(.dark *)::-moz-placeholder{color:rgba(var(--colors-gray-500))}.form-input:is(.dark *)::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,1));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}.fake-checkbox:is(.dark *){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}.fake-checkbox:is(.dark *){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,1));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}.checkbox:is(.dark *){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))}.checkbox:is(.dark *){border-color:rgba(var(--colors-gray-700))}.checkbox:focus:is(.dark *){border-color:rgba(var(--colors-gray-500))}.checkbox:disabled{background-color:rgba(var(--colors-gray-300))}.checkbox:disabled:is(.dark *){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}.checkbox:active:is(.dark *),.checkbox:focus:is(.dark *){--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}.relationship-tabs-panel.card .flex-no-shrink.ml-auto.mb-6{margin-bottom:0}.tab-group .tab-menu{--tw-bg-opacity:1;background-color:rgb(255 255 255/var(--tw-bg-opacity,1));border-bottom-width:1px;border-top-left-radius:.5rem;border-top-right-radius:.5rem;margin-left:auto;margin-right:auto;overflow-x:auto;position:relative;z-index:0}.tab-group .tab-menu:is(.dark *){background-color:rgba(var(--colors-gray-800))}.tab-group .tab-menu{display:flex}.tab-group .tab-item{--tw-bg-opacity:1;background-color:rgb(255 255 255/var(--tw-bg-opacity,1));cursor:pointer;flex:1 1 0%;flex-shrink:0;font-weight:600;min-width:-moz-min-content;min-width:min-content;overflow:hidden;padding:1rem;position:relative;text-align:center}[dir=ltr] .tab-group .tab-item:first-child{border-top-left-radius:.5rem}[dir=rtl] .tab-group .tab-item:first-child{border-top-right-radius:.5rem}[dir=ltr] .tab-group .tab-item:last-child{border-top-right-radius:.5rem}[dir=rtl] .tab-group .tab-item:last-child{border-top-left-radius:.5rem}.tab-group .tab-item:hover{background-color:rgba(var(--colors-gray-50))}.tab-group .tab-item:focus{z-index:10}.tab-group .tab-item:is(.dark *){background-color:rgba(var(--colors-gray-800))}.tab-group .tab-item:is(.dark *):hover{background-color:rgba(var(--colors-gray-700))}.tab-group .tab.fields-tab{padding:.5rem 1.5rem}form .tab-group .tab.fields-tab{padding:.5rem 0}.tab-group .tab-card{--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);background-color:rgb(255 255 255/var(--tw-bg-opacity,1));border-bottom-left-radius:.5rem;border-bottom-right-radius:.5rem;border-top-left-radius:.5rem;border-top-right-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)}.tab-group .tab-card:is(.dark *){background-color:rgba(var(--colors-gray-800))}.tab-group .tab h1{display:none}.tab-group h1+.flex{padding:1rem 1rem 0}.tab-group h1+.flex>div.mb-6,.tab-group h1+.flex>div>div.mb-6{margin-bottom:0}.tab-group h1+.flex+div{--tw-shadow:0 0 #0000;--tw-shadow-colored:0 0 #0000;border-bottom-left-radius:.5rem;border-bottom-right-radius:.5rem;border-top-left-radius:0;border-top-right-radius:0;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)}.tab-group .relationship-tab input[type=search][data-role=resource-search-input]{background-color:rgba(var(--colors-gray-100))}.tab-group .relationship-tab input[type=search][data-role=resource-search-input]:is(.dark *){background-color:rgba(var(--colors-gray-900))}.tab-group .relationship-tab input[type=search][data-role=resource-search-input]{--tw-shadow:0 0 #0000;--tw-shadow-colored:0 0 #0000;border-color:rgba(var(--colors-gray-100));border-width:2px;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)}.tab-group .relationship-tab input[type=search][data-role=resource-search-input]:is(.dark *){border-color:rgba(var(--colors-gray-900))}.tab-has-error:after{content:" *"}: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,1))!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}.v-popper--theme-Nova .v-popper__inner:is(.dark *){--tw-text-opacity:1!important;background-color:rgba(var(--colors-gray-900))!important;color:rgb(255 255 255/var(--tw-text-opacity,1))!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,1))!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}.v-popper--theme-tooltip .v-popper__inner:is(.dark *){--tw-text-opacity:1!important;background-color:rgba(var(--colors-gray-900))!important;color:rgb(255 255 255/var(--tw-text-opacity,1))!important}.v-popper--theme-tooltip .v-popper__arrow-outer{--tw-border-opacity:1!important;border-color:rgb(255 255 255/var(--tw-border-opacity,1))!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,1))!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}.v-popper--theme-plain .v-popper__inner:is(.dark *){--tw-text-opacity:1!important;background-color:rgba(var(--colors-gray-900))!important;color:rgb(255 255 255/var(--tw-text-opacity,1))!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))}.link-default:is(.dark *){--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))}.link-default-error:is(.dark *){--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,1))!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}.chartist-tooltip:is(.dark *){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}trix-editor:is(.dark *){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}trix-editor:is(.dark *){--tw-ring-color:rgba(var(--colors-gray-700))}trix-editor:focus:is(.dark *){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}trix-toolbar .trix-button-row .trix-button-group:is(.dark *){border-color:rgba(var(--colors-gray-900))}trix-toolbar .trix-button-row .trix-button-group .trix-button:is(.dark *){background-color:rgba(var(--colors-gray-400));border-color:rgba(var(--colors-gray-900))}trix-toolbar .trix-button-row .trix-button-group .trix-button:hover:is(.dark *){background-color:rgba(var(--colors-gray-300))}trix-toolbar .trix-button-row .trix-button-group .trix-button.trix-active:is(.dark *){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}.CodeMirror:is(.dark *){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}.CodeMirror-cursor:is(.dark *){--tw-border-opacity:1;border-color:rgb(255 255 255/var(--tw-border-opacity,1))}.cm-fat-cursor .CodeMirror-cursor{--tw-text-opacity:1;color:rgb(0 0 0/var(--tw-text-opacity,1))}.cm-fat-cursor .CodeMirror-cursor:is(.dark *){--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity,1))}.cm-s-default .cm-header{color:rgba(var(--colors-gray-600))}.cm-s-default .cm-header:is(.dark *){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))}.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:is(.dark *){color:rgba(var(--colors-gray-300))}.cm-s-default .cm-link,.cm-s-default .cm-url{color:rgba(var(--colors-gray-500))}.cm-s-default .cm-link:is(.dark *),.cm-s-default .cm-url:is(.dark *){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-1{inset:-.25rem}.inset-0{inset:0}.inset-y-0{bottom:0;top: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-\[20px\]{top:20px}.top-\[4px\]{top:4px}.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}.col-span-6{grid-column:span 6/span 6}.col-span-full{grid-column:1/-1}.m-0{margin:0}.-mx-2{margin-left:-.5rem;margin-right:-.5rem}.-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}.my-3{margin-bottom:.75rem;margin-top:.75rem}.-mb-2{margin-bottom:-.5rem}[dir=ltr] .-ml-1{margin-left:-.25rem}[dir=ltr] .-mr-1,[dir=rtl] .-ml-1{margin-right:-.25rem}[dir=rtl] .-mr-1{margin-left:-.25rem}[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-10{margin-bottom:2.5rem}.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}.me-3{margin-inline-end:.75rem}[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-10{margin-top:2.5rem}.mt-2{margin-top:.5rem}.mt-3{margin-top:.75rem}.mt-4{margin-top:1rem}.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-3{height:.75rem!important}.\!h-7{height:1.75rem!important}.\!h-\[50px\]{height:50px!important}.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-3\.5{height:.875rem}.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-3{width:.75rem!important}.\!w-7{width:1.75rem!important}.\!w-\[50px\]{width:50px!important}.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-3\.5{width:.875rem}.w-4{width:1rem}.w-48{width:12rem}.w-5{width:1.25rem}.w-56{width:14rem}.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-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))}.grid-cols-6{grid-template-columns:repeat(6,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-md{border-radius:.375rem}.rounded-none{border-radius:0}.rounded-sm{border-radius:.125rem}.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}.border-b-2{border-bottom-width:2px}[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,1))}.\!border-b-primary-500{border-bottom-color:rgba(var(--colors-primary-500))!important}.border-b-gray-200{border-bottom-color:rgba(var(--colors-gray-200))}.border-b-primary-500{border-bottom-color:rgba(var(--colors-primary-500))}[dir=ltr] .border-l-gray-200{border-left-color:rgba(var(--colors-gray-200))}[dir=ltr] .border-r-gray-200,[dir=rtl] .border-l-gray-200{border-right-color:rgba(var(--colors-gray-200))}[dir=rtl] .border-r-gray-200{border-left-color:rgba(var(--colors-gray-200))}.border-t-gray-200{border-top-color:rgba(var(--colors-gray-200))}.\!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,1))}.bg-blue-100{background-color:rgba(var(--colors-blue-100))}.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-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-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,1))}.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-blue-700\/50{stroke:rgba(var(--colors-blue-700),.5)}.stroke-current{stroke:currentColor}.stroke-gray-600\/50{stroke:rgba(var(--colors-gray-600),.5)}.stroke-green-700\/50{stroke:rgba(var(--colors-green-700),.5)}.stroke-red-600\/50{stroke:rgba(var(--colors-red-600),.5)}.stroke-yellow-700\/50{stroke:rgba(var(--colors-yellow-700),.5)}.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-10{padding-bottom:2.5rem;padding-top:2.5rem}.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-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-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}.pt-6{padding-top:1.5rem}[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-blue-700{color:rgba(var(--colors-blue-700))}.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-green-700{color:rgba(var(--colors-green-700))}.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-red-700{color:rgba(var(--colors-red-700))}.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,1))}.text-yellow-500{color:rgba(var(--colors-yellow-500))}.text-yellow-600{color:rgba(var(--colors-yellow-600))}.text-yellow-800{color:rgba(var(--colors-yellow-800))}.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}.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);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.ring-inset{--tw-ring-inset:inset}.ring-gray-700{--tw-ring-color:rgba(var(--colors-gray-700))}.ring-primary-100{--tw-ring-color:rgba(var(--colors-primary-100))}.ring-primary-200{--tw-ring-color:rgba(var(--colors-primary-200))}.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}.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)}.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-blue-600\/20:hover{background-color:rgba(var(--colors-blue-600),.2)}.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-gray-500\/20:hover{background-color:rgba(var(--colors-gray-500),.2)}.hover\:bg-green-600\/20:hover{background-color:rgba(var(--colors-green-600),.2)}.hover\:bg-primary-400:hover{background-color:rgba(var(--colors-primary-400))}.hover\:bg-red-600\/20:hover{background-color:rgba(var(--colors-red-600),.2)}.hover\:bg-yellow-600\/20:hover{background-color:rgba(var(--colors-yellow-600),.2)}.hover\:fill-gray-700:hover{fill:rgba(var(--colors-gray-700))}.hover\:text-gray-500:hover{color:rgba(var(--colors-gray-500))}.hover\:text-gray-800:hover{color:rgba(var(--colors-gray-800))}.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,1))}.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,1))}.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-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:hover .group-hover\:stroke-blue-700\/75{stroke:rgba(var(--colors-blue-700),.75)}.group:hover .group-hover\:stroke-gray-600\/75{stroke:rgba(var(--colors-gray-600),.75)}.group:hover .group-hover\:stroke-green-700\/75{stroke:rgba(var(--colors-green-700),.75)}.group:hover .group-hover\:stroke-red-600\/75{stroke:rgba(var(--colors-red-600),.75)}.group:hover .group-hover\:stroke-yellow-700\/75{stroke:rgba(var(--colors-yellow-700),.75)}.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}}.dark\:divide-gray-600:is(.dark *)>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-600))}.dark\:divide-gray-700:is(.dark *)>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-700))}.dark\:divide-gray-800:is(.dark *)>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-800))}.dark\:border-b:is(.dark *){border-bottom-width:1px}.dark\:\!border-gray-500:is(.dark *){border-color:rgba(var(--colors-gray-500))!important}.dark\:border-gray-500:is(.dark *){border-color:rgba(var(--colors-gray-500))}.dark\:border-gray-600:is(.dark *){border-color:rgba(var(--colors-gray-600))}.dark\:border-gray-700:is(.dark *){border-color:rgba(var(--colors-gray-700))}.dark\:border-gray-800:is(.dark *){border-color:rgba(var(--colors-gray-800))}.dark\:border-gray-900:is(.dark *){border-color:rgba(var(--colors-gray-900))}.dark\:border-b-gray-700:is(.dark *){border-bottom-color:rgba(var(--colors-gray-700))}[dir=ltr] .dark\:border-l-gray-700:is(.dark *){border-left-color:rgba(var(--colors-gray-700))}[dir=rtl] .dark\:border-l-gray-700:is(.dark *){border-right-color:rgba(var(--colors-gray-700))}[dir=ltr] .dark\:border-r-gray-700:is(.dark *){border-right-color:rgba(var(--colors-gray-700))}[dir=rtl] .dark\:border-r-gray-700:is(.dark *){border-left-color:rgba(var(--colors-gray-700))}.dark\:border-t-gray-700:is(.dark *){border-top-color:rgba(var(--colors-gray-700))}.dark\:\!bg-gray-600:is(.dark *){background-color:rgba(var(--colors-gray-600))!important}.dark\:bg-blue-400:is(.dark *){background-color:rgba(var(--colors-blue-400))}.dark\:bg-gray-400:is(.dark *){background-color:rgba(var(--colors-gray-400))}.dark\:bg-gray-700:is(.dark *){background-color:rgba(var(--colors-gray-700))}.dark\:bg-gray-800:is(.dark *){background-color:rgba(var(--colors-gray-800))}.dark\:bg-gray-800\/75:is(.dark *){background-color:rgba(var(--colors-gray-800),.75)}.dark\:bg-gray-900:is(.dark *){background-color:rgba(var(--colors-gray-900))}.dark\:bg-gray-900\/30:is(.dark *){background-color:rgba(var(--colors-gray-900),.3)}.dark\:bg-gray-900\/75:is(.dark *){background-color:rgba(var(--colors-gray-900),.75)}.dark\:bg-green-300:is(.dark *){background-color:rgba(var(--colors-green-300))}.dark\:bg-green-400:is(.dark *){background-color:rgba(var(--colors-green-400))}.dark\:bg-green-500:is(.dark *){background-color:rgba(var(--colors-green-500))}.dark\:bg-primary-500:is(.dark *){background-color:rgba(var(--colors-primary-500))}.dark\:bg-red-400:is(.dark *){background-color:rgba(var(--colors-red-400))}.dark\:bg-sky-600:is(.dark *){background-color:rgba(var(--colors-sky-600))}.dark\:bg-transparent:is(.dark *){background-color:transparent}.dark\:bg-yellow-300:is(.dark *){background-color:rgba(var(--colors-yellow-300))}.dark\:bg-yellow-400:is(.dark *){background-color:rgba(var(--colors-yellow-400))}.dark\:fill-gray-300:is(.dark *){fill:rgba(var(--colors-gray-300))}.dark\:fill-gray-400:is(.dark *){fill:rgba(var(--colors-gray-400))}.dark\:fill-gray-500:is(.dark *){fill:rgba(var(--colors-gray-500))}.dark\:stroke-blue-800:is(.dark *){stroke:rgba(var(--colors-blue-800))}.dark\:stroke-gray-800:is(.dark *){stroke:rgba(var(--colors-gray-800))}.dark\:stroke-green-800:is(.dark *){stroke:rgba(var(--colors-green-800))}.dark\:stroke-red-800:is(.dark *){stroke:rgba(var(--colors-red-800))}.dark\:stroke-yellow-800:is(.dark *){stroke:rgba(var(--colors-yellow-800))}.dark\:text-blue-900:is(.dark *){color:rgba(var(--colors-blue-900))}.dark\:text-gray-100:is(.dark *){color:rgba(var(--colors-gray-100))}.dark\:text-gray-200:is(.dark *){color:rgba(var(--colors-gray-200))}.dark\:text-gray-400:is(.dark *){color:rgba(var(--colors-gray-400))}.dark\:text-gray-500:is(.dark *){color:rgba(var(--colors-gray-500))}.dark\:text-gray-600:is(.dark *){color:rgba(var(--colors-gray-600))}.dark\:text-gray-700:is(.dark *){color:rgba(var(--colors-gray-700))}.dark\:text-gray-800:is(.dark *){color:rgba(var(--colors-gray-800))}.dark\:text-gray-900:is(.dark *){color:rgba(var(--colors-gray-900))}.dark\:text-green-900:is(.dark *){color:rgba(var(--colors-green-900))}.dark\:text-primary-500:is(.dark *){color:rgba(var(--colors-primary-500))}.dark\:text-primary-600:is(.dark *){color:rgba(var(--colors-primary-600))}.dark\:text-red-900:is(.dark *){color:rgba(var(--colors-red-900))}.dark\:text-red-950:is(.dark *){color:rgba(var(--colors-red-950))}.dark\:text-sky-900:is(.dark *){color:rgba(var(--colors-sky-900))}.dark\:text-white:is(.dark *){--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity,1))}.dark\:text-yellow-800:is(.dark *){color:rgba(var(--colors-yellow-800))}.dark\:text-yellow-900:is(.dark *){color:rgba(var(--colors-yellow-900))}.dark\:opacity-100:is(.dark *){opacity:1}.dark\:ring-gray-600:is(.dark *){--tw-ring-color:rgba(var(--colors-gray-600))}.dark\:ring-gray-700:is(.dark *){--tw-ring-color:rgba(var(--colors-gray-700))}.dark\:hover\:border-gray-400:hover:is(.dark *){border-color:rgba(var(--colors-gray-400))}.dark\:hover\:border-gray-600:hover:is(.dark *){border-color:rgba(var(--colors-gray-600))}.dark\:hover\:bg-gray-700:hover:is(.dark *){background-color:rgba(var(--colors-gray-700))}.dark\:hover\:bg-gray-800:hover:is(.dark *){background-color:rgba(var(--colors-gray-800))}.dark\:hover\:bg-gray-900:hover:is(.dark *){background-color:rgba(var(--colors-gray-900))}.dark\:hover\:fill-gray-600:hover:is(.dark *){fill:rgba(var(--colors-gray-600))}.dark\:hover\:text-gray-300:hover:is(.dark *){color:rgba(var(--colors-gray-300))}.dark\:hover\:text-gray-400:hover:is(.dark *){color:rgba(var(--colors-gray-400))}.hover\:dark\:text-gray-200:is(.dark *):hover{color:rgba(var(--colors-gray-200))}.dark\:hover\:opacity-50:hover:is(.dark *){opacity:.5}.dark\:focus\:bg-gray-800:focus:is(.dark *){background-color:rgba(var(--colors-gray-800))}.dark\:focus\:bg-gray-900:focus:is(.dark *){background-color:rgba(var(--colors-gray-900))}.dark\:focus\:ring-gray-600:focus:is(.dark *){--tw-ring-color:rgba(var(--colors-gray-600))}.dark\:focus\:ring-offset-gray-800:focus:is(.dark *){--tw-ring-offset-color:rgba(var(--colors-gray-800))}.dark\:focus\:ring-offset-gray-900:focus:is(.dark *){--tw-ring-offset-color:rgba(var(--colors-gray-900))}.dark\:active\:border-gray-300:active:is(.dark *){border-color:rgba(var(--colors-gray-300))}.dark\:active\:text-gray-500:active:is(.dark *){color:rgba(var(--colors-gray-500))}.dark\:active\:text-gray-600:active:is(.dark *){color:rgba(var(--colors-gray-600))}.dark\:enabled\:bg-gray-950:enabled:is(.dark *){background-color:rgba(var(--colors-gray-950))}.dark\:enabled\:text-gray-400:enabled:is(.dark *){color:rgba(var(--colors-gray-400))}.dark\:enabled\:hover\:text-gray-300:hover:enabled:is(.dark *){color:rgba(var(--colors-gray-300))}.group:hover .dark\:group-hover\:bg-gray-900:is(.dark *){background-color:rgba(var(--colors-gray-900))}.group:hover .dark\:group-hover\:stroke-blue-800:is(.dark *){stroke:rgba(var(--colors-blue-800))}.group:hover .dark\:group-hover\:stroke-gray-800:is(.dark *){stroke:rgba(var(--colors-gray-800))}.group:hover .dark\:group-hover\:stroke-green-800:is(.dark *){stroke:rgba(var(--colors-green-800))}.group:hover .dark\:group-hover\:stroke-red-800:is(.dark *){stroke:rgba(var(--colors-red-800))}.group:hover .dark\:group-hover\:stroke-yellow-800:is(.dark *){stroke:rgba(var(--colors-yellow-800))}.group[data-focus] .group-data-\[focus\]\:dark\:ring-offset-gray-950:is(.dark *){--tw-ring-offset-color:rgba(var(--colors-gray-950))}@media (min-width:640px){.sm\:col-span-4{grid-column:span 4/span 4}.sm\:mt-0{margin-top:0}.sm\:px-0{padding-left:0;padding-right:0}.sm\:px-6{padding-left:1.5rem;padding-right:1.5rem}.sm\:px-8{padding-left:2rem;padding-right:2rem}}@media (min-width:768px){.md\:col-span-1{grid-column:span 1/span 1}.md\:col-span-12{grid-column:span 12/span 12}.md\:col-span-2{grid-column:span 2/span 2}.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\:grid-cols-3{grid-template-columns:repeat(3,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\:gap-6{gap:1.5rem}.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-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}.lg\:px-8{padding-left:2rem;padding-right:2rem}}.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))}.dark\:hover\:\[\&\:not\(\:disabled\)\]\:bg-gray-950:not(:disabled):hover:is(.dark *){background-color:rgba(var(--colors-gray-950))}.dark\:hover\:\[\&\:not\(\:disabled\)\]\:text-primary-500:not(:disabled):hover:is(.dark *){color:rgba(var(--colors-primary-500))}
+*,: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: ;--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(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: ;--tw-contain-size: ;--tw-contain-layout: ;--tw-contain-paint: ;--tw-contain-style: }/*! tailwindcss v3.4.17 | 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;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(--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]:where(:not([hidden=until-found])){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}.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}.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}.toasted.success:is(.dark *){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}.toasted.error:is(.dark *){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}.toasted.\!error:is(.dark *){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}.toasted.info:is(.dark *){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}.toasted.warning:is(.dark *){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:#a7a5b2}.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:#6f6e6a}.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}.form-control:is(.dark *)::-moz-placeholder{color:rgba(var(--colors-gray-600))}.form-control:is(.dark *)::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))}.form-control-bordered:is(.dark *){--tw-ring-color:rgba(var(--colors-gray-100),0.1)}.form-control-bordered-error{--tw-ring-color:rgba(var(--colors-red-400))!important}.form-control-bordered-error:is(.dark *){--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}.form-control:disabled:is(.dark *),.form-control[data-disabled]:is(.dark *){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,1));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}.form-input::-moz-placeholder{color:rgba(var(--colors-gray-400))}.form-input::placeholder{color:rgba(var(--colors-gray-400))}.form-input:is(.dark *){background-color:rgba(var(--colors-gray-900));color:rgba(var(--colors-gray-400))}.form-input:is(.dark *)::-moz-placeholder{color:rgba(var(--colors-gray-500))}.form-input:is(.dark *)::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,1));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}.fake-checkbox:is(.dark *){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}.fake-checkbox:is(.dark *){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,1));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}.checkbox:is(.dark *){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))}.checkbox:is(.dark *){border-color:rgba(var(--colors-gray-700))}.checkbox:focus:is(.dark *){border-color:rgba(var(--colors-gray-500))}.checkbox:disabled{background-color:rgba(var(--colors-gray-300))}.checkbox:disabled:is(.dark *){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}.checkbox:active:is(.dark *),.checkbox:focus:is(.dark *){--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}.relationship-tabs-panel.card .flex-no-shrink.ml-auto.mb-6{margin-bottom:0}.tab-group .tab-menu{--tw-bg-opacity:1;background-color:rgb(255 255 255/var(--tw-bg-opacity,1));border-bottom-width:1px;border-top-left-radius:.5rem;border-top-right-radius:.5rem;margin-left:auto;margin-right:auto;overflow-x:auto;position:relative;z-index:0}.tab-group .tab-menu:is(.dark *){background-color:rgba(var(--colors-gray-800))}.tab-group .tab-menu{display:flex}.tab-group .tab-item{--tw-bg-opacity:1;background-color:rgb(255 255 255/var(--tw-bg-opacity,1));cursor:pointer;flex:1 1 0%;flex-shrink:0;font-weight:600;min-width:-moz-min-content;min-width:min-content;overflow:hidden;padding:1rem;position:relative;text-align:center}[dir=ltr] .tab-group .tab-item:first-child{border-top-left-radius:.5rem}[dir=rtl] .tab-group .tab-item:first-child{border-top-right-radius:.5rem}[dir=ltr] .tab-group .tab-item:last-child{border-top-right-radius:.5rem}[dir=rtl] .tab-group .tab-item:last-child{border-top-left-radius:.5rem}.tab-group .tab-item:hover{background-color:rgba(var(--colors-gray-50))}.tab-group .tab-item:focus{z-index:10}.tab-group .tab-item:is(.dark *){background-color:rgba(var(--colors-gray-800))}.tab-group .tab-item:is(.dark *):hover{background-color:rgba(var(--colors-gray-700))}.tab-group .tab.fields-tab{padding:.5rem 1.5rem}form .tab-group .tab.fields-tab{padding:.5rem 0}.tab-group .tab-card{--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);background-color:rgb(255 255 255/var(--tw-bg-opacity,1));border-bottom-left-radius:.5rem;border-bottom-right-radius:.5rem;border-top-left-radius:.5rem;border-top-right-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)}.tab-group .tab-card:is(.dark *){background-color:rgba(var(--colors-gray-800))}.tab-group .tab h1{display:none}.tab-group h1+.flex{padding:1rem 1rem 0}.tab-group h1+.flex>div.mb-6,.tab-group h1+.flex>div>div.mb-6{margin-bottom:0}.tab-group h1+.flex+div{--tw-shadow:0 0 #0000;--tw-shadow-colored:0 0 #0000;border-bottom-left-radius:.5rem;border-bottom-right-radius:.5rem;border-top-left-radius:0;border-top-right-radius:0;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)}.tab-group .relationship-tab input[type=search][data-role=resource-search-input]{background-color:rgba(var(--colors-gray-100))}.tab-group .relationship-tab input[type=search][data-role=resource-search-input]:is(.dark *){background-color:rgba(var(--colors-gray-900))}.tab-group .relationship-tab input[type=search][data-role=resource-search-input]{--tw-shadow:0 0 #0000;--tw-shadow-colored:0 0 #0000;border-color:rgba(var(--colors-gray-100));border-width:2px;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)}.tab-group .relationship-tab input[type=search][data-role=resource-search-input]:is(.dark *){border-color:rgba(var(--colors-gray-900))}.tab-has-error:after{content:" *"}: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,1))!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}.v-popper--theme-Nova .v-popper__inner:is(.dark *){--tw-text-opacity:1!important;background-color:rgba(var(--colors-gray-900))!important;color:rgb(255 255 255/var(--tw-text-opacity,1))!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,1))!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}.v-popper--theme-tooltip .v-popper__inner:is(.dark *){--tw-text-opacity:1!important;background-color:rgba(var(--colors-gray-900))!important;color:rgb(255 255 255/var(--tw-text-opacity,1))!important}.v-popper--theme-tooltip .v-popper__arrow-outer{--tw-border-opacity:1!important;border-color:rgb(255 255 255/var(--tw-border-opacity,1))!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,1))!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}.v-popper--theme-plain .v-popper__inner:is(.dark *){--tw-text-opacity:1!important;background-color:rgba(var(--colors-gray-900))!important;color:rgb(255 255 255/var(--tw-text-opacity,1))!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))}.link-default:is(.dark *){--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))}.link-default-error:is(.dark *){--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,1))!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}.chartist-tooltip:is(.dark *){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}trix-editor:is(.dark *){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}trix-editor:is(.dark *){--tw-ring-color:rgba(var(--colors-gray-700))}trix-editor:focus:is(.dark *){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}trix-toolbar .trix-button-row .trix-button-group:is(.dark *){border-color:rgba(var(--colors-gray-900))}trix-toolbar .trix-button-row .trix-button-group .trix-button:is(.dark *){background-color:rgba(var(--colors-gray-400));border-color:rgba(var(--colors-gray-900))}trix-toolbar .trix-button-row .trix-button-group .trix-button:hover:is(.dark *){background-color:rgba(var(--colors-gray-300))}trix-toolbar .trix-button-row .trix-button-group .trix-button.trix-active:is(.dark *){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}.CodeMirror:is(.dark *){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}.CodeMirror-cursor:is(.dark *){--tw-border-opacity:1;border-color:rgb(255 255 255/var(--tw-border-opacity,1))}.cm-fat-cursor .CodeMirror-cursor{--tw-text-opacity:1;color:rgb(0 0 0/var(--tw-text-opacity,1))}.cm-fat-cursor .CodeMirror-cursor:is(.dark *){--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity,1))}.cm-s-default .cm-header{color:rgba(var(--colors-gray-600))}.cm-s-default .cm-header:is(.dark *){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))}.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:is(.dark *){color:rgba(var(--colors-gray-300))}.cm-s-default .cm-link,.cm-s-default .cm-url{color:rgba(var(--colors-gray-500))}.cm-s-default .cm-link:is(.dark *),.cm-s-default .cm-url:is(.dark *){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-1{inset:-.25rem}.inset-0{inset:0}.inset-y-0{bottom:0;top: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-\[20px\]{top:20px}.top-\[4px\]{top:4px}.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}.col-span-6{grid-column:span 6/span 6}.col-span-full{grid-column:1/-1}.m-0{margin:0}.-mx-2{margin-left:-.5rem;margin-right:-.5rem}.-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}.my-3{margin-bottom:.75rem;margin-top:.75rem}.-mb-2{margin-bottom:-.5rem}[dir=ltr] .-ml-1{margin-left:-.25rem}[dir=ltr] .-mr-1,[dir=rtl] .-ml-1{margin-right:-.25rem}[dir=rtl] .-mr-1{margin-left:-.25rem}[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-10{margin-bottom:2.5rem}.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}.me-3{margin-inline-end:.75rem}[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-10{margin-top:2.5rem}.mt-2{margin-top:.5rem}.mt-3{margin-top:.75rem}.mt-4{margin-top:1rem}.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-3{height:.75rem!important}.\!h-7{height:1.75rem!important}.\!h-\[50px\]{height:50px!important}.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-3\.5{height:.875rem}.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-3{width:.75rem!important}.\!w-7{width:1.75rem!important}.\!w-\[50px\]{width:50px!important}.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-3\.5{width:.875rem}.w-4{width:1rem}.w-48{width:12rem}.w-5{width:1.25rem}.w-56{width:14rem}.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-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))}.grid-cols-6{grid-template-columns:repeat(6,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-md{border-radius:.375rem}.rounded-none{border-radius:0}.rounded-sm{border-radius:.125rem}.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}.border-b-2{border-bottom-width:2px}[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,1))}.\!border-b-primary-500{border-bottom-color:rgba(var(--colors-primary-500))!important}.\!border-b-red-500{border-bottom-color:rgba(var(--colors-red-500))!important}.border-b-gray-200{border-bottom-color:rgba(var(--colors-gray-200))}[dir=ltr] .border-l-gray-200{border-left-color:rgba(var(--colors-gray-200))}[dir=ltr] .border-r-gray-200,[dir=rtl] .border-l-gray-200{border-right-color:rgba(var(--colors-gray-200))}[dir=rtl] .border-r-gray-200{border-left-color:rgba(var(--colors-gray-200))}.border-t-gray-200{border-top-color:rgba(var(--colors-gray-200))}.\!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,1))}.bg-blue-100{background-color:rgba(var(--colors-blue-100))}.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-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-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,1))}.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-blue-700\/50{stroke:rgba(var(--colors-blue-700),.5)}.stroke-current{stroke:currentColor}.stroke-gray-600\/50{stroke:rgba(var(--colors-gray-600),.5)}.stroke-green-700\/50{stroke:rgba(var(--colors-green-700),.5)}.stroke-red-600\/50{stroke:rgba(var(--colors-red-600),.5)}.stroke-yellow-700\/50{stroke:rgba(var(--colors-yellow-700),.5)}.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-10{padding-bottom:2.5rem;padding-top:2.5rem}.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-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-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}.pt-6{padding-top:1.5rem}[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-red-500{color:rgba(var(--colors-red-500))!important}.text-blue-700{color:rgba(var(--colors-blue-700))}.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-green-700{color:rgba(var(--colors-green-700))}.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-red-700{color:rgba(var(--colors-red-700))}.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,1))}.text-yellow-500{color:rgba(var(--colors-yellow-500))}.text-yellow-600{color:rgba(var(--colors-yellow-600))}.text-yellow-800{color:rgba(var(--colors-yellow-800))}.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}.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);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.ring-inset{--tw-ring-inset:inset}.ring-gray-700{--tw-ring-color:rgba(var(--colors-gray-700))}.ring-primary-100{--tw-ring-color:rgba(var(--colors-primary-100))}.ring-primary-200{--tw-ring-color:rgba(var(--colors-primary-200))}.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}.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)}.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-blue-600\/20:hover{background-color:rgba(var(--colors-blue-600),.2)}.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-gray-500\/20:hover{background-color:rgba(var(--colors-gray-500),.2)}.hover\:bg-green-600\/20:hover{background-color:rgba(var(--colors-green-600),.2)}.hover\:bg-primary-400:hover{background-color:rgba(var(--colors-primary-400))}.hover\:bg-red-600\/20:hover{background-color:rgba(var(--colors-red-600),.2)}.hover\:bg-yellow-600\/20:hover{background-color:rgba(var(--colors-yellow-600),.2)}.hover\:fill-gray-700:hover{fill:rgba(var(--colors-gray-700))}.hover\:text-gray-500:hover{color:rgba(var(--colors-gray-500))}.hover\:text-gray-800:hover{color:rgba(var(--colors-gray-800))}.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,1))}.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,1))}.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-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:hover .group-hover\:stroke-blue-700\/75{stroke:rgba(var(--colors-blue-700),.75)}.group:hover .group-hover\:stroke-gray-600\/75{stroke:rgba(var(--colors-gray-600),.75)}.group:hover .group-hover\:stroke-green-700\/75{stroke:rgba(var(--colors-green-700),.75)}.group:hover .group-hover\:stroke-red-600\/75{stroke:rgba(var(--colors-red-600),.75)}.group:hover .group-hover\:stroke-yellow-700\/75{stroke:rgba(var(--colors-yellow-700),.75)}.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}}.dark\:divide-gray-600:is(.dark *)>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-600))}.dark\:divide-gray-700:is(.dark *)>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-700))}.dark\:divide-gray-800:is(.dark *)>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-800))}.dark\:border-b:is(.dark *){border-bottom-width:1px}.dark\:\!border-gray-500:is(.dark *){border-color:rgba(var(--colors-gray-500))!important}.dark\:border-gray-500:is(.dark *){border-color:rgba(var(--colors-gray-500))}.dark\:border-gray-600:is(.dark *){border-color:rgba(var(--colors-gray-600))}.dark\:border-gray-700:is(.dark *){border-color:rgba(var(--colors-gray-700))}.dark\:border-gray-800:is(.dark *){border-color:rgba(var(--colors-gray-800))}.dark\:border-gray-900:is(.dark *){border-color:rgba(var(--colors-gray-900))}.dark\:border-b-gray-700:is(.dark *){border-bottom-color:rgba(var(--colors-gray-700))}[dir=ltr] .dark\:border-l-gray-700:is(.dark *){border-left-color:rgba(var(--colors-gray-700))}[dir=rtl] .dark\:border-l-gray-700:is(.dark *){border-right-color:rgba(var(--colors-gray-700))}[dir=ltr] .dark\:border-r-gray-700:is(.dark *){border-right-color:rgba(var(--colors-gray-700))}[dir=rtl] .dark\:border-r-gray-700:is(.dark *){border-left-color:rgba(var(--colors-gray-700))}.dark\:border-t-gray-700:is(.dark *){border-top-color:rgba(var(--colors-gray-700))}.dark\:\!bg-gray-600:is(.dark *){background-color:rgba(var(--colors-gray-600))!important}.dark\:bg-blue-400:is(.dark *){background-color:rgba(var(--colors-blue-400))}.dark\:bg-gray-400:is(.dark *){background-color:rgba(var(--colors-gray-400))}.dark\:bg-gray-700:is(.dark *){background-color:rgba(var(--colors-gray-700))}.dark\:bg-gray-800:is(.dark *){background-color:rgba(var(--colors-gray-800))}.dark\:bg-gray-800\/75:is(.dark *){background-color:rgba(var(--colors-gray-800),.75)}.dark\:bg-gray-900:is(.dark *){background-color:rgba(var(--colors-gray-900))}.dark\:bg-gray-900\/30:is(.dark *){background-color:rgba(var(--colors-gray-900),.3)}.dark\:bg-gray-900\/75:is(.dark *){background-color:rgba(var(--colors-gray-900),.75)}.dark\:bg-green-300:is(.dark *){background-color:rgba(var(--colors-green-300))}.dark\:bg-green-400:is(.dark *){background-color:rgba(var(--colors-green-400))}.dark\:bg-green-500:is(.dark *){background-color:rgba(var(--colors-green-500))}.dark\:bg-primary-500:is(.dark *){background-color:rgba(var(--colors-primary-500))}.dark\:bg-red-400:is(.dark *){background-color:rgba(var(--colors-red-400))}.dark\:bg-sky-600:is(.dark *){background-color:rgba(var(--colors-sky-600))}.dark\:bg-transparent:is(.dark *){background-color:transparent}.dark\:bg-yellow-300:is(.dark *){background-color:rgba(var(--colors-yellow-300))}.dark\:bg-yellow-400:is(.dark *){background-color:rgba(var(--colors-yellow-400))}.dark\:fill-gray-300:is(.dark *){fill:rgba(var(--colors-gray-300))}.dark\:fill-gray-400:is(.dark *){fill:rgba(var(--colors-gray-400))}.dark\:fill-gray-500:is(.dark *){fill:rgba(var(--colors-gray-500))}.dark\:stroke-blue-800:is(.dark *){stroke:rgba(var(--colors-blue-800))}.dark\:stroke-gray-800:is(.dark *){stroke:rgba(var(--colors-gray-800))}.dark\:stroke-green-800:is(.dark *){stroke:rgba(var(--colors-green-800))}.dark\:stroke-red-800:is(.dark *){stroke:rgba(var(--colors-red-800))}.dark\:stroke-yellow-800:is(.dark *){stroke:rgba(var(--colors-yellow-800))}.dark\:text-blue-900:is(.dark *){color:rgba(var(--colors-blue-900))}.dark\:text-gray-100:is(.dark *){color:rgba(var(--colors-gray-100))}.dark\:text-gray-200:is(.dark *){color:rgba(var(--colors-gray-200))}.dark\:text-gray-400:is(.dark *){color:rgba(var(--colors-gray-400))}.dark\:text-gray-500:is(.dark *){color:rgba(var(--colors-gray-500))}.dark\:text-gray-600:is(.dark *){color:rgba(var(--colors-gray-600))}.dark\:text-gray-700:is(.dark *){color:rgba(var(--colors-gray-700))}.dark\:text-gray-800:is(.dark *){color:rgba(var(--colors-gray-800))}.dark\:text-gray-900:is(.dark *){color:rgba(var(--colors-gray-900))}.dark\:text-green-900:is(.dark *){color:rgba(var(--colors-green-900))}.dark\:text-primary-500:is(.dark *){color:rgba(var(--colors-primary-500))}.dark\:text-primary-600:is(.dark *){color:rgba(var(--colors-primary-600))}.dark\:text-red-900:is(.dark *){color:rgba(var(--colors-red-900))}.dark\:text-red-950:is(.dark *){color:rgba(var(--colors-red-950))}.dark\:text-sky-900:is(.dark *){color:rgba(var(--colors-sky-900))}.dark\:text-white:is(.dark *){--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity,1))}.dark\:text-yellow-800:is(.dark *){color:rgba(var(--colors-yellow-800))}.dark\:text-yellow-900:is(.dark *){color:rgba(var(--colors-yellow-900))}.dark\:opacity-100:is(.dark *){opacity:1}.dark\:ring-gray-600:is(.dark *){--tw-ring-color:rgba(var(--colors-gray-600))}.dark\:ring-gray-700:is(.dark *){--tw-ring-color:rgba(var(--colors-gray-700))}.dark\:hover\:border-gray-400:hover:is(.dark *){border-color:rgba(var(--colors-gray-400))}.dark\:hover\:border-gray-600:hover:is(.dark *){border-color:rgba(var(--colors-gray-600))}.dark\:hover\:bg-gray-700:hover:is(.dark *){background-color:rgba(var(--colors-gray-700))}.dark\:hover\:bg-gray-800:hover:is(.dark *){background-color:rgba(var(--colors-gray-800))}.dark\:hover\:bg-gray-900:hover:is(.dark *){background-color:rgba(var(--colors-gray-900))}.dark\:hover\:fill-gray-600:hover:is(.dark *){fill:rgba(var(--colors-gray-600))}.dark\:hover\:text-gray-300:hover:is(.dark *){color:rgba(var(--colors-gray-300))}.dark\:hover\:text-gray-400:hover:is(.dark *){color:rgba(var(--colors-gray-400))}.hover\:dark\:text-gray-200:is(.dark *):hover{color:rgba(var(--colors-gray-200))}.dark\:hover\:opacity-50:hover:is(.dark *){opacity:.5}.dark\:focus\:bg-gray-800:focus:is(.dark *){background-color:rgba(var(--colors-gray-800))}.dark\:focus\:bg-gray-900:focus:is(.dark *){background-color:rgba(var(--colors-gray-900))}.dark\:focus\:ring-gray-600:focus:is(.dark *){--tw-ring-color:rgba(var(--colors-gray-600))}.dark\:focus\:ring-offset-gray-800:focus:is(.dark *){--tw-ring-offset-color:rgba(var(--colors-gray-800))}.dark\:focus\:ring-offset-gray-900:focus:is(.dark *){--tw-ring-offset-color:rgba(var(--colors-gray-900))}.dark\:active\:border-gray-300:active:is(.dark *){border-color:rgba(var(--colors-gray-300))}.dark\:active\:text-gray-500:active:is(.dark *){color:rgba(var(--colors-gray-500))}.dark\:active\:text-gray-600:active:is(.dark *){color:rgba(var(--colors-gray-600))}.dark\:enabled\:bg-gray-950:enabled:is(.dark *){background-color:rgba(var(--colors-gray-950))}.dark\:enabled\:text-gray-400:enabled:is(.dark *){color:rgba(var(--colors-gray-400))}.dark\:enabled\:hover\:text-gray-300:hover:enabled:is(.dark *){color:rgba(var(--colors-gray-300))}.group:hover .dark\:group-hover\:bg-gray-900:is(.dark *){background-color:rgba(var(--colors-gray-900))}.group:hover .dark\:group-hover\:stroke-blue-800:is(.dark *){stroke:rgba(var(--colors-blue-800))}.group:hover .dark\:group-hover\:stroke-gray-800:is(.dark *){stroke:rgba(var(--colors-gray-800))}.group:hover .dark\:group-hover\:stroke-green-800:is(.dark *){stroke:rgba(var(--colors-green-800))}.group:hover .dark\:group-hover\:stroke-red-800:is(.dark *){stroke:rgba(var(--colors-red-800))}.group:hover .dark\:group-hover\:stroke-yellow-800:is(.dark *){stroke:rgba(var(--colors-yellow-800))}.group[data-focus] .group-data-\[focus\]\:dark\:ring-offset-gray-950:is(.dark *){--tw-ring-offset-color:rgba(var(--colors-gray-950))}@media (min-width:640px){.sm\:col-span-4{grid-column:span 4/span 4}.sm\:mt-0{margin-top:0}.sm\:px-0{padding-left:0;padding-right:0}.sm\:px-6{padding-left:1.5rem;padding-right:1.5rem}.sm\:px-8{padding-left:2rem;padding-right:2rem}}@media (min-width:768px){.md\:col-span-1{grid-column:span 1/span 1}.md\:col-span-12{grid-column:span 12/span 12}.md\:col-span-2{grid-column:span 2/span 2}.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\:grid-cols-3{grid-template-columns:repeat(3,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\:gap-6{gap:1.5rem}.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-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}.lg\:px-8{padding-left:2rem;padding-right:2rem}}.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))}.dark\:hover\:\[\&\:not\(\:disabled\)\]\:bg-gray-950:not(:disabled):hover:is(.dark *){background-color:rgba(var(--colors-gray-950))}.dark\:hover\:\[\&\:not\(\:disabled\)\]\:text-primary-500:not(:disabled):hover:is(.dark *){color:rgba(var(--colors-primary-500))}
diff --git a/application/public/vendor/nova/app.js b/application/public/vendor/nova/app.js
index e2f26a6b..5d5922dc 100644
--- a/application/public/vendor/nova/app.js
+++ b/application/public/vendor/nova/app.js
@@ -1 +1 @@
-(self.webpackChunklaravel_nova=self.webpackChunklaravel_nova||[]).push([[895],{8862:(e,t,r)=>{"use strict";var o=r(15237),i=r.n(o),l=r(15542),a=r(50436),n=r(94335);function s(){const e=n.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(n.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(null!=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 c=r(73333),d=r(13152),u=r.n(d);function h(e){return e&&(e=e.replace("_","-"),Object.values(u()).forEach((t=>{let r=t.languageTag;e!==r&&e!==r.substr(0,2)||c.A.registerLanguage(t)})),c.A.setLanguage(e)),c.A.setDefaults({thousandSeparated:!0}),c.A}var p=r(59977);r(38221);var m=r(83488),f=r.n(m),v=r(71086),g=r.n(v);var y=r(29726),b=r(403),k=r(84058),w=r.n(k),C=r(55808),x=r.n(C);const N={class:"text-2xl"},B={class:"text-lg leading-normal"};const S={class:"flex justify-center h-screen"},V=["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"},E={class:"md:w-[20rem] md:shrink-0 space-y-2 md:space-y-4"},_=Object.assign({name:"ErrorLayout"},{__name:"ErrorLayout",props:{status:{type:String,default:"403"}},setup:e=>(t,r)=>{const o=(0,y.resolveComponent)("ErrorPageIcon"),i=(0,y.resolveComponent)("Link");return(0,y.openBlock)(),(0,y.createElementBlock)("div",S,[(0,y.createElementVNode)("div",{class:"z-50 flex items-center justify-center p-6",dusk:`${e.status}-error-page`},[(0,y.createElementVNode)("div",R,[(0,y.createVNode)(o,{class:"shrink-0 md:w-[20rem]"}),(0,y.createElementVNode)("div",E,[(0,y.renderSlot)(t.$slots,"default"),(0,y.createVNode)(i,{href:t.$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,y.withCtx)((()=>[(0,y.createTextVNode)((0,y.toDisplayString)(t.__("Go Home")),1)])),_:1},8,["href"])])])],8,V)])}});var O=r(66262);const D=(0,O.A)(_,[["__file","ErrorLayout.vue"]]),A={components:{ErrorLayout:D}},F=(0,O.A)(A,[["render",function(e,t,r,o,i,l){const a=(0,y.resolveComponent)("Head"),n=(0,y.resolveComponent)("ErrorLayout");return(0,y.openBlock)(),(0,y.createBlock)(n,{status:"404"},{default:(0,y.withCtx)((()=>[(0,y.createVNode)(a,{title:"Page Not Found"}),t[0]||(t[0]=(0,y.createElementVNode)("h1",{class:"text-[5rem] md:text-[4rem] font-normal leading-none"},"404",-1)),(0,y.createElementVNode)("p",N,(0,y.toDisplayString)(e.__("Whoops"))+"…",1),(0,y.createElementVNode)("p",B,(0,y.toDisplayString)(e.__("We're lost in space. The page you were trying to view does not exist.")),1)])),_:1})}],["__file","CustomError404.vue"]]),P={class:"text-2xl"},T={class:"text-lg leading-normal"};const I={components:{ErrorLayout:D}},M=(0,O.A)(I,[["render",function(e,t,r,o,i,l){const a=(0,y.resolveComponent)("Head"),n=(0,y.resolveComponent)("ErrorLayout");return(0,y.openBlock)(),(0,y.createBlock)(n,{status:"403"},{default:(0,y.withCtx)((()=>[(0,y.createVNode)(a,{title:"Forbidden"}),t[0]||(t[0]=(0,y.createElementVNode)("h1",{class:"text-[5rem] md:text-[4rem] font-normal leading-none"},"403",-1)),(0,y.createElementVNode)("p",P,(0,y.toDisplayString)(e.__("Hold Up!")),1),(0,y.createElementVNode)("p",T,(0,y.toDisplayString)(e.__("The government won't let us show you what's behind these doors"))+"… ",1)])),_:1})}],["__file","CustomError403.vue"]]),j={class:"text-[5rem] md:text-[4rem] font-normal leading-none"},$={class:"text-2xl"},z={class:"text-lg leading-normal"};const L={components:{ErrorLayout:D}},U=(0,O.A)(L,[["render",function(e,t,r,o,i,l){const a=(0,y.resolveComponent)("Head"),n=(0,y.resolveComponent)("ErrorLayout");return(0,y.openBlock)(),(0,y.createBlock)(n,null,{default:(0,y.withCtx)((()=>[(0,y.createVNode)(a,{title:"Error"}),(0,y.createElementVNode)("h1",j,(0,y.toDisplayString)(e.__(":-(")),1),(0,y.createElementVNode)("p",$,(0,y.toDisplayString)(e.__("Whoops"))+"…",1),(0,y.createElementVNode)("p",z,(0,y.toDisplayString)(e.__("Nova experienced an unrecoverable error.")),1)])),_:1})}],["__file","CustomAppError.vue"]]),q=["innerHTML"],H=["aria-label","aria-expanded"],K={class:"flex gap-2 mb-6"},W={key:1,class:"inline-flex items-center gap-2 ml-auto"};var G=r(53110),Q=r(24767),Z=r(30043),J=r(66278);function Y(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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?Y(Object(r),!0).forEach((function(t){ee(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):Y(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function ee(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const te={name:"ResourceIndex",mixins:[Q.pJ,Q.Tu,Q.k6,Q.Nw,Q.dn,Q.vS,Q.Kx,Q.Ye,Q.XJ,Q.IJ],props:{shouldOverrideMeta:{type:Boolean,default:!1},shouldEnableShortcut:{type:Boolean,default:!1}},data:()=>({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:X(X({},(0,J.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,Z.minimum)(Nova.request().get("/nova-api/"+this.resourceName,{params:this.resourceRequestQueryString,cancelToken:new G.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,G.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 G.qm((e=>{this.actionCanceller=e}))}).then((e=>{this.actions=e.data.actions,this.pivotActions=e.data.pivotActions,this.resourceHasSoleActions=e.data.counts.sole>0,this.resourceHasActions=e.data.counts.resource>0})).catch((e=>{if(!(0,G.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,Z.minimum)(Nova.request().get("/nova-api/"+this.resourceName,{params:X(X({},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?"&nbsp;":this.isRelation&&this.field?this.field.name:null!==this.resourceResponse?this.resourceResponse.label:this.resourceInformation.label}}},re=(0,O.A)(te,[["render",function(e,t,r,o,i,l){const a=(0,y.resolveComponent)("Head"),n=(0,y.resolveComponent)("Cards"),s=(0,y.resolveComponent)("CollapseButton"),c=(0,y.resolveComponent)("Heading"),d=(0,y.resolveComponent)("IndexSearchInput"),u=(0,y.resolveComponent)("ActionDropdown"),h=(0,y.resolveComponent)("CreateResourceButton"),p=(0,y.resolveComponent)("ResourceTableToolbar"),m=(0,y.resolveComponent)("IndexErrorDialog"),f=(0,y.resolveComponent)("IndexEmptyDialog"),v=(0,y.resolveComponent)("ResourceTable"),g=(0,y.resolveComponent)("ResourcePagination"),b=(0,y.resolveComponent)("LoadingView"),k=(0,y.resolveComponent)("Card");return(0,y.openBlock)(),(0,y.createBlock)(b,{loading:e.initialLoading,dusk:e.resourceName+"-index-component","data-relationship":e.viaRelationship},{default:(0,y.withCtx)((()=>[r.shouldOverrideMeta&&e.resourceInformation?((0,y.openBlock)(),(0,y.createBlock)(a,{key:0,title:e.__(`${e.resourceInformation.label}`)},null,8,["title"])):(0,y.createCommentVNode)("",!0),e.shouldShowCards?((0,y.openBlock)(),(0,y.createBlock)(n,{key:1,cards:e.cards,"resource-name":e.resourceName},null,8,["cards","resource-name"])):(0,y.createCommentVNode)("",!0),(0,y.createVNode)(c,{level:1,class:(0,y.normalizeClass)(["mb-3 flex items-center",{"mt-6":e.shouldShowCards&&e.cards.length>0}]),dusk:"index-heading"},{default:(0,y.withCtx)((()=>[(0,y.createElementVNode)("span",{innerHTML:l.headingTitle},null,8,q),!e.loading&&e.viaRelationship?((0,y.openBlock)(),(0,y.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,y.createVNode)(s,{collapsed:l.shouldBeCollapsed},null,8,["collapsed"])],8,H)):(0,y.createCommentVNode)("",!0)])),_:1},8,["class"]),l.shouldBeCollapsed?(0,y.createCommentVNode)("",!0):((0,y.openBlock)(),(0,y.createElementBlock)(y.Fragment,{key:2},[(0,y.createElementVNode)("div",K,[e.resourceInformation&&e.resourceInformation.searchable?((0,y.openBlock)(),(0,y.createBlock)(d,{key:0,searchable:e.resourceInformation&&e.resourceInformation.searchable,modelValue:e.search,"onUpdate:modelValue":t[1]||(t[1]=t=>e.search=t)},null,8,["searchable","modelValue"])):(0,y.createCommentVNode)("",!0),e.availableStandaloneActions.length>0||e.authorizedToCreate||e.authorizedToRelate?((0,y.openBlock)(),(0,y.createElementBlock)("div",W,[e.availableStandaloneActions.length>0?((0,y.openBlock)(),(0,y.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,y.createCommentVNode)("",!0),(0,y.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,y.createCommentVNode)("",!0)]),(0,y.createVNode)(k,null,{default:(0,y.withCtx)((()=>[(0,y.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.shouldShowSelectAllCheckboxes,"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,y.createVNode)(b,{loading:e.loading,variant:e.resourceResponse?"overlay":"default"},{default:(0,y.withCtx)((()=>[null!=e.resourceResponseError?((0,y.openBlock)(),(0,y.createBlock)(m,{key:0,resource:e.resourceInformation,onClick:l.getResources},null,8,["resource","onClick"])):((0,y.openBlock)(),(0,y.createElementBlock)(y.Fragment,{key:1},[e.loading||e.resources.length?(0,y.createCommentVNode)("",!0):((0,y.openBlock)(),(0,y.createBlock)(f,{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,y.createVNode)(v,{"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,y.openBlock)(),(0,y.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,y.createCommentVNode)("",!0)],64))])),_:1},8,["loading","variant"])])),_:1})],64))])),_:1},8,["loading","dusk","data-relationship"])}],["__file","Index.vue"]]),oe={key:1},ie=["dusk"],le={key:0,class:"md:flex items-center mb-3"},ae={class:"flex flex-auto truncate items-center"},ne={class:"ml-auto flex items-center"};var se=r(74640);function ce(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 de(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?ce(Object(r),!0).forEach((function(t){ue(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):ce(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function ue(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const he={components:{Button:se.Button},mixins:[Q.k6,Q.Ye],props:de({shouldOverrideMeta:{type:Boolean,default:!1},showViewLink:{type:Boolean,default:!1},shouldEnableShortcut:{type:Boolean,default:!1},showActionDropdown:{type:Boolean,default:!0}},(0,Q.rr)(["resourceName","resourceId","viaResource","viaResourceId","viaRelationship","relationshipType"])),data:()=>({initialLoading:!0,loading:!0,title:null,resource:null,panels:[],actions:[],actionValidationErrors:new Q.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:de(de({},(0,J.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,Z.minimum)(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){Nova.error(this.__("Unable to load actions for this resource"))}},async actionExecuted(){await this.getResource(),await this.getActions()},resolveComponentName:e=>null==e.prefixComponent||e.prefixComponent?"detail-"+e.component:e.component}),computed:de(de({},(0,J.L8)(["currentUser"])),{},{canBeImpersonated(){return this.currentUser.canImpersonate&&this.resource.authorizedToImpersonate},shouldShowActionDropdown(){return this.resource&&(this.actions.length>0||this.canModifyResource)&&this.showActionDropdown},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}}})},pe=(0,O.A)(he,[["render",function(e,t,r,o,i,l){const a=(0,y.resolveComponent)("Head"),n=(0,y.resolveComponent)("Cards"),s=(0,y.resolveComponent)("Heading"),c=(0,y.resolveComponent)("Badge"),d=(0,y.resolveComponent)("DetailActionDropdown"),u=(0,y.resolveComponent)("Button"),h=(0,y.resolveComponent)("Link"),p=(0,y.resolveComponent)("LoadingView"),m=(0,y.resolveDirective)("tooltip");return(0,y.openBlock)(),(0,y.createBlock)(p,{loading:e.initialLoading},{default:(0,y.withCtx)((()=>[r.shouldOverrideMeta&&e.resourceInformation&&e.title?((0,y.openBlock)(),(0,y.createBlock)(a,{key:0,title:e.__(":resource Details: :title",{resource:e.resourceInformation.singularLabel,title:e.title})},null,8,["title"])):(0,y.createCommentVNode)("",!0),e.shouldShowCards&&e.hasDetailOnlyCards?((0,y.openBlock)(),(0,y.createElementBlock)("div",oe,[e.cards.length>0?((0,y.openBlock)(),(0,y.createBlock)(n,{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,y.createCommentVNode)("",!0)])):(0,y.createCommentVNode)("",!0),(0,y.createElementVNode)("div",{class:(0,y.normalizeClass)({"mt-6":e.shouldShowCards&&e.hasDetailOnlyCards&&e.cards.length>0}),dusk:e.resourceName+"-detail-component"},[((0,y.openBlock)(!0),(0,y.createElementBlock)(y.Fragment,null,(0,y.renderList)(e.panels,(t=>((0,y.openBlock)(),(0,y.createBlock)((0,y.resolveDynamicComponent)(l.resolveComponentName(t)),{key:t.id,panel:t,resource:e.resource,"resource-id":e.resourceId,"resource-name":e.resourceName,class:(0,y.normalizeClass)({"mb-8":t.fields.length>0})},{default:(0,y.withCtx)((()=>[t.showToolbar?((0,y.openBlock)(),(0,y.createElementBlock)("div",le,[(0,y.createElementVNode)("div",ae,[(0,y.createVNode)(s,{level:1,textContent:(0,y.toDisplayString)(t.name),dusk:`${t.name}-detail-heading`},null,8,["textContent","dusk"]),e.resource.softDeleted?((0,y.openBlock)(),(0,y.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,y.createCommentVNode)("",!0)]),(0,y.createElementVNode)("div",ne,[l.shouldShowActionDropdown?((0,y.openBlock)(),(0,y.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,y.createCommentVNode)("",!0),r.showViewLink?(0,y.withDirectives)(((0,y.openBlock)(),(0,y.createBlock)(h,{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,y.withCtx)((()=>[(0,y.createVNode)(u,{as:"span",variant:"ghost",icon:"eye"})])),_:1},8,["href"])),[[m,{placement:"bottom",distance:10,skidding:0,content:e.__("View")}]]):(0,y.createCommentVNode)("",!0),e.resource.authorizedToUpdate?(0,y.withDirectives)(((0,y.openBlock)(),(0,y.createBlock)(h,{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,y.withCtx)((()=>[(0,y.createVNode)(u,{as:"span",variant:"ghost",icon:"pencil-square"})])),_:1},8,["href"])),[[m,{placement:"bottom",distance:10,skidding:0,content:e.__("Edit")}]]):(0,y.createCommentVNode)("",!0)])])):(0,y.createCommentVNode)("",!0)])),_:2},1032,["panel","resource","resource-id","resource-name","class"])))),128))],10,ie)])),_:1},8,["loading"])}],["__file","Detail.vue"]]),me=["data-form-unique-id"],fe={key:0,dusk:"via-resource-field",class:"field-wrapper flex flex-col md:flex-row border-b border-gray-100 dark:border-gray-700"},ve={class:"w-1/5 px-8 py-6"},ge=["for"],ye={class:"py-6 px-8 w-1/2"},be={class:"inline-block font-bold text-gray-500 pt-2"},ke={class:"flex items-center"},we={key:0,class:"flex items-center"},Ce={key:0,class:"mr-3"},xe=["src"],Ne={class:"flex items-center"},Be={key:0,class:"flex-none mr-3"},Se=["src"],Ve={class:"flex-auto"},Re={key:0},Ee={key:1},_e={value:"",disabled:"",selected:""},Oe={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 De=r(52191),Ae=r(15101),Fe=r.n(Ae);function Pe(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 Te(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?Pe(Object(r),!0).forEach((function(t){Ie(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):Pe(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function Ie(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const Me={components:{Button:se.Button},mixins:[Q.c_,Q.B5,Q.Bz,Q.zJ,Q.rd],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:()=>({initialLoading:!0,loading:!0,submittedViaAttachAndAttachAnother:!1,submittedViaAttachResource:!1,field:null,softDeletes:!1,fields:[],selectedResourceId:null,relationModalOpen:!1,initializingWithExistingResource:!1}),created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404")},mounted(){this.initializeComponent()},methods:Te(Te({},(0,J.i0)(["fetchPolicies"])),{},{initializeComponent(){this.softDeletes=!1,this.disableWithTrashed(),this.clearSelection(),this.getField(),this.getPivotFields(),this.resetErrors()},handlePivotFieldsLoaded(){this.loading=!1,Object.values(this.fields).forEach((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(),De.A.fetchAvailableResources(this.resourceName,this.resourceId,this.relatedResourceName,{params:{search:e,current:this.selectedResourceId,first:this.initializingWithExistingResource,withTrashed:this.withTrashed,component:this.field.component,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,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.handleOnCreateResponseError(e)}},async attachAndAttachAnother(){this.submittedViaAttachAndAttachAnother=!0;try{await this.attachRequest(),window.scrollTo(0,0),this.disableNavigateBackUsingHistory(),this.submittedViaAttachAndAttachAnother=!1,await this.fetchPolicies(),this.initializeComponent()}catch(e){this.submittedViaAttachAndAttachAnother=!1,this.handleOnCreateResponseError(e)}},cancelAttachingResource(){this.handleProceedingToPreviousPage(),this.proceedToPreviousPage(`/resources/${this.resourceName}/${this.resourceId}`)},attachRequest(){return Nova.request().post(this.attachmentEndpoint,this.attachmentFormData(),{params:{editing:!0,editMode:"attach"}})},attachmentFormData(){return Fe()(new FormData,(e=>{Object.values(this.fields).forEach((t=>{t.fill(e)})),this.selectedResourceId?e.append(this.relatedResourceName,this.selectedResourceId??""):e.append(this.relatedResourceName,""),e.append(this.relatedResourceName+"_trashed",this.withTrashed),e.append("viaRelationship",this.viaRelationship)}))},toggleWithTrashed(){this.withTrashed=!this.withTrashed,this.isSearchable||this.getAvailableResources()},onUpdateFormStatus(){},handleSetResource({id:e}){this.closeRelationModal(),this.selectedResourceId=e,this.initializingWithExistingResource=!0,this.getAvailableResources()},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())},isSelectedResourceId(e){return null!=e&&e?.toString()===this.selectedResourceId?.toString()}}),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)&&!this.field.readonly&&this.field.displaysWithTrashed},authorizedToCreate(){return Nova.config("resources").find((e=>e.uriKey==this.field.resourceName))?.authorizedToCreate||!1},canShowNewRelationModal(){return this.field.showCreateRelationButton&&this.authorizedToCreate},selectedResource(){return this.availableResources.find((e=>this.isSelectedResourceId(e.value)))}}},je=(0,O.A)(Me,[["render",function(e,t,r,o,i,l){const a=(0,y.resolveComponent)("Head"),n=(0,y.resolveComponent)("Heading"),s=(0,y.resolveComponent)("SearchInput"),c=(0,y.resolveComponent)("SelectControl"),d=(0,y.resolveComponent)("Button"),u=(0,y.resolveComponent)("CreateRelationModal"),h=(0,y.resolveComponent)("TrashedCheckbox"),p=(0,y.resolveComponent)("DefaultField"),m=(0,y.resolveComponent)("LoadingView"),f=(0,y.resolveComponent)("Card");return(0,y.openBlock)(),(0,y.createBlock)(m,{loading:e.initialLoading},{default:(0,y.withCtx)((()=>[l.relatedResourceLabel?((0,y.openBlock)(),(0,y.createBlock)(a,{key:0,title:e.__("Attach :resource",{resource:l.relatedResourceLabel})},null,8,["title"])):(0,y.createCommentVNode)("",!0),(0,y.createVNode)(n,{class:"mb-3",textContent:(0,y.toDisplayString)(e.__("Attach :resource",{resource:l.relatedResourceLabel})),dusk:"attach-heading"},null,8,["textContent"]),e.field?((0,y.openBlock)(),(0,y.createElementBlock)("form",{key:1,onSubmit:t[2]||(t[2]=(0,y.withModifiers)(((...e)=>l.attachResource&&l.attachResource(...e)),["prevent"])),onChange:t[3]||(t[3]=(...e)=>l.onUpdateFormStatus&&l.onUpdateFormStatus(...e)),"data-form-unique-id":e.formUniqueId,autocomplete:"off"},[(0,y.createVNode)(f,{class:"mb-8"},{default:(0,y.withCtx)((()=>[r.parentResource?((0,y.openBlock)(),(0,y.createElementBlock)("div",fe,[(0,y.createElementVNode)("div",ve,[(0,y.createElementVNode)("label",{for:r.parentResource.name,class:"inline-block text-gray-500 pt-2 leading-tight"},(0,y.toDisplayString)(r.parentResource.name),9,ge)]),(0,y.createElementVNode)("div",ye,[(0,y.createElementVNode)("span",be,(0,y.toDisplayString)(r.parentResource.display),1)])])):(0,y.createCommentVNode)("",!0),(0,y.createVNode)(p,{field:e.field,errors:e.validationErrors,"show-help-text":!0},{field:(0,y.withCtx)((()=>[(0,y.createElementVNode)("div",ke,[e.field.searchable?((0,y.openBlock)(),(0,y.createBlock)(s,{key:0,modelValue:e.selectedResourceId,"onUpdate:modelValue":t[0]||(t[0]=t=>e.selectedResourceId=t),onSelected:e.selectResource,onInput:e.performSearch,onClear:l.clearResourceSelection,options:e.availableResources,debounce:e.field.debounce,trackBy:"value",class:"w-full",dusk:`${e.field.resourceName}-search-input`},{option:(0,y.withCtx)((({selected:t,option:r})=>[(0,y.createElementVNode)("div",Ne,[r.avatar?((0,y.openBlock)(),(0,y.createElementBlock)("div",Be,[(0,y.createElementVNode)("img",{src:r.avatar,class:"w-8 h-8 rounded-full block"},null,8,Se)])):(0,y.createCommentVNode)("",!0),(0,y.createElementVNode)("div",Ve,[(0,y.createElementVNode)("div",{class:(0,y.normalizeClass)(["text-sm font-semibold leading-5",{"text-white":t}])},(0,y.toDisplayString)(r.display),3),e.field.withSubtitles?((0,y.openBlock)(),(0,y.createElementBlock)("div",{key:0,class:(0,y.normalizeClass)(["mt-1 text-xs font-semibold leading-5 text-gray-500",{"text-white":t}])},[r.subtitle?((0,y.openBlock)(),(0,y.createElementBlock)("span",Re,(0,y.toDisplayString)(r.subtitle),1)):((0,y.openBlock)(),(0,y.createElementBlock)("span",Ee,(0,y.toDisplayString)(e.__("No additional information...")),1))],2)):(0,y.createCommentVNode)("",!0)])])])),default:(0,y.withCtx)((()=>[l.selectedResource?((0,y.openBlock)(),(0,y.createElementBlock)("div",we,[l.selectedResource.avatar?((0,y.openBlock)(),(0,y.createElementBlock)("div",Ce,[(0,y.createElementVNode)("img",{src:l.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,xe)])):(0,y.createCommentVNode)("",!0),(0,y.createTextVNode)(" "+(0,y.toDisplayString)(l.selectedResource.display),1)])):(0,y.createCommentVNode)("",!0)])),_:1},8,["modelValue","onSelected","onInput","onClear","options","debounce","dusk"])):((0,y.openBlock)(),(0,y.createBlock)(c,{key:1,modelValue:e.selectedResourceId,"onUpdate:modelValue":t[1]||(t[1]=t=>e.selectedResourceId=t),onSelected:e.selectResource,options:e.availableResources,label:"display",class:(0,y.normalizeClass)(["w-full",{"form-control-bordered-error":e.validationErrors.has(e.field.attribute)}]),dusk:"attachable-select"},{default:(0,y.withCtx)((()=>[(0,y.createElementVNode)("option",_e,(0,y.toDisplayString)(e.__("Choose :resource",{resource:l.relatedResourceLabel})),1)])),_:1},8,["modelValue","onSelected","options","class"])),l.canShowNewRelationModal?((0,y.openBlock)(),(0,y.createBlock)(d,{key:2,ariant:"link",size:"small","leading-icon":"plus-circle",onClick:l.openRelationModal,class:"ml-2",dusk:`${e.field.attribute}-inline-create`},null,8,["onClick","dusk"])):(0,y.createCommentVNode)("",!0)]),(0,y.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"]),l.shouldShowTrashed?((0,y.openBlock)(),(0,y.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,y.createCommentVNode)("",!0)])),_:1},8,["field","errors"]),(0,y.createVNode)(m,{loading:e.loading},{default:(0,y.withCtx)((()=>[((0,y.openBlock)(!0),(0,y.createElementBlock)(y.Fragment,null,(0,y.renderList)(e.fields,(t=>((0,y.openBlock)(),(0,y.createElementBlock)("div",{key:t.uniqueKey},[((0,y.openBlock)(),(0,y.createBlock)((0,y.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,y.createElementVNode)("div",Oe,[(0,y.createVNode)(d,{dusk:"cancel-attach-button",onClick:l.cancelAttachingResource,label:e.__("Cancel"),variant:"ghost"},null,8,["onClick","label"]),(0,y.createVNode)(d,{dusk:"attach-and-attach-another-button",onClick:(0,y.withModifiers)(l.attachAndAttachAnother,["prevent"]),disabled:l.isWorking,loading:e.submittedViaAttachAndAttachAnother},{default:(0,y.withCtx)((()=>[(0,y.createTextVNode)((0,y.toDisplayString)(e.__("Attach & Attach Another")),1)])),_:1},8,["onClick","disabled","loading"]),(0,y.createVNode)(d,{type:"submit",dusk:"attach-button",disabled:l.isWorking,loading:e.submittedViaAttachResource},{default:(0,y.withCtx)((()=>[(0,y.createTextVNode)((0,y.toDisplayString)(e.__("Attach :resource",{resource:l.relatedResourceLabel})),1)])),_:1},8,["disabled","loading"])])],40,me)):(0,y.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","Attach.vue"]]),$e=["data-form-unique-id"],ze={key:0,dusk:"via-resource-field",class:"field-wrapper flex flex-col md:flex-row border-b border-gray-100 dark:border-gray-700"},Le={class:"w-1/5 px-8 py-6"},Ue=["for"],qe={class:"py-6 px-8 w-1/2"},He={class:"inline-block font-bold text-gray-500 pt-2"},Ke={value:"",disabled:"",selected:""},We={class:"flex flex-col mt-3 md:mt-6 md:flex-row items-center justify-center md:justify-end"};function Ge(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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?Ge(Object(r),!0).forEach((function(t){Ze(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):Ge(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function Ze(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const Je={components:{Button:se.Button},mixins:[Q.c_,Q.B5,Q.Bz,Q.zJ,Q.rd],provide(){return{removeFile:this.removeFile}},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:()=>({initialLoading:!0,loading:!0,submittedViaUpdateAndContinueEditing:!1,submittedViaUpdateAttachedResource:!1,field:null,softDeletes:!1,fields:[],selectedResourceId:null,lastRetrievedAt:null,title:null}),created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404")},mounted(){this.initializeComponent()},methods:Qe(Qe({},(0,J.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.updateLastRetrievedAtTimestamp()},removeFile(e){const{resourceName:t,resourceId:r,relatedResourceName:o,relatedResourceId:i,viaRelationship:l}=this;Nova.request().delete(`/nova-api/${t}/${r}/${o}/${i}/field/${e}?viaRelationship=${l}`)},handlePivotFieldsLoaded(){this.loading=!1,Object.values(this.fields).forEach((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=""){Nova.$progress.start();try{const t=await De.A.fetchAvailableResources(this.resourceName,this.resourceId,this.relatedResourceName,{params:{search:e,current:this.relatedResourceId,first:!0,withTrashed:this.withTrashed,component:this.field.component,viaRelationship:this.viaRelationship}});this.availableResources=t.data.resources,this.withTrashed=t.data.withTrashed,this.softDeletes=t.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 updateAttachedResource(){this.submittedViaUpdateAttachedResource=!0;try{await this.updateRequest(),this.submittedViaUpdateAttachedResource=!1,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.handleOnUpdateResponseError(e)}},async updateAndContinueEditing(){this.submittedViaUpdateAndContinueEditing=!0;try{await this.updateRequest(),window.scrollTo(0,0),this.disableNavigateBackUsingHistory(),this.submittedViaUpdateAndContinueEditing=!1,Nova.success(this.__("The resource was updated!")),this.initializeComponent()}catch(e){this.submittedViaUpdateAndContinueEditing=!1,this.handleOnUpdateResponseError(e)}},cancelUpdatingAttachedResource(){this.handleProceedingToPreviousPage(),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 Fe()(new FormData,(e=>{Object.values(this.fields).forEach((t=>{t.fill(e)})),e.append("viaRelationship",this.viaRelationship),this.selectedResourceId?e.append(this.relatedResourceName,this.selectedResourceId??""):e.append(this.relatedResourceName,""),e.append(this.relatedResourceName+"_trashed",this.withTrashed),e.append("_retrieved_at",this.lastRetrievedAt)}))},toggleWithTrashed(){this.withTrashed=!this.withTrashed,this.isSearchable||this.getAvailableResources()},updateLastRetrievedAtTimestamp(){this.lastRetrievedAt=Math.floor((new Date).getTime()/1e3)},onUpdateFormStatus(){},isSelectedResourceId(e){return null!=e&&e?.toString()===this.selectedResourceId?.toString()}}),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},selectedResource(){return this.availableResources.find((e=>this.isSelectedResourceId(e.value)))}}},Ye=(0,O.A)(Je,[["render",function(e,t,r,o,i,l){const a=(0,y.resolveComponent)("Head"),n=(0,y.resolveComponent)("Heading"),s=(0,y.resolveComponent)("SelectControl"),c=(0,y.resolveComponent)("DefaultField"),d=(0,y.resolveComponent)("LoadingView"),u=(0,y.resolveComponent)("Card"),h=(0,y.resolveComponent)("Button");return(0,y.openBlock)(),(0,y.createBlock)(d,{loading:e.initialLoading},{default:(0,y.withCtx)((()=>[l.relatedResourceLabel&&e.title?((0,y.openBlock)(),(0,y.createBlock)(a,{key:0,title:e.__("Update attached :resource: :title",{resource:l.relatedResourceLabel,title:e.title})},null,8,["title"])):(0,y.createCommentVNode)("",!0),l.relatedResourceLabel&&e.title?((0,y.openBlock)(),(0,y.createBlock)(n,{key:1,class:"mb-3"},{default:(0,y.withCtx)((()=>[(0,y.createTextVNode)((0,y.toDisplayString)(e.__("Update attached :resource: :title",{resource:l.relatedResourceLabel,title:e.title})),1)])),_:1})):(0,y.createCommentVNode)("",!0),e.field?((0,y.openBlock)(),(0,y.createElementBlock)("form",{key:2,onSubmit:t[1]||(t[1]=(0,y.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,y.createVNode)(u,{class:"mb-8"},{default:(0,y.withCtx)((()=>[r.parentResource?((0,y.openBlock)(),(0,y.createElementBlock)("div",ze,[(0,y.createElementVNode)("div",Le,[(0,y.createElementVNode)("label",{for:r.parentResource.name,class:"inline-block text-gray-500 pt-2 leading-tight"},(0,y.toDisplayString)(r.parentResource.name),9,Ue)]),(0,y.createElementVNode)("div",qe,[(0,y.createElementVNode)("span",He,(0,y.toDisplayString)(r.parentResource.display),1)])])):(0,y.createCommentVNode)("",!0),(0,y.createVNode)(c,{field:e.field,errors:e.validationErrors,"show-help-text":!0},{field:(0,y.withCtx)((()=>[(0,y.createVNode)(s,{modelValue:e.selectedResourceId,"onUpdate:modelValue":t[0]||(t[0]=t=>e.selectedResourceId=t),onSelected:e.selectResource,options:e.availableResources,disabled:"",label:"display",class:(0,y.normalizeClass)(["w-full",{"form-control-bordered-error":e.validationErrors.has(e.field.attribute)}]),dusk:"attachable-select"},{default:(0,y.withCtx)((()=>[(0,y.createElementVNode)("option",Ke,(0,y.toDisplayString)(e.__("Choose :field",{field:e.field.name})),1)])),_:1},8,["modelValue","onSelected","options","class"])])),_:1},8,["field","errors"]),(0,y.createVNode)(d,{loading:e.loading},{default:(0,y.withCtx)((()=>[((0,y.openBlock)(!0),(0,y.createElementBlock)(y.Fragment,null,(0,y.renderList)(e.fields,(t=>((0,y.openBlock)(),(0,y.createElementBlock)("div",{key:t.uniqueKey},[((0,y.openBlock)(),(0,y.createBlock)((0,y.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"]))])))),128))])),_:1},8,["loading"])])),_:1}),(0,y.createElementVNode)("div",We,[(0,y.createVNode)(h,{dusk:"cancel-update-attached-button",onClick:l.cancelUpdatingAttachedResource,label:e.__("Cancel"),variant:"ghost"},null,8,["onClick","label"]),(0,y.createVNode)(h,{class:"mr-3",dusk:"update-and-continue-editing-button",onClick:(0,y.withModifiers)(l.updateAndContinueEditing,["prevent"]),disabled:l.isWorking,loading:e.submittedViaUpdateAndContinueEditing},{default:(0,y.withCtx)((()=>[(0,y.createTextVNode)((0,y.toDisplayString)(e.__("Update & Continue Editing")),1)])),_:1},8,["onClick","disabled","loading"]),(0,y.createVNode)(h,{dusk:"update-button",type:"submit",disabled:l.isWorking,loading:e.submittedViaUpdateAttachedResource},{default:(0,y.withCtx)((()=>[(0,y.createTextVNode)((0,y.toDisplayString)(e.__("Update :resource",{resource:l.relatedResourceLabel})),1)])),_:1},8,["disabled","loading"])])],40,$e)):(0,y.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","UpdateAttached.vue"]]);function Xe(e,t,r){r.keys().forEach((o=>{const i=r(o),l=x()(w()(o.split("/").pop().replace(/\.\w+$/,"")));e.component(t+l,i.default||i)}))}var et=r(6411),tt=r.n(et),rt=r(70393);const ot={state:()=>({baseUri:"/nova",currentUser:null,currentUserPasswordConfirmed:null,mainMenu:[],userMenu:[],breadcrumbs:[],resources:[],version:"5.x",mainMenuShown:!1,canLeaveModal:!0,validLicense:!0,queryStringParams:{},compiledQueryStringParams:""}),getters:{currentUser:e=>e.currentUser,currentUserPasswordConfirmed:e=>e.currentUserPasswordConfirmed??!1,currentVersion:e=>e.version,mainMenu:e=>e.mainMenu,userMenu:e=>e.userMenu,breadcrumbs:e=>e.breadcrumbs,mainMenuShown:e=>e.mainMenuShown,canLeaveModal:e=>e.canLeaveModal,validLicense:e=>e.validLicense,queryStringParams:e=>e.queryStringParams},mutations:{allowLeavingModal(e){e.canLeaveModal=!0},preventLeavingModal(e){e.canLeaveModal=!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:i}){await Nova.request().post(Nova.url("/login"),{email:r,password:o,remember:i})},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 confirmedPasswordStatus({state:e,dispatch:t}){const{data:{confirmed:r}}=await Nova.request().get(Nova.url("/user-security/confirmed-password-status"));t(r?"passwordConfirmed":"passwordUnconfirmed")},async passwordConfirmed({state:e,dispatch:t}){e.currentUserPasswordConfirmed=!0,setTimeout((()=>t("passwordUnconfirmed")),5e5)},async passwordUnconfirmed({state:e}){e.currentUserPasswordConfirmed=!1},async assignPropsFromInertia({state:e,dispatch:t}){const r=(0,p.N5)().props;let o=r.novaConfig||Nova.appConfig,{resources:i,base:l,version:a,mainMenu:n,userMenu:s}=o,c=r.currentUser,d=r.validLicense,u=r.breadcrumbs;Nova.appConfig=o,e.breadcrumbs=u||[],e.currentUser=c,e.validLicense=d,e.resources=i,e.baseUri=l,e.version=a,e.mainMenu=n,e.userMenu=s,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=await p.QB.decryptHistory(),i=null;return Object.entries(t).forEach((([e,t])=>{(0,rt.A)(t)?r.set(e,t||""):r.delete(e)})),e.compiledQueryStringParams!==r.toString()&&(o.url!==`${window.location.pathname}?${r}`&&(i=`${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({searchParams:r,nextUrl:i,page:o})}))}}},it={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 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 at(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?lt(Object(r),!0).forEach((function(t){nt(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):lt(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function nt(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}var st=r(88055),ct=r.n(st),dt=r(76135),ut=r.n(dt),ht=r(7309),pt=r.n(ht),mt=r(87612),ft=r.n(mt),vt=r(40860),gt=r.n(vt),yt=r(21783);const bt={namespaced:!0,state:()=>({filters:[],originalFilters:[]}),getters:{filters:e=>e.filters,originalFilters:e=>e.originalFilters,hasFilters:e=>Boolean(e.filters.length>0),currentFilters:(e,t)=>ft()(e.filters).map((e=>({[e.class]:e.currentValue}))),currentEncodedFilters:(e,t)=>btoa((0,yt.L)(JSON.stringify(t.currentFilters))),filtersAreApplied:(e,t)=>t.activeFilterCount>0,activeFilterCount:(e,t)=>gt()(e.filters,((e,r)=>{const o=t.getOriginalFilter(r.class),i=JSON.stringify(o.currentValue);return JSON.stringify(r.currentValue)==i?e:e+1}),0),getFilter:e=>t=>pt()(e.filters,(e=>e.class==t)),getOriginalFilter:e=>t=>pt()(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 pt()(o.currentValue,((e,t)=>t==r))}},actions:{async fetchFilters({commit:e,state:t},r){let{resourceName:o,lens:i=!1}=r,{viaResource:l,viaResourceId:a,viaRelationship:n,relationshipType:s}=r,c={params:{viaResource:l,viaResourceId:a,viaRelationship:n,relationshipType:s}};const{data:d}=i?await Nova.request().get("/nova-api/"+o+"/lens/"+i+"/filters",c):await Nova.request().get("/nova-api/"+o+"/filters",c);e("storeFilters",d)},async resetFilterState({commit:e,getters:t}){ut()(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));ut()(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=pt()(e.filters,(e=>e.class==t));null!=o&&(o.currentValue=r)},storeFilters(e,t){e.filters=t,e.originalFilters=ct()(t)},clearFilters(e){e.filters=[],e.originalFilters=[]}}};var kt=r(63218),wt=r(44377),Ct=r.n(wt),xt=r(85015),Nt=r.n(xt),Bt=r(90179),St=r.n(Bt),Vt=r(52647),Rt=r(51504),Et=r.n(Rt),_t=r(65835),Ot=r(99820),Dt=r(5620);const At={class:"bg-white dark:bg-gray-800 flex items-center h-14 shadow-b dark:border-b dark:border-gray-700"},Ft={class:"hidden lg:w-60 shrink-0 md:flex items-center"},Pt={class:"flex flex-1 px-4 sm:px-8 lg:px-12"},Tt={class:"isolate relative flex items-center pl-6 ml-auto"},It={class:"relative z-50"},Mt={class:"relative z-[40] hidden md:flex ml-2"},jt={key:0,class:"lg:hidden w-60"},$t={class:"fixed inset-0 flex z-50"},zt={ref:"modalContent",class:"bg-white dark:bg-gray-800 relative flex flex-col max-w-xxs w-full"},Lt={class:"absolute top-0 right-0 -mr-12 pt-2"},Ut=["aria-label"],qt={class:"px-2 border-b border-gray-200 dark:border-gray-700"},Ht={class:"flex flex-col gap-2 justify-between h-full py-3 px-3 overflow-x-auto"},Kt={class:"py-1"},Wt={class:"mt-auto"},Gt={__name:"MainHeader",setup(e){const t=(0,J.Pj)(),r=(0,y.useTemplateRef)("modalContent"),{activate:o,deactivate:i}=(0,Dt.r)(r,{initialFocus:!0,allowOutsideClick:!1,escapeDeactivates:!1}),l=()=>t.commit("toggleMainMenu"),a=(0,y.computed)((()=>Nova.config("globalSearchEnabled"))),n=(0,y.computed)((()=>Nova.config("notificationCenterEnabled"))),s=(0,y.computed)((()=>t.getters.mainMenuShown)),c=(0,y.computed)((()=>Nova.config("appName")));return(0,y.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(),i()})),(0,y.onBeforeUnmount)((()=>{document.body.classList.remove("overflow-hidden"),Nova.resumeShortcuts(),i()})),(e,t)=>{const r=(0,y.resolveComponent)("AppLogo"),o=(0,y.resolveComponent)("Link"),i=(0,y.resolveComponent)("GlobalSearch"),d=(0,y.resolveComponent)("ThemeDropdown"),u=(0,y.resolveComponent)("NotificationCenter"),h=(0,y.resolveComponent)("UserMenu"),p=(0,y.resolveComponent)("MainMenu"),m=(0,y.resolveComponent)("MobileUserMenu");return(0,y.openBlock)(),(0,y.createElementBlock)("div",null,[(0,y.createElementVNode)("header",At,[(0,y.createVNode)((0,y.unref)(se.Button),{icon:"bars-3",class:"lg:hidden ml-1",variant:"action",onClick:(0,y.withModifiers)(l,["prevent"]),"aria-label":e.__("Toggle Sidebar"),"aria-expanded":s.value?"true":"false"},null,8,["aria-label","aria-expanded"]),(0,y.createElementVNode)("div",Ft,[(0,y.createVNode)(o,{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,y.withCtx)((()=>[(0,y.createVNode)(r,{class:"h-6"})])),_:1},8,["href","aria-label"]),(0,y.createVNode)((0,y.unref)(Ot.default))]),(0,y.createElementVNode)("div",Pt,[a.value?((0,y.openBlock)(),(0,y.createBlock)(i,{key:0,class:"relative",dusk:"global-search-component"})):(0,y.createCommentVNode)("",!0),(0,y.createElementVNode)("div",Tt,[(0,y.createVNode)(d),(0,y.createElementVNode)("div",It,[n.value?((0,y.openBlock)(),(0,y.createBlock)(u,{key:0})):(0,y.createCommentVNode)("",!0)]),(0,y.createElementVNode)("div",Mt,[(0,y.createVNode)(h)])])])]),((0,y.openBlock)(),(0,y.createBlock)(y.Teleport,{to:"body"},[(0,y.createVNode)(y.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,y.withCtx)((()=>[s.value?((0,y.openBlock)(),(0,y.createElementBlock)("div",jt,[(0,y.createElementVNode)("div",$t,[(0,y.createElementVNode)("div",{class:"fixed inset-0","aria-hidden":"true"},[(0,y.createElementVNode)("div",{onClick:l,class:"absolute inset-0 bg-gray-600/75 dark:bg-gray-900/75"})]),(0,y.createElementVNode)("div",zt,[(0,y.createElementVNode)("div",Lt,[(0,y.createElementVNode)("button",{onClick:(0,y.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")},t[0]||(t[0]=[(0,y.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,y.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M6 18L18 6M6 6l12 12"})],-1)]),8,Ut)]),(0,y.createElementVNode)("div",qt,[(0,y.createVNode)(o,{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,y.withCtx)((()=>[(0,y.createVNode)(r,{class:"h-6"})])),_:1},8,["href","aria-label"])]),(0,y.createElementVNode)("div",Ht,[(0,y.createElementVNode)("div",Kt,[(0,y.createVNode)(p,{"data-screen":"responsive"})]),(0,y.createElementVNode)("div",Wt,[(0,y.createVNode)(m)])]),t[1]||(t[1]=(0,y.createElementVNode)("div",{class:"shrink-0 w-14","aria-hidden":"true"},null,-1))],512)])])):(0,y.createCommentVNode)("",!0)])),_:1})]))])}}},Qt=(0,O.A)(Gt,[["__file","MainHeader.vue"]]),Zt=["innerHTML"],Jt=Object.assign({name:"Footer"},{__name:"Footer",setup(e){const t=(0,y.computed)((()=>Nova.config("footer")));return(e,r)=>((0,y.openBlock)(),(0,y.createElementBlock)("div",{class:"mt-8 leading-normal text-xs text-gray-500 space-y-1",innerHTML:t.value},null,8,Zt))}}),Yt=(0,O.A)(Jt,[["__file","Footer.vue"]]),Xt={id:"nova"},er={dusk:"content"},tr={class:"hidden lg:block lg:absolute left-0 bottom-0 lg:top-[56px] lg:bottom-auto w-60 px-3 py-8"},rr={class:"p-4 md:py-8 md:px-12 lg:ml-60 space-y-8"},or=Object.assign({name:"AppLayout"},{__name:"AppLayout",setup(e){const{__:t}=(0,_t.B)(),r=e=>{Nova.error(e)},o=()=>{Nova.$toasted.show(t("Sorry, your session has expired."),{action:{onClick:()=>Nova.redirectToLogin(),text:t("Reload")},duration:null,type:"error"}),setTimeout((()=>{Nova.redirectToLogin()}),5e3)},i=(0,y.computed)((()=>Nova.config("breadcrumbsEnabled")));return(0,y.onMounted)((()=>{Nova.$on("error",r),Nova.$on("token-expired",o)})),(0,y.onBeforeUnmount)((()=>{Nova.$off("error",r),Nova.$off("token-expired",o)})),(e,t)=>{const r=(0,y.resolveComponent)("MainMenu"),o=(0,y.resolveComponent)("Breadcrumbs"),l=(0,y.resolveComponent)("FadeTransition");return(0,y.openBlock)(),(0,y.createElementBlock)("div",Xt,[(0,y.createVNode)((0,y.unref)(Qt)),(0,y.createElementVNode)("div",er,[(0,y.createElementVNode)("div",tr,[(0,y.createVNode)(r,{class:"pb-24","data-screen":"desktop"})]),(0,y.createElementVNode)("div",rr,[i.value?((0,y.openBlock)(),(0,y.createBlock)(o,{key:0})):(0,y.createCommentVNode)("",!0),(0,y.createVNode)(l,null,{default:(0,y.withCtx)((()=>[(0,y.renderSlot)(e.$slots,"default")])),_:3}),(0,y.createVNode)((0,y.unref)(Yt))])])])}}}),ir=(0,O.A)(or,[["__file","AppLayout.vue"]]);var lr=r(91272),ar=r(80833);const{parseColor:nr}=r(50098),sr=new(Et());class cr{constructor(e){this.bootingCallbacks=[],this.appConfig=e,this.useShortcuts=!0,this.pages={"Nova.Attach":r(35694).A,"Nova.ConfirmPassword":r(32987).A,"Nova.Create":r(86796).A,"Nova.Dashboard":r(95008).A,"Nova.Detail":r(46351).A,"Nova.EmailVerification":r(48199).A,"Nova.UserSecurity":r(99962).A,"Nova.Error":r(36653).A,"Nova.Error403":r(17922).A,"Nova.Error404":r(47873).A,"Nova.ForgotPassword":r(75203).A,"Nova.Index":r(85915).A,"Nova.Lens":r(79714).A,"Nova.Login":r(11017).A,"Nova.Replicate":r(73464).A,"Nova.ResetPassword":r(74234).A,"Nova.TwoFactorChallenge":r(19791).A,"Nova.Update":r(59856).A,"Nova.UpdateAttached":r(96731).A},this.$toasted=new Vt.A({theme:"nova",position:e.rtlEnabled?"bottom-left":"bottom-right",duration:6e3}),this.$progress={start:e=>(0,b.TI)(e),done:()=>(0,b.Cv)()},this.$router=p.QB,!0===e.debug&&(this.$testing={timezone:e=>{lr.wB.defaultZoneName=e}}),this.__started=!1,this.__booted=!1,this.__deployed=!1}booting(e){this.bootingCallbacks.push(e)}boot(){this.store=(0,J.y$)(at(at({},ot),{},{modules:{nova:{namespaced:!0,modules:{notifications:it}}}})),this.bootingCallbacks.forEach((e=>e(this.app,this.store))),this.bootingCallbacks=[],this.__booted=!0}booted(e){e(this.app,this.store)}async countdown(){this.log("Initiating Nova countdown...");const e=this.config("appName");await(0,p.sj)({title:t=>t?`${t} - ${e}`:e,progress:{delay:250,includeCSS:!1,showSpinner:!1},resolve:e=>{const t=null!=this.pages[e]?this.pages[e]:r(47873).A;return t.layout=t.layout||ir,t},setup:({el:e,App:t,props:r,plugin:o})=>{this.debug("engine start"),this.mountTo=e,this.app=(0,y.createApp)({render:()=>(0,y.h)(t,r)}),this.app.use(o),this.app.use(kt.Ay,{preventOverflow:!0,flip:!0,themes:{Nova:{$extend:"tooltip",triggers:["click"],autoHide:!0,placement:"bottom",html:!0}}})}}).then((()=>{this.__started=!0,this.debug("engine ready"),this.deploy()}))}liftOff(){this.log("We have lift off!");let e=null;new MutationObserver((()=>{const t=document.documentElement.classList,r=t.contains("dark")?"dark":"light";r!==e&&(this.$emit("nova-theme-switched",{theme:r,element:t}),e=r)})).observe(document.documentElement,{attributes:!0,attributeOldValue:!0,attributeFilter:["class"]}),this.__booted||this.boot(),this.config("notificationCenterEnabled")&&(this.notificationPollingInterval=setInterval((()=>{document.hasFocus()&&this.$emit("refresh-notifications")}),this.config("notificationPollingInterval"))),this.deploy()}deploy(){if(!this.__started||!this.__booted||this.__deployed)return;var e,t;this.debug("engage thrusters"),this.registerStoreModules(),this.app.mixin(l.A),e=this,t=this.store,document.addEventListener("inertia:before",(()=>{(async()=>{e.debug("Syncing Inertia props to the store via `inertia:before`..."),await t.dispatch("assignPropsFromInertia")})()})),document.addEventListener("inertia:navigate",(()=>{(async()=>{e.debug("Syncing Inertia props to the store via `inertia:navigate`..."),await t.dispatch("assignPropsFromInertia")})()})),this.app.mixin({methods:{$url:(e,t)=>this.url(e,t)}}),this.component("Link",p.N_),this.component("InertiaLink",p.N_),this.component("Head",p.p3),function(e){e.component("CustomError403",M),e.component("CustomError404",F),e.component("CustomAppError",U),e.component("ResourceIndex",re),e.component("ResourceDetail",pe),e.component("AttachResource",je),e.component("UpdateAttachedResource",Ye);const t=r(60630);t.keys().forEach((r=>{const o=t(r),i=x()(w()(r.split("/").pop().replace(/\.\w+$/,"")));e.component(i,o.default||o)}))}(this),function(e){Xe(e,"Index",r(49020)),Xe(e,"Detail",r(11079)),Xe(e,"Form",r(67970)),Xe(e,"Filter",r(77978)),Xe(e,"Preview",r(87092))}(this),this.app.mount(this.mountTo);let o=tt().prototype.stopCallback;tt().prototype.stopCallback=(e,t,r)=>!this.useShortcuts||o.call(this,e,t,r),tt().init(),this.applyTheme(),this.log("All systems go..."),this.__deployed=!0}config(e){return this.appConfig[e]}form(e){return new a.l(e,{http:this.request()})}request(e=null){let t=s();return null!=e?t(e):t}url(e,t){return"/"===e&&(e=this.config("initialPath")),function(e,t,r){let o=new URLSearchParams(g()(r||{},f())).toString();return"/"==e&&t.startsWith("/")&&(e=""),e+t+(o.length>0?`?${o}`:"")}(this.config("base"),e,t)}hasSecurityFeatures(){const e=this.config("fortifyFeatures");return e.includes("update-passwords")||e.includes("two-factor-authentication")}$on(...e){sr.on(...e)}$once(...e){sr.once(...e)}$off(...e){sr.off(...e)}$emit(...e){sr.emit(...e)}missingResource(e){return null==this.config("resources").find((t=>t.uriKey===e))}addShortcut(e,t){tt().bind(e,t)}disableShortcut(e){tt().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,bt)}))}inertia(e,t){this.pages[e]=t}component(e,t){null==this.app._context.components[e]&&this.app.component(e,t)}hasComponent(e){return Boolean(null!=this.app._context.components[x()(w()(e))])}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){const r=h(document.querySelector('meta[name="locale"]').content)(e);return void 0!==t?r.format(t):r.format()}log(e,t="log"){console[t]("[NOVA]",e)}debug(e,t="log"){!0===(this.config("debug")??!1)&&("error"===t?console.error(e):this.log(e,t))}redirectToLogin(){const e=!this.config("withAuthentication")&&this.config("customLoginPath")?this.config("customLoginPath"):this.url("/login");this.visit({remote:!0,url:e})}visit(e,t={}){const r=t?.openInNewTab||null;if(Nt()(e))p.QB.visit(this.url(e),St()(t,["openInNewTab"]));else if(Nt()(e.url)&&e.hasOwnProperty("remote")){if(!0===e.remote)return void(!0===r?window.open(e.url,"_blank"):window.location=e.url);p.QB.visit(e.url,St()(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],i=nr(o);if(i){let e=nr(ar.GB.toRGBA(function(e){let t=Ct()(Array.from(e.mode).map(((t,r)=>[t,e.color[r]])));void 0!==e.alpha&&(t.a=e.alpha);return t}(i)));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(16792),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(76486);window.Vue=r(29726),window.LaravelNova=r(80510),window.LaravelNovaUtil=r(30043),window.createNovaApp=e=>new cr(e),i().defineMode("htmltwig",(function(e,t){return i().overlayMode(i().getMode(e,t.backdrop||"text/html"),i().getMode(e,"twig"))}))},65703:(e,t,r)=>{"use strict";r.d(t,{d:()=>f});var o=r(24767),i=r(29726),l=r(87612),a=r.n(l),n=r(23805),s=r.n(n),c=r(15101),d=r.n(c),u=r(44826),h=r.n(u),p=r(65835);const{__:m}=(0,p.B)();function f(e,t,r){const l=(0,i.reactive)({working:!1,errors:new o.I,actionModalVisible:!1,responseModalVisible:!1,selectedActionKey:"",endpoint:e.endpoint||`/nova-api/${e.resourceName}/action`,actionResponseData:null}),n=(0,i.computed)((()=>e.selectedResources)),c=(0,i.computed)((()=>{if(l.selectedActionKey)return u.value.find((e=>e.uriKey===l.selectedActionKey))})),u=(0,i.computed)((()=>e.actions.concat(e.pivotActions?.actions||[]))),p=(0,i.computed)((()=>r.getters[`${e.resourceName}/currentEncodedFilters`])),f=(0,i.computed)((()=>e.viaRelationship?e.viaRelationship+"_search":e.resourceName+"_search")),v=(0,i.computed)((()=>r.getters.queryStringParams[f.value]||"")),g=(0,i.computed)((()=>e.viaRelationship?e.viaRelationship+"_trashed":e.resourceName+"_trashed")),y=(0,i.computed)((()=>r.getters.queryStringParams[g.value]||"")),b=(0,i.computed)((()=>e.actions.filter((e=>n.value.length>0&&!e.standalone)))),k=(0,i.computed)((()=>e.pivotActions?e.pivotActions.actions.filter((e=>0!==n.value.length||e.standalone)):[])),w=(0,i.computed)((()=>k.value.length>0)),C=(0,i.computed)((()=>w.value&&Boolean(e.pivotActions.actions.find((e=>e===c.value))))),x=(0,i.computed)((()=>({action:l.selectedActionKey,pivotAction:C.value,search:v.value,filters:p.value,trashed:y.value,viaResource:e.viaResource,viaResourceId:e.viaResourceId,viaRelationship:e.viaRelationship}))),N=(0,i.computed)((()=>d()(new FormData,(e=>{if("all"===n.value)e.append("resources","all");else{let t=a()(n.value.map((e=>s()(e)?e.id.pivotValue:null)));n.value.forEach((t=>e.append("resources[]",s()(t)?t.id.value:t))),"all"!==n.value&&!0===C.value&&t.length>0&&t.forEach((t=>e.append("pivots[]",t)))}c.value.fields.forEach((t=>{t.fill(e)}))}))));function B(){c.value.withoutConfirmation?O():S()}function S(){l.actionModalVisible=!0}function V(){l.actionModalVisible=!1}function R(){l.responseModalVisible=!0}function E(e){t("actionExecuted"),Nova.$emit("action-executed"),"function"==typeof e&&e()}function _(e){if(e.danger)return Nova.error(e.danger);Nova.success(e.message||m("The action was executed successfully."))}function O(e){l.working=!0,Nova.$progress.start();let t=c.value.responseType??"json";Nova.request({method:"post",url:l.endpoint,params:x.value,data:N.value,responseType:t}).then((async t=>{V(),D(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(m("There was a problem executing the action.")))})).finally((()=>{l.working=!1,Nova.$progress.done()}))}function D(e,t,r){let o=t["content-disposition"];if(e instanceof Blob&&null==o&&"application/json"===e.type)e.text().then((e=>{D(JSON.parse(e),t)}));else{if(e instanceof Blob)return E((async()=>{let t="unknown";if(o){let e=o.split(";")[1].match(/filename=(.+)/);2===e.length&&(t=h()(e[1],'"'))}await(0,i.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)}))}));if(e.modal)return l.actionResponseData=e,_(e),R();if(e.download)return E((async()=>{_(e),await(0,i.nextTick)((()=>{let t=document.createElement("a");t.href=e.download,t.download=e.name,document.body.appendChild(t),t.click(),document.body.removeChild(t)}))}));if(e.deleted)return E((()=>_(e)));if(e.redirect){if(e.openInNewTab)return E((()=>window.open(e.redirect,"_blank")));window.location=e.redirect}if(e.visit)return _(e),Nova.visit({url:Nova.url(e.visit.path,e.visit.options),remote:!1});E((()=>_(e)))}}return{errors:(0,i.computed)((()=>l.errors)),working:(0,i.computed)((()=>l.working)),actionModalVisible:(0,i.computed)((()=>l.actionModalVisible)),responseModalVisible:(0,i.computed)((()=>l.responseModalVisible)),selectedActionKey:(0,i.computed)((()=>l.selectedActionKey)),determineActionStrategy:B,setSelectedActionKey:function(e){l.selectedActionKey=e},openConfirmationModal:S,closeConfirmationModal:V,openResponseModal:R,closeResponseModal:function(){l.responseModalVisible=!1},handleActionClick:function(e){l.selectedActionKey=e,B()},selectedAction:c,allActions:u,availableActions:b,availablePivotActions:k,executeAction:O,actionResponseData:(0,i.computed)((()=>l.actionResponseData))}}},10646:(e,t,r)=>{"use strict";r.d(t,{g:()=>i});var o=r(29726);function i(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)}}}},65835:(e,t,r)=>{"use strict";r.d(t,{B:()=>i});var o=r(42740);function i(){return{__:(e,t)=>(0,o.A)(e,t)}}},96040:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});class o{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 null!=r&&r.length>0?`${this.attribute}[${t}][${r.join("[")}`:`${this.attribute}[${e}]`}slug(e){return`${this.attribute}.${e}`}}},70821:(e,t,r)=>{"use strict";r.d(t,{A:()=>l,T:()=>i});const o={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()}}}};function i(){return{copyValueToClipboard:e=>o.methods.copyValueToClipboard(e)}}const l=o},67564:(e,t,r)=>{"use strict";r.d(t,{A:()=>x});var o=r(53110),i=r(38221),l=r.n(i),a=r(52420),n=r.n(a),s=r(58156),c=r.n(s),d=r(83488),u=r.n(d),h=r(62193),p=r.n(h),m=r(71086),f=r.n(m),v=r(19377),g=r(87941),y=r(70393),b=r(21783);function k(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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?k(Object(r),!0).forEach((function(t){C(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):k(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function C(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const x={extends:v.A,emits:["field-shown","field-hidden"],props:w(w({},(0,g.r)(["shownViaNewRelationModal","field","viaResource","viaResourceId","viaRelationship","resourceName","resourceId","relatedResourceName","relatedResourceId"])),{},{syncEndpoint:{type:String,required:!1}}),data:()=>({dependentFieldDebouncer:null,canceller:null,watchedFields:{},watchedEvents:{},syncedField:null,pivot:!1,editMode:"create"}),created(){this.dependentFieldDebouncer=l()((e=>e()),50)},mounted(){(0,y.A)(this.relatedResourceName)?(this.pivot=!0,(0,y.A)(this.relatedResourceId)?this.editMode="update-attached":this.editMode="attach"):(0,y.A)(this.resourceId)&&(this.editMode="update"),p()(this.dependsOn)||n()(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(),p()(this.watchedEvents)||n()(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:f()({editing:!0,editMode:this.editMode,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,field:this.fieldAttribute,inline:this.shownViaNewRelationModal,component:this.field.dependentComponentKey},u()),cancelToken:new o.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),null==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,o.FZ)(e))throw e}))},revertSyncedFieldToPreviousValue(e){},onSyncedField(){},emitOnSyncedFieldValueChange(){this.emitFieldValueChange(this.field.attribute,this.currentField.value)},syncedFieldValueHasNotChanged(){const e=this.currentField.value;return(0,y.A)(e)?!(0,y.A)(this.value):null!=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||c()(this.syncedField,"extraAttributes.readonly")):Boolean(this.field.readonly||c()(this.field,"extraAttributes.readonly"))},dependsOn(){return this.field.dependsOn||[]},currentFieldValues(){return{[this.fieldAttribute]:this.value}},dependentFieldValues(){return w(w({},this.currentFieldValues),this.watchedFields)},encodedDependentFieldValues(){return btoa((0,b.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`}}}},33362:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(70393),i=r(56449),l=r.n(i);const a={props:["field"],methods:{isEqualsToValue(e){return l()(this.field.value)&&(0,o.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,o.A)(this.field.value)},usesCustomizedDisplay(){return this.field.usesCustomizedDisplay&&(0,o.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}}}},98868:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});const o={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 null!=this.formUniqueId&&""!==this.formUniqueId},fieldAttributeValueEventName(){return this.getFieldAttributeValueEventName(this.fieldAttribute)},fieldAttributeChangeEventName(){return this.getFieldAttributeChangeEventName(this.fieldAttribute)}}}},19377:(e,t,r)=>{"use strict";r.d(t,{A:()=>s});var o=r(58156),i=r.n(o),l=r(87941);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 n(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const s={extends:r(98868).A,props:function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?a(Object(r),!0).forEach((function(t){n(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):a(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({},(0,l.r)(["nested","shownViaNewRelationModal","field","viaResource","viaResourceId","viaRelationship","resourceName","resourceId","showHelpText","mode"])),emits:["field-changed"],data(){return{value:this.fieldDefaultValue()}},created(){this.setInitialValue()},mounted(){this.field.fill=this.fill,Nova.$on(this.fieldAttributeValueEventName,this.listenToValueChanges)},beforeUnmount(){Nova.$off(this.fieldAttributeValueEventName,this.listenToValueChanges)},methods:{setInitialValue(){this.value=void 0!==this.field.value&&null!==this.field.value?this.field.value:this.fieldDefaultValue()},fieldDefaultValue:()=>"",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||i()(this.field,"extraAttributes.readonly"))},isActionRequest(){return["action-fullscreen","action-modal"].includes(this.mode)}}}},45506:(e,t,r)=>{"use strict";r.d(t,{A:()=>l});var o=r(87941),i=r(50436);const l={emits:["file-upload-started","file-upload-finished"],props:(0,o.r)(["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 l=new FormData;if(l.append("Content-Type",e.type),l.append("attachment",e),l.append("draftId",this.draftId),null==t&&(t=()=>{}),null==o&&(o=()=>{}),null==r)throw"Missing onCompleted parameter";this.$emit("file-upload-started"),Nova.request().post(`/nova-api/${this.resourceName}/field-attachment/${this.fieldAttribute}`,l,{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 i.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=>{Nova.debug("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(null!=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)}}}},27409:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(50436);const i={props:{formUniqueId:{type:String}},data:()=>({validationErrors:new o.I}),methods:{handleResponseError(e){Nova.debug(e,"error"),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 o.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 o.I}}}},24852:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});const o={emits:["field-shown","field-hidden"],data:()=>({visibleFieldsForPanel:{}}),created(){this.panel.fields.forEach((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.values(this.visibleFieldsForPanel).filter((e=>!0===e)).length}}}},64116:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});const o={data:()=>({isWorking:!1,fileUploadsCount:0}),methods:{handleFileUploadFinished(){this.fileUploadsCount--,this.fileUploadsCount<1&&(this.fileUploadsCount=0,this.isWorking=!1)},handleFileUploadStarted(){this.isWorking=!0,this.fileUploadsCount++}}}},95816:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(50436);const i={props:{errors:{default:()=>new o.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}`}}}},65256:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});const o={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 this.cards.filter((e=>1==e.onlyOnDetail)).length>0},extraCardParams:()=>null}}},48016:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});const o={computed:{resourceInformation(){return Nova.config("resources").find((e=>e.uriKey===this.resourceName))||null},viaResourceInformation(){if(this.viaResource)return Nova.config("resources").find((e=>e.uriKey===this.viaResource))||null},authorizedToCreate(){return!(["hasOneThrough","hasManyThrough"].indexOf(this.relationshipType)>=0)&&(this.resourceInformation?.authorizedToCreate||!1)}}}},15542:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(42740);const i={methods:{__:(e,t)=>(0,o.A)(e,t)}}},47965:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(86681);const i={props:{card:{type:Object,required:!0},dashboard:{type:String,required:!1},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},lens:{type:String,default:""}},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)},methods:{fetch(){this.loading=!0,(0,o.A)(Nova.request().get(this.metricEndpoint,this.metricPayload)).then(this.handleFetchCallback())},handleFetchCallback:()=>()=>{}},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/dashboards/cards/${this.dashboard}/metrics/${this.card.uriKey}`},metricPayload:()=>({})}}},79497:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(70393);const i={data:()=>({navigateBackUsingHistory:!0}),methods:{enableNavigateBackUsingHistory(){this.navigateBackUsingHistory=!1},disableNavigateBackUsingHistory(){this.navigateBackUsingHistory=!1},handleProceedingToPreviousPage(e=!1){e&&this.navigateBackUsingHistory&&window.history.back()},proceedToPreviousPage(e){(0,o.A)(e)?Nova.visit(e):Nova.visit("/")}}}},95094:(e,t,r)=>{"use strict";r.d(t,{A:()=>n});var o=r(66278);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 l(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n={props:{show:{type:Boolean,default:!1}},methods:l(l({},(0,o.PY)(["allowLeavingModal","preventLeavingModal"])),{},{updateModalStatus(){this.preventLeavingModal()},handlePreventModalAbandonment(e,t){if(!this.canLeaveModal)return window.confirm(this.__("Do you really want to leave? You have unsaved changes."))?(this.allowLeavingModal(),void e()):void t();e()}}),computed:l({},(0,o.L8)(["canLeaveModal"]))}},24767:(e,t,r)=>{"use strict";r.d(t,{x7:()=>i,pJ:()=>E,nl:()=>l.A,Tu:()=>p,Gj:()=>v.A,I:()=>pe.I,IR:()=>H,S0:()=>K.A,pF:()=>J,c_:()=>O.A,zB:()=>D.A,Qy:()=>A.A,B5:()=>g.A,sK:()=>Y.A,qR:()=>y.A,_w:()=>F.A,k6:()=>$.A,Kx:()=>he,Z4:()=>k,XJ:()=>V,Ye:()=>R.A,vS:()=>P,je:()=>_.A,Nw:()=>X,dn:()=>ee,Bz:()=>j,rd:()=>a.A,Uf:()=>n.A,IJ:()=>te,zJ:()=>T,rr:()=>o.r});var o=r(87941);const i={emits:["actionExecuted"],props:["resourceName","resourceId","resource","panel"],methods:{actionExecuted(){this.$emit("actionExecuted")}}};var l=r(70821),a=r(79497),n=r(95094),s=r(87612),c=r.n(s);function d(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 u(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?d(Object(r),!0).forEach((function(t){h(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):d(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function h(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const p={methods:{openDeleteModal(){this.deleteModalOpen=!0},deleteResources(e,t=null){return this.viaManyToMany?this.detachResources(e):Nova.request({url:"/nova-api/"+this.resourceName,method:"delete",params:u(u({},this.deletableQueryString),{resources:m(e)})}).then(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:u(u({},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:u(u(u({},this.deletableQueryString),{resources:m(e)}),{pivots:f(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:u(u({},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:u(u({},this.deletableQueryString),{resources:m(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:u(u({},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:u(u({},this.deletableQueryString),{resources:m(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:u(u({},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 m(e){return e.map((e=>e.id.value))}function f(e){return c()(e.map((e=>e.id.pivotValue)))}var v=r(67564),g=r(27409),y=r(64116),b=r(30043);const k={computed:{userTimezone:()=>Nova.config("userTimezone")||Nova.config("timezone"),usesTwelveHourTime(){let e=(new Intl.DateTimeFormat).resolvedOptions().locale;return 12===(0,b.hourCycle)(e)}}};var w=r(66278),C=r(5187),x=r.n(C);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 B(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?N(Object(r),!0).forEach((function(t){S(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):N(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function S(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const V={async created(){this.syncQueryString()},methods:B(B({},(0,w.i0)(["syncQueryString","updateQueryString"])),{},{pushAfterUpdatingQueryString(e){return this.updateQueryString(e).then((({searchParams:e,nextUrl:t,page:r})=>(x()(t)||Nova.$router.push({component:r.component,url:t,encryptHistory:r.encryptHistory,reserveScroll:!0,preserveState:!0}),new Promise(((o,i)=>{o({searchParams:e,nextUrl:t,page:r})})))))},visitAfterUpdatingQueryString(e){return this.updateQueryString(e).then((({searchParams:e,nextUrl:t})=>(x()(t)||Nova.$router.visit(t),new Promise(((r,o)=>{r({searchParams:e,nextUrl:t,page})})))))}}),computed:(0,w.L8)(["queryStringParams"])};var R=r(48016);r(15542);const E={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}};var _=r(47965),O=r(98868),D=r(19377),A=r(45506),F=r(95816);const P={props:(0,o.r)(["resourceName","viaRelationship"]),computed:{localStorageKey(){let e=this.resourceName;return this.viaRelationship&&(e=`${e}.${this.viaRelationship}`),`nova.resources.${e}.collapsed`}}},T={data:()=>({withTrashed:!1}),methods:{toggleWithTrashed(){this.withTrashed=!this.withTrashed},enableWithTrashed(){this.withTrashed=!0},disableWithTrashed(){this.withTrashed=!1}}};var I=r(38221),M=r.n(I);const j={data:()=>({search:"",selectedResourceId:null,availableResources:[]}),methods:{selectResource(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.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)}};var $=r(65256),z=r(42194),L=r.n(z);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 q(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const H={computed:{suggestionsId(){return`${this.fieldAttribute}-list`},suggestions(){let e=null!=this.syncedField?this.syncedField:this.field;return null==e.suggestions?[]:e.suggestions},suggestionsAttributes(){return function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?U(Object(r),!0).forEach((function(t){q(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):U(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({},L()({list:this.suggestions.length>0?this.suggestionsId:null},(e=>null==e)))}}};var K=r(33362),W=r(83488),G=r.n(W),Q=r(71086),Z=r.n(Q);const J={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.pushAfterUpdatingQueryString({[this.pageParameter]:1,[this.filterParameter]:""}),Nova.$emit("filter-reset")},filterChanged(){(this.$store.getters[`${this.resourceName}/filtersAreApplied`]||this.filterIsActive)&&(this.filterIsActive=!0,this.pushAfterUpdatingQueryString({[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`,Z()({resourceName:this.resourceName,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,relationshipType:this.relationshipType,lens:e},G())),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 Y=r(24852);const X={methods:{selectPreviousPage(){this.pushAfterUpdatingQueryString({[this.pageParameter]:this.currentPage-1})},selectNextPage(){this.pushAfterUpdatingQueryString({[this.pageParameter]:this.currentPage+1})}},computed:{currentPage(){return parseInt(this.queryStringParams[this.pageParameter]||1)}}},ee={data:()=>({perPage:25}),methods:{initializePerPageFromQueryString(){this.perPage=this.currentPerPage},perPageChanged(){this.pushAfterUpdatingQueryString({[this.perPageParameter]:this.perPage})}},computed:{currentPerPage(){return this.queryStringParams[this.perPageParameter]||25}}},te={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 re=r(29726),oe=r(7309),ie=r.n(oe),le=r(79859),ae=r.n(le),ne=r(55808),se=r.n(ne);function ce(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 de(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?ce(Object(r),!0).forEach((function(t){ue(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):ce(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function ue(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const he={mixins:[J,V],props:de(de({},(0,o.r)(["resourceName","viaResource","viaResourceId","viaRelationship","relationshipType","disablePagination"])),{},{field:{type:Object},initialPerPage:{type:Number,required:!1}}),provide(){return{resourceHasId:(0,re.computed)((()=>this.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,resourceHasSoleActions:!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(ae()(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.pushAfterUpdatingQueryString({[this.orderByParameter]:e.sortableUriKey,[this.orderByDirectionParameter]:t})},resetOrderBy(e){this.pushAfterUpdatingQueryString({[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.pushAfterUpdatingQueryString({[this.trashedParameter]:this.trashed})},updatePerPageChanged(e){this.perPage=e,this.perPageChanged()},selectPage(e){this.pushAfterUpdatingQueryString({[this.pageParameter]:e})},initializePerPageFromQueryString(){this.perPage=this.queryStringParams[this.perPageParameter]||this.initialPerPage||this.resourceInformation?.perPageOptions[0]||null},closeDeleteModal(){this.deleteModalOpen=!1},performSearch(){this.pushAfterUpdatingQueryString({[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 this.selectedResources.map((e=>e.id.value))},selectedPivotIds(){return this.selectedResources.map((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?se()(this.field.singularLabel):this.resourceInformation?se()(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)},shouldShowSelectAllCheckboxes(){return!1!==this.hasResources&&(!1!==this.resourceHasId&&(!(!this.authorizedToDeleteAnyResources&&!this.canShowDeleteMenu)||(!0===this.resourceHasActions||void 0)))},shouldShowCheckboxes(){return this.hasResources&&this.resourceHasId&&Boolean(this.resourceHasActions||this.resourceHasSoleActions||this.authorizedToDeleteAnyResources||this.canShowDeleteMenu)},shouldShowDeleteMenu(){return Boolean(this.selectedResources.length>0)&&this.canShowDeleteMenu},authorizedToDeleteSelectedResources(){return Boolean(ie()(this.selectedResources,(e=>e.authorizedToDelete)))},authorizedToForceDeleteSelectedResources(){return Boolean(ie()(this.selectedResources,(e=>e.authorizedToForceDelete)))},authorizedToViewAnyResources(){return this.resources.length>0&&this.resourceHasId&&Boolean(ie()(this.resources,(e=>e.authorizedToView)))},authorizedToUpdateAnyResources(){return this.resources.length>0&&this.resourceHasId&&Boolean(ie()(this.resources,(e=>e.authorizedToUpdate)))},authorizedToDeleteAnyResources(){return this.resources.length>0&&this.resourceHasId&&Boolean(ie()(this.resources,(e=>e.authorizedToDelete)))},authorizedToForceDeleteAnyResources(){return this.resources.length>0&&this.resourceHasId&&Boolean(ie()(this.resources,(e=>e.authorizedToForceDelete)))},authorizedToRestoreSelectedResources(){return this.resourceHasId&&Boolean(ie()(this.selectedResources,(e=>e.authorizedToRestore)))},authorizedToRestoreAnyResources(){return this.resources.length>0&&this.resourceHasId&&Boolean(ie()(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 this.allActions.filter((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}}};var pe=r(50436)},80510:(e,t,r)=>{"use strict";r.r(t),r.d(t,{CopiesToClipboard:()=>i.A,DependentFormField:()=>n.A,Errors:()=>k.I,FieldValue:()=>p.A,FormEvents:()=>m.A,FormField:()=>f.A,HandlesFieldAttachments:()=>v.A,HandlesFormRequest:()=>s.A,HandlesPanelVisibility:()=>b.A,HandlesUploads:()=>c.A,HandlesValidationErrors:()=>g.A,HasCards:()=>y.A,InteractsWithResourceInformation:()=>d.A,Localization:()=>u.A,MetricBehavior:()=>h.A,PreventsFormAbandonment:()=>l.A,PreventsModalAbandonment:()=>a.A,mapProps:()=>o.r,useCopyValueToClipboard:()=>i.T,useLocalization:()=>w.B});var o=r(87941),i=r(70821),l=r(79497),a=r(95094),n=r(67564),s=r(27409),c=r(64116),d=r(48016),u=r(15542),h=r(47965),p=r(33362),m=r(98868),f=r(19377),v=r(45506),g=r(95816),y=r(65256),b=r(24852),k=r(50436),w=r(65835)},87941:(e,t,r)=>{"use strict";r.d(t,{r:()=>a});var o=r(44383),i=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 a(e){return i()(l,e)}},1242:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});const o={fetchAvailableResources:(e,t,r)=>Nova.request().get(`/nova-api/${e}/associatable/${t}`,r),determineIfSoftDeletes:e=>Nova.request().get(`/nova-api/${e}/soft-deletes`)}},52191:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(70393);const i={fetchAvailableResources(e,t,r,i){const l=(0,o.A)(t)?`/nova-api/${e}/${t}/attachable/${r}`:`/nova-api/${e}/attachable/${r}`;return Nova.request().get(l,i)},determineIfSoftDeletes:e=>Nova.request().get(`/nova-api/${e}/soft-deletes`)}},25019:(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`)}},50436:(e,t,r)=>{"use strict";r.d(t,{I:()=>h,l:()=>u});const o=["__http","__options","__validateRequestType","clear","data","delete","errors","getError","getErrors","hasError","initial","onFail","only","onSuccess","patch","populate","post","processing","successful","put","reset","submit","withData","withErrors","withOptions"];function i(e){if(-1!==o.indexOf(e))throw new Error(`Field name ${e} isn't allowed to be used in a Form or Errors instance.`)}function l(e){return e instanceof File||e instanceof FileList}function a(e,t){for(const r in t)e[r]=n(t[r])}function n(e){if(null===e)return null;if(l(e))return e;if(Array.isArray(e)){const t=[];for(const r in e)e.hasOwnProperty(r)&&(t[r]=n(e[r]));return t}if("object"==typeof e){const t={};for(const r in e)e.hasOwnProperty(r)&&(t[r]=n(e[r]));return t}return e}function s(e,t=new FormData,r=null){if(null===e||"undefined"===e||0===e.length)return t.append(r,e);for(const o in e)e.hasOwnProperty(o)&&d(t,c(r,o),e[o]);return t}function c(e,t){return e?e+"["+t+"]":t}function d(e,t,r){return r instanceof Date?e.append(t,r.toISOString()):r instanceof File?e.append(t,r,r.name):"boolean"==typeof r?e.append(t,r?"1":"0"):null===r?e.append(t,""):"object"!=typeof r?e.append(t,r):void s(r,e,t)}class u{constructor(e={},t={}){this.processing=!1,this.successful=!1,this.withData(e).withOptions(t).withErrors({})}withData(e){var t;t=e,"[object Array]"===Object.prototype.toString.call(t)&&(e=e.reduce(((e,t)=>(e[t]="",e)),{})),this.setInitialValues(e),this.errors=new h,this.processing=!1,this.successful=!1;for(const t in e)i(t),this[t]=e[t];return this}withErrors(e){return this.errors=new h(e),this}withOptions(e){this.__options={resetOnSuccess:!0},e.hasOwnProperty("resetOnSuccess")&&(this.__options.resetOnSuccess=e.resetOnSuccess),e.hasOwnProperty("onSuccess")&&(this.onSuccess=e.onSuccess),e.hasOwnProperty("onFail")&&(this.onFail=e.onFail);const t="undefined"!=typeof window&&window.axios;if(this.__http=e.http||t||r(86425),!this.__http)throw new Error("No http library provided. Either pass an http option, or install axios.");return this}data(){const e={};for(const t in this.initial)e[t]=this[t];return e}only(e){return e.reduce(((e,t)=>(e[t]=this[t],e)),{})}reset(){a(this,this.initial),this.errors.clear()}setInitialValues(e){this.initial={},a(this.initial,e)}populate(e){return Object.keys(e).forEach((t=>{i(t),this.hasOwnProperty(t)&&a(this,{[t]:e[t]})})),this}clear(){for(const e in this.initial)this[e]="";this.errors.clear()}post(e){return this.submit("post",e)}put(e){return this.submit("put",e)}patch(e){return this.submit("patch",e)}delete(e){return this.submit("delete",e)}submit(e,t){return this.__validateRequestType(e),this.errors.clear(),this.processing=!0,this.successful=!1,new Promise(((r,o)=>{this.__http[e](t,this.hasFiles()?s(this.data()):this.data()).then((e=>{this.processing=!1,this.onSuccess(e.data),r(e.data)})).catch((e=>{this.processing=!1,this.onFail(e),o(e)}))}))}hasFiles(){for(const e in this.initial)if(this.hasFilesDeep(this[e]))return!0;return!1}hasFilesDeep(e){if(null===e)return!1;if("object"==typeof e)for(const t in e)if(e.hasOwnProperty(t)&&this.hasFilesDeep(e[t]))return!0;if(Array.isArray(e))for(const t in e)if(e.hasOwnProperty(t))return this.hasFilesDeep(e[t]);return l(e)}onSuccess(e){this.successful=!0,this.__options.resetOnSuccess&&this.reset()}onFail(e){this.successful=!1,e.response&&e.response.data.errors&&this.errors.record(e.response.data.errors)}hasError(e){return this.errors.has(e)}getError(e){return this.errors.first(e)}getErrors(e){return this.errors.get(e)}__validateRequestType(e){const t=["get","delete","head","post","put","patch"];if(-1===t.indexOf(e))throw new Error(`\`${e}\` is not a valid request type, must be one of: \`${t.join("`, `")}\`.`)}static create(e={}){return(new u).withData(e)}}class h{constructor(e={}){this.record(e)}all(){return this.errors}has(e){let t=this.errors.hasOwnProperty(e);if(!t){t=Object.keys(this.errors).filter((t=>t.startsWith(`${e}.`)||t.startsWith(`${e}[`))).length>0}return t}first(e){return this.get(e)[0]}get(e){return this.errors[e]||[]}any(e=[]){if(0===e.length)return Object.keys(this.errors).length>0;let t={};return e.forEach((e=>t[e]=this.get(e))),t}record(e={}){this.errors=e}clear(e){if(!e)return void(this.errors={});let t=Object.assign({},this.errors);Object.keys(t).filter((t=>t===e||t.startsWith(`${e}.`)||t.startsWith(`${e}[`))).forEach((e=>delete t[e])),this.errors=t}}},21783:(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})},70393:(e,t,r)=>{"use strict";function o(e){return Boolean(null!=e&&""!==e)}r.d(t,{A:()=>o})},30043:(e,t,r)=>{"use strict";r.r(t),r.d(t,{filled:()=>o.A,hourCycle:()=>i,increaseOrDecrease:()=>l,minimum:()=>a.A,singularOrPlural:()=>u});var o=r(70393);function i(e){let t=Intl.DateTimeFormat(e,{hour:"numeric"}).resolvedOptions().hourCycle;return"h23"==t||"h24"==t?24:12}function l(e,t){return 0===t?null:e>t?(e-t)/Math.abs(t)*100:(t-e)/Math.abs(t)*-100}var a=r(86681),n=r(23727),s=r.n(n),c=r(85015),d=r.n(c);function u(e,t){return d()(t)&&null==t.match(/^(.*)[A-Za-zÀ-ÖØ-öø-ÿ]$/)?t:e>1||0==e?s().pluralize(t):s().singularize(t)}},42740:(e,t,r)=>{"use strict";function o(e,t){let r=Nova.config("translations")[e]?Nova.config("translations")[e]:e;return Object.entries(t??{}).forEach((([e,t])=>{if(e=new String(e),null===t)return void console.error(`Translation '${r}' for key '${e}' contains a null replacement.`);t=new String(t);const o=[":"+e,":"+e.toUpperCase(),":"+e.charAt(0).toUpperCase()+e.slice(1)],i=[t,t.toUpperCase(),t.charAt(0).toUpperCase()+t.slice(1)];for(let e=o.length-1;e>=0;e--)r=r.replace(o[e],i[e])})),r}r.d(t,{A:()=>o})},86681:(e,t,r)=>{"use strict";function o(e,t=100){return Promise.all([e,new Promise((e=>{setTimeout((()=>e()),t)}))]).then((e=>e[0]))}r.d(t,{A:()=>o})},43478:()=>{},65215:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726),i=r(65703),l=r(66278);const a={value:"",disabled:"",selected:""},n={__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=t,n=e,s=(0,o.ref)(""),c=(0,l.Pj)(),{errors:d,actionModalVisible:u,responseModalVisible:h,openConfirmationModal:p,closeConfirmationModal:m,closeResponseModal:f,handleActionClick:v,selectedAction:g,setSelectedActionKey:y,determineActionStrategy:b,working:k,executeAction:w,availableActions:C,availablePivotActions:x,actionResponseData:N}=(0,i.d)(n,r,c);(0,o.watch)(s,(e=>{""!=e&&(y(e),b(),(0,o.nextTick)((()=>s.value="")))}));const B=(0,o.computed)((()=>[...C.value.map((e=>({value:e.uriKey,label:e.name,disabled:!1===e.authorizedToRun}))),...x.value.map((e=>({group:n.pivotName,value:e.uriKey,label:e.name,disabled:!1===e.authorizedToRun})))]));return(t,r)=>{const i=(0,o.resolveComponent)("SelectControl");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[B.value.length>0?((0,o.openBlock)(),(0,o.createBlock)(i,(0,o.mergeProps)({key:0},t.$attrs,{ref:"actionSelectControl",modelValue:s.value,"onUpdate:modelValue":r[0]||(r[0]=e=>s.value=e),options:B.value,size:"xs",class:{"max-w-[6rem]":"auto"===e.width,"w-full":"full"===e.width},dusk:"action-select","aria-label":t.__("Select Action")}),{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",a,(0,o.toDisplayString)(t.__("Actions")),1)])),_:1},16,["modelValue","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)(k),"selected-resources":e.selectedResources,"resource-name":e.resourceName,action:(0,o.unref)(g),errors:(0,o.unref)(d),onConfirm:(0,o.unref)(w),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)(N)?.modal),{key:2,show:(0,o.unref)(h),onConfirm:(0,o.unref)(f),onClose:(0,o.unref)(f),data:(0,o.unref)(N)},null,40,["show","onConfirm","onClose","data"])):(0,o.createCommentVNode)("",!0)],64)}}};const s=(0,r(66262).A)(n,[["__file","ActionSelector.vue"]])},72172:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i=Object.assign({inheritAttrs:!1},{__name:"AppLogo",setup(e){const t=(0,o.computed)((()=>Nova.config("logo")));return(e,r)=>{const i=(0,o.resolveComponent)("PassthroughLogo");return t.value?((0,o.openBlock)(),(0,o.createBlock)(i,{key:0,logo:t.value,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"},r[0]||(r[0]=[(0,o.createStaticVNode)('<defs><radialGradient cx="-4.619%" cy="6.646%" fx="-4.619%" fy="6.646%" r="101.342%" gradientTransform="matrix(.8299 .53351 -.5579 .79363 .03 .038)" id="a"><stop stop-color="#00FFC4" offset="0%"></stop><stop stop-color="#00E1FF" offset="100%"></stop></radialGradient></defs><g fill-rule="nonzero" fill="none"><path d="M30.343 9.99a14.757 14.757 0 0 1 .046 20.972 18.383 18.383 0 0 1-13.019 5.365A18.382 18.382 0 0 1 3.272 29.79c7.209 5.955 17.945 5.581 24.713-1.118a11.477 11.477 0 0 0 0-16.345c-4.56-4.514-11.953-4.514-16.513 0a4.918 4.918 0 0 0 0 7.006 5.04 5.04 0 0 0 7.077 0 1.68 1.68 0 0 1 2.359 0 1.639 1.639 0 0 1 0 2.333 8.4 8.4 0 0 1-11.794 0 8.198 8.198 0 0 1 0-11.674c5.861-5.805 15.366-5.805 21.229 0ZM17.37 0a18.38 18.38 0 0 1 14.097 6.538C24.257.583 13.52.958 6.756 7.653v.002a11.477 11.477 0 0 0 0 16.346c4.558 4.515 11.95 4.515 16.51 0a4.918 4.918 0 0 0 0-7.005 5.04 5.04 0 0 0-7.077 0 1.68 1.68 0 0 1-2.358 0 1.639 1.639 0 0 1 0-2.334 8.4 8.4 0 0 1 11.794 0 8.198 8.198 0 0 1 0 11.674c-5.862 5.805-15.367 5.805-21.23 0a14.756 14.756 0 0 1-.02-20.994A18.383 18.383 0 0 1 17.37 0Z" fill="url(#a)"></path><path d="M59.211 27.49a1.68 1.68 0 0 0 1.69-1.69 1.68 1.68 0 0 0-1.69-1.69h-6.88V12.306c0-1.039-.82-1.86-1.86-1.86-1.037 0-1.858.821-1.858 1.86v13.325c0 1.039.82 1.858 1.859 1.858h8.74Zm9.318-13.084c2.004 0 3.453.531 4.37 1.448.965.967 1.4 2.39 1.4 4.13v5.888c0 .99-.798 1.763-1.787 1.763-1.062 0-1.763-.749-1.763-1.52v-.026c-.893.99-2.123 1.642-3.91 1.642-2.438 0-4.441-1.4-4.441-3.959v-.048c0-2.824 2.148-4.128 5.214-4.128a9.195 9.195 0 0 1 3.163.532v-.218c0-1.521-.944-2.366-2.777-2.366a8.416 8.416 0 0 0-2.535.361 1.525 1.525 0 0 1-.53.098c-.846 0-1.521-.652-1.521-1.496 0-.635.394-1.203.989-1.425 1.16-.435 2.414-.676 4.128-.676Zm-.05 7.387c-1.567 0-2.533.628-2.533 1.786v.047c0 .99.821 1.57 2.005 1.57h-.001l.195-.004c1.541-.066 2.59-.915 2.672-2.113l.005-.151v-.653c-.628-.289-1.448-.482-2.342-.482Zm10.817 5.842c1.014 0 1.833-.82 1.833-1.835v-3.428c0-2.607 1.04-4.03 2.898-4.465.748-.17 1.375-.75 1.375-1.714 0-1.04-.652-1.787-1.785-1.787-1.088 0-1.956 1.159-2.486 2.415v-.58a1.835 1.835 0 1 0-3.67 0v9.56c0 1.013.82 1.833 1.833 1.833l.002.001Zm13.01-13.229c2.005 0 3.453.531 4.37 1.448.965.967 1.4 2.39 1.4 4.13v5.888c0 .99-.797 1.763-1.786 1.763-1.063 0-1.763-.749-1.763-1.52v-.026c-.893.99-2.123 1.643-3.911 1.643-2.438-.001-4.44-1.401-4.44-3.96v-.048c0-2.824 2.148-4.128 5.214-4.128a9.195 9.195 0 0 1 3.162.532v-.218c0-1.521-.943-2.366-2.776-2.366a8.416 8.416 0 0 0-2.535.361 1.525 1.525 0 0 1-.53.098c-.847 0-1.522-.652-1.522-1.496 0-.635.395-1.203.99-1.425 1.16-.435 2.413-.676 4.127-.676Zm-.048 7.387c-1.568 0-2.534.628-2.534 1.786v.047c0 .99.821 1.57 2.003 1.57 1.714 0 2.872-.94 2.872-2.268v-.653c-.627-.289-1.447-.482-2.341-.482Zm14.17 5.963c.99 0 1.667-.653 2.076-1.593l3.959-9.15c.072-.169.194-.555.194-.869a1.736 1.736 0 0 0-1.764-1.738c-.965 0-1.472.628-1.712 1.255l-2.825 7.556-2.775-7.508c-.267-.748-.798-1.303-1.788-1.303-.989 0-1.786.845-1.786 1.714 0 .338.097.652.194.894l3.959 9.149c.41.965 1.086 1.593 2.075 1.593h.194-.001Zm13.977-13.447c4.321 0 6.228 3.55 6.228 6.228 0 1.063-.748 1.763-1.714 1.763h-7.265c.362 1.665 1.52 2.535 3.162 2.535a4.237 4.237 0 0 0 2.607-.87 1.37 1.37 0 0 1 .894-.29c.82 0 1.423.63 1.423 1.449 0 .483-.216.846-.483 1.086-1.134.967-2.607 1.57-4.49 1.57-3.886 0-6.758-2.728-6.758-6.687v-.047c0-3.695 2.63-6.737 6.396-6.737Zm0 2.945c-1.52 0-2.51 1.086-2.8 2.753h5.528c-.217-1.642-1.183-2.753-2.728-2.753Zm11.033 10.381c1.014 0 1.833-.82 1.833-1.835V11.556a1.834 1.834 0 0 0-3.668 0V25.8c0 1.014.82 1.833 1.833 1.833l.002.003Zm14.75 0c1.013 0 1.833-.82 1.833-1.835v-9.053l7.435 9.753c.507.653 1.039 1.086 1.93 1.086h.123c1.037 0 1.858-.82 1.858-1.858V12.283a1.835 1.835 0 0 0-3.67 0v8.713l-7.17-9.415c-.505-.651-1.037-1.086-1.93-1.086h-.386c-1.038 0-1.859.821-1.859 1.859v13.445c0 1.014.82 1.836 1.834 1.836h.001Zm23.244-13.326c4.007 0 6.976 2.97 6.976 6.687v.048c0 3.719-2.993 6.735-7.024 6.735-4.007 0-6.976-2.97-6.976-6.686v-.047c0-3.719 2.993-6.737 7.024-6.737Zm-.048 3.163c-2.1 0-3.355 1.617-3.355 3.524v.048c0 1.907 1.375 3.573 3.403 3.573 2.1 0 3.355-1.617 3.355-3.524v-.049c0-1.905-1.375-3.572-3.403-3.572Zm14.798 10.284c.99 0 1.664-.653 2.076-1.593l3.958-9.15c.072-.169.195-.555.195-.869a1.736 1.736 0 0 0-1.764-1.738c-.966 0-1.473.628-1.713 1.255l-2.825 7.556-2.777-7.508c-.264-.748-.796-1.303-1.786-1.303-.989 0-1.786.845-1.786 1.714 0 .338.097.652.194.894l3.959 9.149c.41.965 1.086 1.593 2.075 1.593h.194Zm13.76-13.35c2.003 0 3.451.531 4.368 1.448.967.967 1.4 2.39 1.4 4.13v5.888c0 .99-.796 1.763-1.786 1.763-1.061 0-1.761-.749-1.761-1.52v-.026c-.894.99-2.126 1.642-3.91 1.642-2.44 0-4.444-1.4-4.444-3.959v-.048c0-2.824 2.149-4.128 5.215-4.128a9.195 9.195 0 0 1 3.162.532v-.218c0-1.521-.942-2.366-2.776-2.366a8.416 8.416 0 0 0-2.535.361 1.52 1.52 0 0 1-.53.098c-.845 0-1.522-.652-1.522-1.496 0-.636.395-1.204.99-1.425 1.159-.435 2.415-.676 4.129-.676Zm-.049 7.387c-1.57 0-2.535.628-2.535 1.786v.047c0 .99.821 1.57 2.004 1.57 1.714 0 2.873-.94 2.873-2.268v-.653c-.628-.289-1.449-.482-2.342-.482Z" class="fill-current text-gray-600 dark:text-white"></path></g>',2)]),2))}}});const l=(0,r(66262).A)(i,[["__file","AppLogo.vue"]])},39383:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["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,i))}};const a=(0,r(66262).A)(l,[["__file","Avatar.vue"]])},62953:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i=Object.assign({inheritAttrs:!1},{__name:"Backdrop",props:{show:{type:Boolean,default:!1}},setup(e){const t=(0,o.ref)(),r=()=>{t.value=window.scrollY};return(0,o.onMounted)((()=>{r(),document.addEventListener("scroll",r)})),(0,o.onBeforeUnmount)((()=>{document.removeEventListener("scroll",r)})),(r,i)=>(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("div",(0,o.mergeProps)(r.$attrs,{class:"absolute inset-0 h-full",style:{top:`${t.value}px`}}),null,16)),[[o.vShow,e.show]])}});const l=(0,r(66262).A)(i,[["__file","Backdrop.vue"]])},57091:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={__name:"Badge",props:{label:{type:[Boolean,String],required:!1},extraClasses:{type:[Array,String],required:!1}},setup:e=>(t,r)=>((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",e.extraClasses])},[(0,o.renderSlot)(t.$slots,"icon"),(0,o.renderSlot)(t.$slots,"default",{},(()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.label),1)]))],2))};const l=(0,r(66262).A)(i,[["__file","Badge.vue"]])},82958:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={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={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("span",i,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","CircleBadge.vue"]])},95564:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);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 l(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n={emits:["change"],props:{resourceName:{type:String,required:!0},filter:Object,option:Object,label:{default:"name"}},methods:{labelFor(e){return e[this.label]||""},updateCheckedState(e,t){let r=l(l({},this.filter.currentValue),{},{[e]:t});this.$store.commit(`${this.resourceName}/updateFilterState`,{filterClass:this.filter.class,value:r}),this.$emit("change")}},computed:{isChecked(){return 1==this.$store.getters[`${this.resourceName}/filterOptionValue`](this.filter.class,this.option.value)}}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("CheckboxWithLabel");return(0,o.openBlock)(),(0,o.createBlock)(n,{dusk:`${r.option.value}-checkbox`,checked:a.isChecked,onInput:t[0]||(t[0]=e=>a.updateCheckedState(r.option.value,e.target.checked))},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.labelFor(r.option)),1)])),_:1},8,["dusk","checked"])}],["__file","BooleanOption.vue"]])},1780:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726),i=r(38221),l=r.n(i);const a={__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});return(i,l)=>{const a=(0,o.resolveComponent)("CopyIcon");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onClick:l[0]||(l[0]=(...e)=>(0,o.unref)(r)&&(0,o.unref)(r)(...e)),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)(i.$slots,"default"),e.withIcon?((0,o.openBlock)(),(0,o.createBlock)(a,{key:0,copied:t.value},null,8,["copied"])):(0,o.createCommentVNode)("",!0)],2)}}};const n=(0,r(66262).A)(a,[["__file","CopyButton.vue"]])},77518:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);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 l(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n=Object.assign({inheritAttrs:!1},{__name:"InertiaButton",props:{size:{type:String,default:"md",validator:e=>["sm","md"].includes(e)},variant:{type:String,default:"button",validator:e=>["button","outline"].includes(e)}},setup(e){const t=e,r=(0,o.computed)((()=>"button"===t.variant?{"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":!0,"px-4 h-9 text-sm":"md"===t.size,"px-3 h-7 text-xs":"sm"===t.size}:"focus:outline-none ring-primary-200 dark:ring-gray-600 focus:ring-2 rounded border-2 border-gray-200 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"));return(e,t)=>{const i=(0,o.resolveComponent)("Link");return(0,o.openBlock)(),(0,o.createBlock)(i,(0,o.mergeProps)(l(l({},e.$props),e.$attrs),{class:r.value}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},16,["class"])}}});const s=(0,r(66262).A)(n,[["__file","InertiaButton.vue"]])},23105:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726),i=r(74640);const l={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"},a={__name:"InvertedButton",props:{iconType:{type:String,default:"plus-circle"}},setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("button",l,[(0,o.createVNode)((0,o.unref)(i.Icon),{name:e.iconType,class:"inline-block"},null,8,["name"]),(0,o.createElementVNode)("span",null,[(0,o.renderSlot)(t.$slots,"default")])]))};const n=(0,r(66262).A)(a,[["__file","InvertedButton.vue"]])},61070:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"relative overflow-hidden bg-white dark:bg-gray-800 rounded-lg shadow"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","Card.vue"]])},40506:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:{card:{type:Object,required:!0},resource:{type:Object,required:!1},dashboard:{type:String,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)(i,[["render",function(e,t,r,i,l,a){return(0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(r.card.component),{class:(0,o.normalizeClass)([[a.widthClass,a.heightClass],"h-full"]),key:`${r.card.component}.${r.card.uriKey}`,card:r.card,dashboard:r.dashboard,resource:r.resource,resourceName:r.resourceName,resourceId:r.resourceId,lens:r.lens},null,8,["class","card","dashboard","resource","resourceName","resourceId","lens"])}],["__file","CardWrapper.vue"]])},90581:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:1,class:"grid md:grid-cols-12 gap-6"};var l=r(24767),a=r(70393);const n={mixins:[l.pJ],props:{cards:Array,resource:{type:Object,required:!1},dashboard:{type:String,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?this.cards.filter((e=>1==e.onlyOnDetail)):this.cards.filter((e=>0==e.onlyOnDetail))},localStorageKey(){let e=this.resourceName;return e=(0,a.A)(this.dashboard)?`dashboard.${this.dashboard}`:(0,a.A)(this.lens)?`lens.${e}.${this.lens}`:(0,a.A)(this.resourceId)?`resource.${e}.${this.resourceId}`:`resource.${e}`,`nova.cards.${e}.collapsed`}}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,l,a,n){const s=(0,o.resolveComponent)("CollapseButton"),c=(0,o.resolveComponent)("CardWrapper");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[n.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),n.filteredCards.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(n.filteredCards,(t=>(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(c,{card:t,dashboard:r.dashboard,resource:r.resource,"resource-name":r.resourceName,"resource-id":r.resourceId,key:`${t.component}.${t.uriKey}`,lens:r.lens},null,8,["card","dashboard","resource","resource-name","resource-id","lens"])),[[o.vShow,!e.collapsed]]))),128))])):(0,o.createCommentVNode)("",!0)])}],["__file","Cards.vue"]])},29433:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>k});var o=r(29726);const i={class:"flex justify-center items-center"},l={class:"w-full"},a={class:"md:grid md:grid-cols-2"},n={class:"border-r border-b border-gray-200 dark:border-gray-700"},s=["href"],c={class:"border-b border-gray-200 dark:border-gray-700"},d=["href"],u={class:"border-r border-b border-gray-200 dark:border-gray-700"},h=["href"],p={class:"border-b border-gray-200 dark:border-gray-700"},m=["href"],f={class:"border-r md:border-b-0 border-b border-gray-200 dark:border-gray-700"},v=["href"],g={class:"md:border-b-0 border-b border-gray-200 dark:border-gray-700"},y=["href"],b=Object.assign({name:"Help"},{__name:"HelpCard",props:{card:Object},setup(e){const t=(0,o.computed)((()=>{const e=Nova.config("version").split(".");return e.splice(-2),`${e}.0`}));function r(e){return`https://nova.laravel.com/docs/${t.value}/${e}`}return(e,t)=>{const b=(0,o.resolveComponent)("Heading"),k=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(b,null,{default:(0,o.withCtx)((()=>t[0]||(t[0]=[(0,o.createTextVNode)("Get Started")]))),_:1}),t[19]||(t[19]=(0,o.createElementVNode)("p",{class:"leading-tight mt-3"}," Welcome to Nova! Get familiar with Nova and explore its features in the documentation: ",-1)),(0,o.createVNode)(k,{class:"mt-8"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("a",{href:r("resources"),class:"no-underline flex p-6"},[t[3]||(t[3]=(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)),(0,o.createElementVNode)("div",null,[(0,o.createVNode)(b,{level:3},{default:(0,o.withCtx)((()=>t[1]||(t[1]=[(0,o.createTextVNode)("Resources")]))),_:1}),t[2]||(t[2]=(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))])],8,s)]),(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("a",{href:r("actions/defining-actions.html"),class:"no-underline flex p-6"},[t[6]||(t[6]=(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)),(0,o.createElementVNode)("div",null,[(0,o.createVNode)(b,{level:3},{default:(0,o.withCtx)((()=>t[4]||(t[4]=[(0,o.createTextVNode)("Actions")]))),_:1}),t[5]||(t[5]=(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))])],8,d)]),(0,o.createElementVNode)("div",u,[(0,o.createElementVNode)("a",{href:r("filters/defining-filters.html"),class:"no-underline flex p-6"},[t[9]||(t[9]=(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)),(0,o.createElementVNode)("div",null,[(0,o.createVNode)(b,{level:3},{default:(0,o.withCtx)((()=>t[7]||(t[7]=[(0,o.createTextVNode)("Filters")]))),_:1}),t[8]||(t[8]=(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))])],8,h)]),(0,o.createElementVNode)("div",p,[(0,o.createElementVNode)("a",{href:r("lenses/defining-lenses.html"),class:"no-underline flex p-6"},[t[12]||(t[12]=(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)),(0,o.createElementVNode)("div",null,[(0,o.createVNode)(b,{level:3},{default:(0,o.withCtx)((()=>t[10]||(t[10]=[(0,o.createTextVNode)("Lenses")]))),_:1}),t[11]||(t[11]=(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))])],8,m)]),(0,o.createElementVNode)("div",f,[(0,o.createElementVNode)("a",{href:r("metrics/defining-metrics.html"),class:"no-underline flex p-6"},[t[15]||(t[15]=(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)),(0,o.createElementVNode)("div",null,[(0,o.createVNode)(b,{level:3},{default:(0,o.withCtx)((()=>t[13]||(t[13]=[(0,o.createTextVNode)("Metrics")]))),_:1}),t[14]||(t[14]=(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))])],8,v)]),(0,o.createElementVNode)("div",g,[(0,o.createElementVNode)("a",{href:r("customization/cards.html"),class:"no-underline flex p-6"},[t[18]||(t[18]=(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)),(0,o.createElementVNode)("div",null,[(0,o.createVNode)(b,{level:3},{default:(0,o.withCtx)((()=>t[16]||(t[16]=[(0,o.createTextVNode)("Cards")]))),_:1}),t[17]||(t[17]=(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))])],8,y)])])])),_:1})])])}}});const k=(0,r(66262).A)(b,[["__file","HelpCard.vue"]])},63136:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["disabled","checked"],l={__name:"Checkbox",props:{checked:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1}},emits:["input"],setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("input",{type:"checkbox",class:"checkbox",disabled:e.disabled,checked:e.checked,onChange:r[0]||(r[0]=e=>t.$emit("input",e)),onClick:r[1]||(r[1]=(0,o.withModifiers)((()=>{}),["stop"]))},null,40,i))};const a=(0,r(66262).A)(l,[["__file","Checkbox.vue"]])},35893:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={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 a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){const s=(0,o.resolveComponent)("Checkbox");return(0,o.openBlock)(),(0,o.createElementBlock)("label",i,[(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"]])},65764:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:{collapsed:{type:Boolean,default:!1}}};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("IconArrow");return(0,o.openBlock)(),(0,o.createBlock)(n,{class:(0,o.normalizeClass)(["transform",{"ltr:-rotate-90 rtl:rotate-90":r.collapsed}])},null,8,["class"])}],["__file","CollapseButton.vue"]])},96813:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726),i=r(66278),l=r(1882),a=r.n(l);const n={__name:"ConfirmsPassword",props:{modal:{default:"ConfirmsPasswordModal"},required:{type:Boolean,default:!0},mode:{type:String,default:"timeout",validator:(e,t)=>["always","timeout"].includes(e)},title:{type:[String,null],default:null},content:{type:[String,null],default:null},button:{type:[String,null],default:null}},emits:["confirmed"],setup(e,{emit:t}){const r=t,l=e,{confirming:n,confirmingPassword:s,passwordConfirmed:c,cancelConfirming:d}=function(e){const t=(0,i.Pj)(),r=(0,o.ref)(!1),l=(0,o.computed)((()=>t.getters.currentUserPasswordConfirmed)),n=()=>{r.value=!1,e("confirmed"),t.dispatch("passwordConfirmed")};return{confirming:r,confirmed:l,confirmingPassword:({verifyUsing:e,confirmedUsing:o,mode:i,required:s})=>(null==l&&t.dispatch("confirmedPasswordStatus"),null==o&&(o=()=>n()),"always"===i?(r.value=!0,void(a()(e)&&e())):!1===s||!0===l.value?(r.value=!1,void(a()(o)&&o())):(r.value=!0,void(a()(e)&&e()))),passwordConfirmed:n,cancelConfirming:()=>{r.value=!1,t.dispatch("passwordUnconfirmed")}}}(r),u=e=>{s({mode:l.mode,required:l.required})};return(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("span",null,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.modal),{show:(0,o.unref)(n),title:e.title,content:e.content,button:e.button,onConfirm:(0,o.unref)(c),onClose:(0,o.unref)(d)},null,40,["show","title","content","button","onConfirm","onClose"])),(0,o.createElementVNode)("span",{onClick:(0,o.withModifiers)(u,["stop"])},[(0,o.renderSlot)(t.$slots,"default")])]))}};const s=(0,r(66262).A)(n,[["__file","ConfirmsPassword.vue"]])},89042:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726),i=r(94394),l=r.n(i),a=r(90179),n=r.n(a);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function d(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u=["data-disabled"],h=["label"],p=["selected"],m=["selected"],f=Object.assign({inheritAttrs:!1},{__name:"MultiSelectControl",props:(0,o.mergeModels)({hasError:{type:Boolean,default:!1},label:{default:"label"},options:{type:Array,default:[]},disabled:{type:Boolean,default:!1},size:{type:String,default:"md",validator:e=>["xxs","xs","sm","md"].includes(e)}},{modelValue:{},modelModifiers:{}}),emits:(0,o.mergeModels)(["selected"],["update:modelValue"]),setup(e,{emit:t}){const r=t,i=e,a=(0,o.useModel)(e,"modelValue"),s=(0,o.useAttrs)(),d=((0,o.useTemplateRef)("selectControl"),e=>i.label instanceof Function?i.label(e):e[i.label]),f=e=>c(c({},e.attrs||{}),{value:e.value}),v=e=>a.value.indexOf(e.value)>-1,g=e=>{let t=Object.values(e.target.options).filter((e=>e.selected)).map((e=>e.value)),o=(i.options??[]).filter((e=>t.includes(e.value)||t.includes(e.value.toString())));a.value=o.map((e=>e.value)),r("selected",o)},y=(0,o.computed)((()=>n()(s,["class"]))),b=(0,o.computed)((()=>l()(i.options,(e=>e.group||""))));return(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex relative",t.$attrs.class])},[(0,o.createElementVNode)("select",(0,o.mergeProps)(y.value,{ref:"selectControl",onChange:g,class:["w-full min-h-[10rem] block form-control form-control-bordered form-input",{"h-8 text-xs":"sm"===e.size,"h-7 text-xs":"xs"===e.size,"h-6 text-xs":"xxs"===e.size,"form-control-bordered-error":e.hasError,"form-input-disabled":e.disabled}],multiple:"","data-disabled":e.disabled?"true":null}),[(0,o.renderSlot)(t.$slots,"default"),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(b.value,((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)({ref_for:!0},f(e),{key:e.value,selected:v(e)}),(0,o.toDisplayString)(d(e)),17,p)))),128))],8,h)):((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)({ref_for:!0},f(e),{key:e.value,selected:v(e)}),(0,o.toDisplayString)(d(e)),17,m)))),128))],64)))),256))],16,u)],2))}});const v=(0,r(66262).A)(f,[["__file","MultiSelectControl.vue"]])},99138:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>g});var o=r(29726),i=r(94394),l=r.n(i),a=r(90179),n=r.n(a);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function d(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u=["value","disabled","data-disabled"],h=["label"],p=["selected","disabled"],m=["selected","disabled"],f={class:"pointer-events-none absolute inset-y-0 right-[11px] flex items-center"},v=Object.assign({inheritAttrs:!1},{__name:"SelectControl",props:(0,o.mergeModels)({hasError:{type:Boolean,default:!1},label:{default:"label"},value:{default:null},options:{type:Array,default:[]},disabled:{type:Boolean,default:!1},size:{type:String,default:"md",validator:e=>["xxs","xs","sm","md"].includes(e)}},{modelValue:{},modelModifiers:{}}),emits:(0,o.mergeModels)(["selected"],["update:modelValue"]),setup(e,{expose:t,emit:r}){const i=r,a=e,s=(0,o.useModel)(e,"modelValue"),d=(0,o.useAttrs)(),v=(0,o.useTemplateRef)("selectControl");(0,o.onBeforeMount)((()=>{null==s.value&&null!=a.value&&(s.value=a.value)}));const g=e=>a.label instanceof Function?a.label(e):e[a.label],y=e=>c(c({},e.attrs||{}),{value:e.value}),b=e=>e.value==s.value,k=e=>!0===e.disabled,w=e=>{let t=e.target.value,r=a.options.find((e=>t===e.value||t===e.value.toString()));s.value=r?.value??a.value,i("selected",r)},C=(0,o.computed)((()=>n()(d,["class"]))),x=(0,o.computed)((()=>l()(a.options,(e=>e.group||""))));return t({resetSelection:()=>{v.value.selectedIndex=0}}),(t,r)=>{const i=(0,o.resolveComponent)("IconArrow");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex relative",t.$attrs.class])},[(0,o.createElementVNode)("select",(0,o.mergeProps)(C.value,{value:s.value,onChange:w,class:["w-full block form-control form-control-bordered form-input",{"h-8 text-xs":"sm"===e.size,"h-7 text-xs":"xs"===e.size,"h-6 text-xs":"xxs"===e.size,"form-control-bordered-error":e.hasError,"form-input-disabled":e.disabled}],ref:"selectControl",disabled:e.disabled,"data-disabled":e.disabled?"true":null}),[(0,o.renderSlot)(t.$slots,"default"),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(x.value,((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)({ref_for:!0},y(e),{key:e.value,selected:b(e),disabled:k(e)}),(0,o.toDisplayString)(g(e)),17,p)))),128))],8,h)):((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)({ref_for:!0},y(e),{key:e.value,selected:b(e),disabled:k(e)}),(0,o.toDisplayString)(g(e)),17,m)))),128))],64)))),256))],16,u),(0,o.createElementVNode)("span",f,[(0,o.createVNode)(i)])],2)}}});const g=(0,r(66262).A)(v,[["__file","SelectControl.vue"]])},72522:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726);const i=["data-form-unique-id"],l={class:"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 n=r(24767),s=r(66278),c=r(74640),d=r(15101),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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?h(Object(r),!0).forEach((function(t){m(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):h(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function m(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const f={components:{Button:c.Button},emits:["resource-created","resource-created-and-adding-another","create-cancelled","update-form-status","finished-loading"],mixins:[n.B5,n.qR,n.Ye],props:p({mode:{type:String,default:"form",validator:e=>["modal","form"].includes(e)},fromResourceId:{default:null}},(0,n.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.allowLeavingModal()},methods:p(p(p({},(0,s.PY)(["allowLeavingModal","preventLeavingModal"])),(0,s.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.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.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 u()(new FormData,(e=>{this.panels.forEach((t=>{t.fields.forEach((t=>{t.fill(e)}))})),null!=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 v=(0,r(66262).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.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",a,[(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,i)):(0,o.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","CreateForm.vue"]])},76037:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726),i=r(65835);const l={key:0},a={class:"hidden md:inline-block"},n={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,i.B)(),r=e,d=(0,o.computed)((()=>["belongsToMany","morphToMany"].includes(r.relationshipType)&&r.authorizedToRelate)),u=(0,o.computed)((()=>r.authorizedToCreate&&r.authorizedToRelate&&!r.alreadyFilled)),h=(0,o.computed)((()=>d||u));return(r,i)=>{const p=(0,o.resolveComponent)("InertiaButton");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",a,(0,o.toDisplayString)((0,o.unref)(t)("Attach :resource",{resource:e.singularName})),1),(0,o.createElementVNode)("span",n,(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"]])},57199:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={key:0,class:"text-red-500 text-sm"};var l=r(24767);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 n(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))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;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?a(Object(r),!0).forEach((function(t){n(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):a(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({field:{type:Object,required:!0},fieldName:{type:String},showErrors:{type:Boolean,default:!0},fullWidthContent:{type:Boolean,default:!1},labelFor:{default:null}},(0,l.rr)(["showHelpText"])),computed:{fieldWrapperClasses(){return["space-y-2","md:flex @md/modal:flex","md:flex-row @md/modal:flex-row","md:space-y-0 @md/modal:space-y-0",this.field.withLabel&&!this.field.inline&&(this.field.compact?"py-3":"py-5"),this.field.stacked&&"md:flex-col @md/modal:flex-col md:space-y-2 @md/modal:space-y-2"]},labelClasses(){return["w-full",this.field.compact?"!px-3":"px-6",!this.field.stacked&&"md:mt-2 @md/modal:mt-2",this.field.stacked&&!this.field.inline&&"md:px-8 @md/modal:px-8",!this.field.stacked&&!this.field.inline&&"md:px-8 @md/modal:px-8",this.field.compact&&"md:!px-6 @md/modal:!px-6",!this.field.stacked&&!this.field.inline&&"md:w-1/5 @md/modal:w-1/5"]},controlWrapperClasses(){return["w-full space-y-2",this.field.compact?"!px-3":"px-6",this.field.compact&&"md:!px-4 @md/modal:!px-4",this.field.stacked&&!this.field.inline&&"md:px-8 @md/modal:px-8",!this.field.stacked&&!this.field.inline&&"md:px-8 @md/modal:px-8",!this.field.stacked&&!this.field.inline&&!this.field.fullWidth&&"md:w-3/5 @md/modal:w-3/5",this.field.stacked&&!this.field.inline&&!this.field.fullWidth&&"md:w-3/5 @md/modal:w-3/5",!this.field.stacked&&!this.field.inline&&this.field.fullWidth&&"md:w-4/5 @md/modal:w-4/5"]},fieldLabel(){return""===this.fieldName?"":this.fieldName||this.field.name||this.field.singularLabel},shouldShowHelpText(){return this.showHelpText&&this.field.helpText?.length>0}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,l,a,n){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)(n.fieldWrapperClasses)},[r.field.withLabel?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)(n.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":n.shouldShowHelpText}])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(n.fieldLabel),1),r.field.required?((0,o.openBlock)(),(0,o.createElementBlock)("span",i,(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)(n.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),n.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"]])},52613:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i={key:0,class:"h-9"},l={class:"py-1"},a=["textContent"];var n=r(74640),s=r(24767);const c={components:{Button:n.Button},emits:["close","deleteAllMatching","deleteSelected","forceDeleteAllMatching","forceDeleteSelected","restoreAllMatching","restoreSelected"],mixins:[s.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(null!=this.selectedResources.find((e=>e.softDeleted)))}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,n,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"),f=(0,o.resolveComponent)("DeleteResourceModal"),v=(0,o.resolveComponent)("ModalHeader"),g=(0,o.resolveComponent)("ModalContent"),y=(0,o.resolveComponent)("RestoreResourceModal");return c.hasDropDownMenuItems?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(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)(f,{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)(f,{show:r.selectedResources.length>0&&e.forceDeleteSelectedModalOpen,mode:"delete",onClose:c.closeForceDeleteSelectedModal,onConfirm:c.forceDeleteSelectedResources},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(v,{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,a)])),_:1})])),_:1},8,["show","onClose","onConfirm"]),(0,o.createVNode)(y,{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"]])},71786:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"block mx-auto mb-6",xmlns:"http://www.w3.org/2000/svg",width:"100",height:"2",viewBox:"0 0 100 2"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",i,t[0]||(t[0]=[(0,o.createElementVNode)("path",{fill:"#D8E3EC",d:"M0 0h100v2H0z"},null,-1)]))}],["__file","DividerLine.vue"]])},28213:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(29726),i=r(74640),l=r(65835),a=r(10646);const n=["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=Object.assign({inheritAttrs:!1},{__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=e,{__:f}=(0,l.B)(),{startedDrag:v,handleOnDragEnter:g,handleOnDragLeave:y}=(0,a.g)(r),b=(0,o.ref)([]),k=(0,o.ref)(),w=()=>k.value.click(),C=e=>{b.value=m.multiple?e.dataTransfer.files:[e.dataTransfer.files[0]],r("fileChanged",b.value)},x=()=>{b.value=m.multiple?k.value.files:[k.value.files[0]],r("fileChanged",b.value),k.value.files=null};return(t,l)=>{const a=(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)(x,["prevent"]),type:"file",ref_key:"fileInput",ref:k,multiple:e.multiple,accept:e.acceptedTypes,disabled:e.disabled,tabindex:"-1"},null,40,n),(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,((i,l)=>((0,o.openBlock)(),(0,o.createBlock)(a,{key:l,file:i,onRemoved:()=>(e=>{r("fileRemoved",e),k.value.files=null,k.value.value=null})(l),rounded:e.rounded,dusk:t.$attrs.dusk},null,8,["file","onRemoved","rounded","dusk"])))),128))])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",{tabindex:"0",role:"button",onClick:w,onKeydown:[(0,o.withKeys)((0,o.withModifiers)(w,["prevent"]),["space"]),(0,o.withKeys)((0,o.withModifiers)(w,["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)(v)}]),onDragenter:l[0]||(l[0]=(0,o.withModifiers)(((...e)=>(0,o.unref)(g)&&(0,o.unref)(g)(...e)),["prevent"])),onDragleave:l[1]||(l[1]=(0,o.withModifiers)(((...e)=>(0,o.unref)(y)&&(0,o.unref)(y)(...e)),["prevent"])),onDragover:l[2]||(l[2]=(0,o.withModifiers)((()=>{}),["prevent"])),onDrop:(0,o.withModifiers)(C,["prevent"])},[(0,o.createElementVNode)("div",u,[(0,o.createElementVNode)("p",h,[(0,o.createVNode)((0,o.unref)(i.Button),{as:"div","leading-icon":e.multiple?"arrow-up-on-square-stack":"arrow-up-tray"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.multiple?(0,o.unref)(f)("Choose Files"):(0,o.unref)(f)("Choose File")),1)])),_:1},8,["leading-icon"])]),(0,o.createElementVNode)("p",p,(0,o.toDisplayString)(e.multiple?(0,o.unref)(f)("Drop files or click to choose"):(0,o.unref)(f)("Drop file or click to choose")),1)])],42,d)])])}}});const f=(0,r(66262).A)(m,[["__file","DropZone.vue"]])},84547:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726),i=r(74640);var l=r(65835);const a={class:"h-full flex items-start justify-center"},n={class:"relative w-full"},s=["dusk"],c={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"},d={key:0,class:"absolute inset-0 flex items-center justify-center"},u=["src"],h={key:2},p={class:"rounded bg-gray-200 border-2 border-gray-200 p-4"},m={class:"font-semibold text-xs mt-1"},f=Object.assign({inheritAttrs:!1},{__name:"FilePreviewBlock",props:{file:{type:Object},removable:{type:Boolean,default:!0}},emits:["removed"],setup(e){const t=e,{__:r}=(0,l.B)(),f=(0,o.computed)((()=>t.file.processing?r("Uploading")+" ("+t.file.progress+"%)":t.file.name)),v=(0,o.computed)((()=>t.file.processing?t.file.progress:100)),{previewUrl:g,isImage:y}=function(e){const t=["image/avif","image/gif","image/jpeg","image/png","image/svg+xml","image/webp"],r=(0,o.computed)((()=>t.includes(e.value.type)?"image":"other")),i=(0,o.computed)((()=>URL.createObjectURL(e.value.originalFile))),l=(0,o.computed)((()=>"image"===r.value));return{imageTypes:t,isImage:l,type:r,previewUrl:i}}((0,o.toRef)(t,"file"));return(t,l)=>{const b=(0,o.resolveComponent)("ProgressBar"),k=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createElementVNode)("div",n,[e.removable?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,type:"button",class:"absolute z-20 top-[-10px] right-[-9px] rounded-full shadow bg-white dark:bg-gray-800 text-center flex items-center justify-center h-[20px] w-[21px]",onClick:l[0]||(l[0]=(0,o.withModifiers)((e=>t.$emit("removed")),["stop"])),dusk:t.$attrs.dusk},[(0,o.createVNode)((0,o.unref)(i.Icon),{name:"x-circle",type:"solid",class:"text-gray-800 dark:text-gray-200"})],8,s)),[[k,(0,o.unref)(r)("Remove")]]):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",c,[e.file.processing?((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[(0,o.createVNode)(b,{title:f.value,class:"mx-4",color:"bg-green-500",value:v.value},null,8,["title","value"]),l[1]||(l[1]=(0,o.createElementVNode)("div",{class:"bg-primary-900 opacity-5 absolute inset-0"},null,-1))])):(0,o.createCommentVNode)("",!0),(0,o.unref)(y)?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:1,src:(0,o.unref)(g),class:"aspect-square object-scale-down"},null,8,u)):((0,o.openBlock)(),(0,o.createElementBlock)("div",h,[(0,o.createElementVNode)("div",p,[(0,o.createVNode)((0,o.unref)(i.Icon),{name:"document-text",class:"!w-[50px] !h-[50px]"})])]))]),(0,o.createElementVNode)("p",m,(0,o.toDisplayString)(e.file.name),1)])])}}});const v=(0,r(66262).A)(f,[["__file","FilePreviewBlock.vue"]])},80636:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726),i=r(74640),l=r(65835),a=r(10646);const n={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=t,{__:h}=(0,l.B)(),{startedDrag:p,handleOnDragEnter:m,handleOnDragLeave:f,handleOnDrop:v}=(0,a.g)(r);return(t,l)=>{const a=(0,o.resolveComponent)("FilePreviewBlock");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[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)(a,{key:t,file:e,onRemoved:()=>function(e){r("fileRemoved",e)}(t)},null,8,["file","onRemoved"])))),128))])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",{onClick:l[0]||(l[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:l[1]||(l[1]=(0,o.withModifiers)(((...e)=>(0,o.unref)(m)&&(0,o.unref)(m)(...e)),["prevent"])),onDragleave:l[2]||(l[2]=(0,o.withModifiers)(((...e)=>(0,o.unref)(f)&&(0,o.unref)(f)(...e)),["prevent"])),onDragover:l[3]||(l[3]=(0,o.withModifiers)((()=>{}),["prevent"])),onDrop:l[4]||(l[4]=(0,o.withModifiers)(((...e)=>(0,o.unref)(v)&&(0,o.unref)(v)(...e)),["prevent"]))},[(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("p",d,[(0,o.createVNode)((0,o.unref)(i.Button),{as:"div"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)((0,o.unref)(h)("Choose a file")),1)])),_:1})]),(0,o.createElementVNode)("p",u,(0,o.toDisplayString)(t.multiple?(0,o.unref)(h)("Drop files or click to choose"):(0,o.unref)(h)("Drop file or click to choose")),1)])],34)])}}};const p=(0,r(66262).A)(h,[["__file","SingleDropZone.vue"]])},46644:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726),i=r(74640),l=r(66278),a=r(65703),n=r(84787);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:{resource:{},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=t,u=e,h=(0,l.Pj)(),{errors:p,actionModalVisible:m,responseModalVisible:f,openConfirmationModal:v,closeConfirmationModal:g,closeResponseModal:y,handleActionClick:b,selectedAction:k,working:w,executeAction:C,actionResponseData:x}=(0,a.d)(u,r,h),N=()=>C((()=>r("actionExecuted"))),B=()=>{y(),r("actionExecuted")},S=()=>{y(),r("actionExecuted")};return(t,r)=>{const l=(0,o.resolveComponent)("DropdownMenuItem"),a=(0,o.resolveComponent)("ScrollWrap"),u=(0,o.resolveComponent)("DropdownMenu"),h=(0,o.resolveComponent)("Dropdown"),v=(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)(k)?.component),{key:0,show:(0,o.unref)(m),class:"text-left",working:(0,o.unref)(w),"selected-resources":e.selectedResources,"resource-name":e.resourceName,action:(0,o.unref)(k),errors:(0,o.unref)(p),onConfirm:N,onClose:(0,o.unref)(g)},null,40,["show","working","selected-resources","resource-name","action","errors","onClose"])):(0,o.createCommentVNode)("",!0),(0,o.unref)(f)?((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)((0,o.unref)(x)?.modal),{key:1,show:(0,o.unref)(f),onConfirm:B,onClose:S,data:(0,o.unref)(x)},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.Button),{onClick:r[0]||(r[0]=(0,o.withModifiers)((()=>{}),["stop"])),dusk:e.triggerDuskAttribute,variant:"ghost",icon:"ellipsis-horizontal"},null,8,["dusk"]),[[v,t.__("Actions")]])]))])),menu:(0,o.withCtx)((()=>[(0,o.createVNode)(u,{width:"auto"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{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)(n.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)(l,{key:e.uriKey,"data-action-id":e.uriKey,as:"button",class:"border-none",onClick:()=>(e=>{!1!==e.authorizedToRun&&b(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"]])},30013:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i={key:0},l={class:"py-1"};var a=r(66278),n=r(24767);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function d(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u={emits:["actionExecuted","resource-deleted","resource-restored"],inheritAttrs:!1,mixins:[n.Tu,n.Ye],props:c({resource:{type:Object},actions:{type:Array},viaManyToMany:{type:Boolean}},(0,n.rr)(["resourceName","viaResource","viaResourceId","viaRelationship"])),data:()=>({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,a,n,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",i,[(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"]])},36663:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(69956),i=r(18491),l=r(29726),a=r(5620);function n(e){return e?e.flatMap((e=>e.type===l.Fragment?n(e.children):[e])):[]}var s=r(96433);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?c(Object(r),!0).forEach((function(t){u(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):c(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function u(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const h={emits:["menu-opened","menu-closed"],inheritAttrs:!1,props:{offset:{type:[Number,String],default:5},placement:{type:String,default:"bottom-start"},boundary:{type:String,default:"viewPort"},dusk:{type:String,default:null},shouldCloseOnBlur:{type:Boolean,default:!0}},setup(e,{slots:t}){const r=(0,l.ref)(!1),c=(0,l.ref)(null),u=(0,l.ref)(null),h=(0,l.ref)(null),p=(0,l.useId)(),{activate:m,deactivate:f}=(0,a.r)(h,{initialFocus:!1,allowOutsideClick:!0}),v=(0,l.ref)(!0),g=(0,l.computed)((()=>!0===r.value&&!0===v.value)),y=()=>{v.value=!1},b=()=>{v.value=!0};var k;k=()=>r.value=!1,(0,s.MLh)(document,"keydown",(e=>{"Escape"===e.key&&k()}));const w=(0,l.computed)((()=>`nova-ui-dropdown-button-${p}`)),C=(0,l.computed)((()=>`nova-ui-dropdown-menu-${p}`)),x=(0,l.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)(c,h,{whileElementsMounted:i.ll,placement:x.value,middleware:[(0,i.cY)(e.offset),(0,i.UU)(),(0,i.BN)({padding:5}),(0,i.Ej)()]});return(0,l.watch)((()=>g),(async e=>{await(0,l.nextTick)(),e?m():f()})),(0,l.onMounted)((()=>{Nova.$on("disable-focus-trap",y),Nova.$on("enable-focus-trap",b)})),(0,l.onBeforeUnmount)((()=>{Nova.$off("disable-focus-trap",y),Nova.$off("enable-focus-trap",b),v.value=!1})),()=>{const o=n(t.default()),[i,...a]=o,s=(0,l.mergeProps)(d(d({},i.props),{id:w.value,"aria-expanded":!0===r.value?"true":"false","aria-haspopup":"true","aria-controls":C.value,onClick:(0,l.withModifiers)((()=>{r.value=!r.value}),["stop"])})),p=(0,l.cloneVNode)(i,s);for(const e in s)e.startsWith("on")&&(p.props||={},p.props[e]=s[e]);return(0,l.h)("div",{dusk:e.dusk},[(0,l.h)("span",{ref:c},p),(0,l.h)(l.Teleport,{to:"body"},(0,l.h)(l.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,l.h)("div",{ref:u,dusk:"dropdown-teleported"},[(0,l.h)("div",{ref:h,id:C.value,"aria-labelledby":w.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,l.h)("div",{class:"z-[69] fixed inset-0",dusk:"dropdown-overlay",onClick:()=>r.value=!1})]):null])))])}}};const p=(0,r(66262).A)(h,[["__file","Dropdown.vue"]])},41600:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={__name:"DropdownMenu",props:{width:{type:[Number,String],default:120}},setup(e){const t=e,r=(0,o.computed)((()=>({width:"auto"===t.width?"auto":`${t.width}px`})));return(t,i)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{style:(0,o.normalizeStyle)(r.value),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"===e.width}])},[(0,o.renderSlot)(t.$slots,"default")],6))}};const l=(0,r(66262).A)(i,[["__file","DropdownMenu.vue"]])},84787:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"mt-3 px-3 text-xs font-bold"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("h3",i,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","DropdownMenuHeading.vue"]])},73020:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);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 l(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n={props:{as:{type:String,default:"external",validator:e=>["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)(n,[["render",function(e,t,r,i,l,a){return(0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(a.component),(0,o.mergeProps)(a.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"]])},58909:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i={key:0},l={class:"py-1"};var a=r(24767),n=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){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const d={components:{Button:r(74640).Button},emits:["actionExecuted","show-preview"],props:function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){c(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({resource:{type:Object},actions:{type:Array},viaManyToMany:{type:Boolean}},(0,a.rr)(["resourceName","viaResource","viaResourceId","viaRelationship"])),methods:(0,n.i0)(["startImpersonating"]),computed:(0,n.L8)(["currentUser"])};const u=(0,r(66262).A)(d,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("Button"),d=(0,o.resolveComponent)("DropdownMenuHeading"),u=(0,o.resolveComponent)("DropdownMenuItem"),h=(0,o.resolveComponent)("ActionDropdown");return(0,o.openBlock)(),(0,o.createBlock)(h,{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[2]||(t[2]=t=>e.$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",i,[(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"]])},81518:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726),i=r(30043),l=r(74640);const a={key:0,ref:"selectedStatus",class:"rounded-lg h-9 inline-flex items-center text-gray-600 dark:text-gray-400"},n={class:"inline-flex items-center gap-1 pl-1"},s={class:"font-bold"},c={class:"p-4 flex flex-col items-start gap-4"},d={__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"),d=(0,o.inject)("selectAllMatchingChecked"),u=(0,o.inject)("selectAllAndSelectAllMatchingChecked"),h=(0,o.inject)("selectAllOrSelectAllMatchingChecked"),p=(0,o.inject)("selectAllIndeterminate");return(m,f)=>{const v=(0,o.resolveComponent)("CircleBadge"),g=(0,o.resolveComponent)("DropdownMenu"),y=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createBlock)(y,{placement:"bottom-start",dusk:"select-all-dropdown"},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(g,{direction:"ltr",width:"250"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",c,[(0,o.createVNode)((0,o.unref)(l.Checkbox),{onChange:f[1]||(f[1]=e=>m.$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)(m.__("Select this page")),1),(0,o.createVNode)(v,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.Checkbox),{onChange:f[2]||(f[2]=e=>m.$emit("toggle-select-all-matching")),"model-value":(0,o.unref)(d),dusk:"select-all-matching-button"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(m.__("Select all")),1),(0,o.createVNode)(v,{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)(l.Button),{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)(h)||(0,o.unref)(t)>0}]),dusk:"select-all-dropdown-trigger"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(l.Checkbox),{"aria-label":m.__("Select this page"),indeterminate:(0,o.unref)(p),"model-value":(0,o.unref)(u),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",n,[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(m.__(":amount selected",{amount:(0,o.unref)(d)?e.allMatchingResourceCount:(0,o.unref)(t),label:(0,o.unref)(i.singularOrPlural)((0,o.unref)(t),"resources")})),1)]),(0,o.createVNode)((0,o.unref)(l.Button),{onClick:f[0]||(f[0]=(0,o.withModifiers)((e=>m.$emit("deselect")),["stop"])),variant:"link",icon:"x-circle",size:"small",state:"mellow",class:"-mr-2","aria-label":m.__("Deselect All"),dusk:"deselect-all-button"},null,8,["aria-label"])],512)):(0,o.createCommentVNode)("",!0)])),_:1},8,["class"])])),_:1})}}};const u=(0,r(66262).A)(d,[["__file","SelectAllDropdown.vue"]])},32657:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={class:"flex flex-col py-1 px-1"};var l=r(74640);const a={components:{Button:l.Button,Icon:l.Icon},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 n=(0,r(66262).A)(a,[["render",function(e,t,r,l,a,n){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 n.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",i,[(0,o.createVNode)(d,{as:"button",size:"small",class:"flex items-center gap-2",onClick:n.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:n.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:n.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:n.themeIcon,class:(0,o.normalizeClass)(n.themeColor)},null,8,["icon","class"])])),_:1})):(0,o.createCommentVNode)("",!0)}],["__file","ThemeDropdown.vue"]])},30422:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i={key:0,class:"break-normal"},l=["innerHTML"],a={key:1,class:"break-normal"},n=["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",i,[(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",a,[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,n)):(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"]])},27284:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={},l=(0,r(66262).A)(i,[["render",function(e,t){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"]])},46854:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={__name:"FieldWrapper",props:{stacked:{type:Boolean,default:!1}},setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex flex-col",{"md:flex-row":!e.stacked}])},[(0,o.renderSlot)(t.$slots,"default")],2))};const l=(0,r(66262).A)(i,[["__file","FieldWrapper.vue"]])},15604:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={class:"divide-y divide-gray-200 dark:divide-gray-800 divide-solid"},l={key:0,class:"bg-gray-100"};const a={components:{Button:r(74640).Button},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.debug(`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("trashed-changed",""),this.$emit("clear-selected-filters")}),500)}},computed:{filtersWithTrashedAreApplied(){return this.filtersAreApplied||""!==this.trashed},activeFilterWithTrashedCount(){const e=""!==this.trashed?1:0;return this.activeFilterCount+e},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 this.perPageOptions.map((e=>({value:e,label:e})))}}};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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",i,[s.filtersWithTrashedAreApplied?((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,{modelValue:s.trashedValue,"onUpdate:modelValue":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"},null,8,["modelValue","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,{modelValue:s.perPageValue,"onUpdate:modelValue":t[2]||(t[2]=e=>s.perPageValue=e),options:s.perPageOptionsForFilter,dusk:"per-page-select",size:"sm"},null,8,["modelValue","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:s.filtersWithTrashedAreApplied?"solid":"ghost",dusk:"filter-selector-button",icon:"funnel","trailing-icon":"chevron-down",padding:"tight",label:s.activeFilterWithTrashedCount>0?s.activeFilterWithTrashedCount:"","aria-label":e.__("Filter Dropdown")},null,8,["variant","label","aria-label"])])),_:1})}],["__file","FilterMenu.vue"]])},10255:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"space-y-2 mt-2"};const l={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},options(){return this.$store.getters[`${this.resourceName}/getOptionsForFilter`](this.filterKey)}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(n.options,(i=>((0,o.openBlock)(),(0,o.createBlock)(s,{key:i.value,"resource-name":r.resourceName,filter:n.filter,option:i,label:"label",onChange:t[0]||(t[0]=t=>e.$emit("change")),dusk:`${n.filter.uniqueKey}-${i.value}-option`},null,8,["resource-name","filter","option","dusk"])))),128))])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(n.filter.name),1)])),_:1})}],["__file","BooleanFilter.vue"]])},2891:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["value","placeholder","dusk"];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;this.$store.commit(`${this.resourceName}/updateFilterState`,{filterClass:this.filterKey,value:t}),this.$emit("change")}},computed:{placeholder(){return this.filter.placeholder||this.__("Choose date")},filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},value(){return this.filter.currentValue},options(){return this.$store.getters[`${this.resourceName}/getOptionsForFilter`](this.filterKey)}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){const s=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(s,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("input",{ref:"dateField",onChange:t[0]||(t[0]=(...e)=>n.handleChange&&n.handleChange(...e)),type:"date",name:"date-filter",value:n.value,autocomplete:"off",class:"w-full h-8 flex form-control form-input form-control-bordered text-xs",placeholder:n.placeholder,dusk:n.filter.uniqueKey},null,40,i)])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(n.filter.name),1)])),_:1})}],["__file","DateFilter.vue"]])},56138:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={class:"pt-2 pb-3"},l={class:"px-3 text-xs uppercase font-bold tracking-wide"},a={class:"mt-1 px-3"};const n={},s=(0,r(66262).A)(n,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("h3",l,[(0,o.renderSlot)(e.$slots,"default")]),(0,o.createElementVNode)("div",a,[(0,o.renderSlot)(e.$slots,"filter")])])}],["__file","FilterContainer.vue"]])},84183:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i={key:0,class:"flex items-center"},l={class:"flex items-center"},a={class:"flex-auto"},n=["selected"];var s=r(38221),c=r.n(s);const d={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedEventEmitter:null,search:"",availableOptions:[]}),created(){this.debouncedEventEmitter=c()((()=>this.emitFilterChange()),500),this.initializeComponent(),Nova.$on("filter-active",this.handleClosingInactiveSearchInputs)},mounted(){Nova.$on("filter-reset",this.handleFilterReset)},beforeUnmount(){Nova.$off("filter-active",this.handleClosingInactiveSearchInputs),Nova.$off("filter-reset",this.handleFilterReset)},watch:{value(){this.debouncedEventEmitter()}},methods:{initializeComponent(){this.filter.currentValue&&this.setCurrentFilterValue()},setCurrentFilterValue(){this.value=this.filter.currentValue},emitFilterChange(){this.$store.commit(`${this.resourceName}/updateFilterState`,{filterClass:this.filterKey,value:this.value??""}),this.$emit("change")},handleShowingActiveSearchInput(){Nova.$emit("filter-active",this.filterKey)},closeSearchableRef(){this.$refs.searchable&&this.$refs.searchable.close()},handleClosingInactiveSearchInputs(e){e!==this.filterKey&&this.closeSearchableRef()},handleClearSearchInput(){this.clearSelection()},handleFilterReset(){""==this.filter.currentValue&&(this.clearSelection(),this.closeSearchableRef(),this.initializeComponent())},clearSelection(){this.value=null,this.availableOptions=[]},performSearch(e){this.search=e;const t=e.trim();""!=t&&this.searchOptions(t)},searchOptions(e){this.availableOptions=this.options.filter((t=>t.label?.includes(e)))},searchDebouncer:c()((e=>e()),500)},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},options(){return this.filter.options},isSearchable(){return this.filter.searchable},selectedOption(){return this.options.find((e=>this.value===e.value||this.value===e.value.toString()))}}};const u=(0,r(66262).A)(d,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("SearchInput"),h=(0,o.resolveComponent)("SelectControl"),p=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(p,null,{filter:(0,o.withCtx)((()=>[d.isSearchable?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,ref:"searchable",modelValue:e.value,"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),onInput:d.performSearch,onClear:d.handleClearSearchInput,onShown:d.handleShowingActiveSearchInput,options:e.availableOptions,clearable:!0,trackBy:"value",mode:"modal",class:"w-full",dusk:`${d.filter.uniqueKey}-search-input`},{option:(0,o.withCtx)((({selected:e,option:t})=>[(0,o.createElementVNode)("div",l,[(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}])},(0,o.toDisplayString)(t.label),3)])])])),default:(0,o.withCtx)((()=>[d.selectedOption?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,(0,o.toDisplayString)(d.selectedOption.label),1)):(0,o.createCommentVNode)("",!0)])),_:1},8,["modelValue","onInput","onClear","onShown","options","dusk"])):d.options.length>0?((0,o.openBlock)(),(0,o.createBlock)(h,{key:1,modelValue:e.value,"onUpdate:modelValue":t[1]||(t[1]=t=>e.value=t),options:d.options,size:"sm",label:"label",class:"w-full block",dusk:d.filter.uniqueKey},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""==e.value},(0,o.toDisplayString)(e.__("—")),9,n)])),_:1},8,["modelValue","options","dusk"])):(0,o.createCommentVNode)("",!0)])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(d.filter.name),1)])),_:1})}],["__file","SelectFilter.vue"]])},81433:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["action"],l=["name","value"],a=["value"],n=Object.assign({inheritAttrs:!1},{__name:"FormButton",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"}},setup(e){const t=e;function r(e){null!=t.headers&&(e.preventDefault(),Nova.$router.visit(t.href,{method:t.method,data:t.data,headers:t.headers}))}return(t,n)=>((0,o.openBlock)(),(0,o.createElementBlock)("form",{action:e.href,method:"POST",onSubmit:r,dusk:"form-button"},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.data,((e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("input",{type:"hidden",name:t,value:e},null,8,l)))),256)),"POST"!==e.method?((0,o.openBlock)(),(0,o.createElementBlock)("input",{key:0,type:"hidden",name:"_method",value:e.method},null,8,a)):(0,o.createCommentVNode)("",!0),((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),(0,o.mergeProps)(t.$attrs,{type:"submit"}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(t.$slots,"default")])),_:3},16))],40,i))}});const s=(0,r(66262).A)(n,[["__file","FormButton.vue"]])},62415:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["for"],l={__name:"FormLabel",props:{labelFor:{type:String,required:!1}},setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("label",{for:e.labelFor,class:"inline-block leading-tight"},[(0,o.renderSlot)(t.$slots,"default")],8,i))};const a=(0,r(66262).A)(l,[["__file","FormLabel.vue"]])},36623:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>R});var o=r(29726);const i={class:"flex items-center w-full max-w-xs h-12"},l={class:"flex-1 relative"},a={class:"relative z-10",ref:"searchInput"},n=["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"},f={key:0,class:"text-xs mt-1"},v={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 y=r(98234),b=r(53110),k=r(74640),w=r(38221),C=r.n(w),x=r(50014),N=r.n(x);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 S(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const V={components:{Icon:k.Icon},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,y.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 b.qm((e=>t(e)))}));this.results=r,this.loading=!1}catch(e){if((0,b.FZ)(e))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<this.results.length&&(this.selected=t,this.updateScrollPosition())}},updateScrollPosition(){const e=this.$refs.selected,t=this.$refs.container;this.$nextTick((()=>{e&&(e[0].offsetTop>t.scrollTop+t.clientHeight-e[0].clientHeight&&(t.scrollTop=e[0].offsetTop+e[0].clientHeight-t.clientHeight),e[0].offsetTop<t.scrollTop&&(t.scrollTop=e[0].offsetTop))}))},goToCurrentlySelectedResource(e){if(!e.isComposing&&229!==e.keyCode&&""!==this.searchTerm){const e=this.indexedResults.find((e=>e.index===this.selected));this.goToSelectedResource(e,!1)}},goToSelectedResource(e,t=!1){if(null!==this.canceller&&this.canceller(),this.closeSearch(),null==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 this.results.map(((e,t)=>function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?B(Object(r),!0).forEach((function(t){S(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):B(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({index:t},e)))},formattedGroups(){return N()(this.indexedResults.map((e=>({resourceName:e.resourceName,resourceTitle:e.resourceTitle}))),"resourceName")},formattedResults(){return this.formattedGroups.map((e=>({resourceName:e.resourceName,resourceTitle:e.resourceTitle,items:this.indexedResults.filter((t=>t.resourceName===e.resourceName))})))}}};const R=(0,r(66262).A)(V,[["render",function(e,t,r,y,b,k){const w=(0,o.resolveComponent)("Icon"),C=(0,o.resolveComponent)("Loader"),x=(0,o.resolveComponent)("Backdrop");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("div",a,[(0,o.createVNode)(w,{name:"magnifying-glass",type:"mini",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)=>k.goToCurrentlySelectedResource&&k.goToCurrentlySelectedResource(...e)),["stop"]),["enter"])),t[1]||(t[1]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>k.closeSearch&&k.closeSearch(...e)),["stop"]),["esc"])),t[2]||(t[2]=(0,o.withKeys)((0,o.withModifiers)((e=>k.move(1)),["prevent"]),["down"])),t[3]||(t[3]=(0,o.withKeys)((0,o.withModifiers)((e=>k.move(-1)),["prevent"]),["up"]))],"onUpdate:modelValue":t[4]||(t[4]=t=>e.searchTerm=t),onFocus:t[5]||(t[5]=(...e)=>k.focusSearch&&k.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,n),[[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)(C,{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)(k.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=>k.goToSelectedResource(t,!1)),["exact"]),(0,o.withModifiers)((e=>k.goToSelectedResource(t,!0)),["ctrl"]),(0,o.withModifiers)((e=>k.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",f,(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",v,[(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)(x,{onClick:k.closeSearch,show:e.showOverlay,class:"bg-gray-500/75 dark:bg-gray-900/75 z-0"},null,8,["onClick","show"])])),_:1})]))])])}],["__file","GlobalSearch.vue"]])},13750:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={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 i[this.level]}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,i,l,a){return(0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(a.component),{class:(0,o.normalizeClass)(a.classes),dusk:r.dusk},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},8,["class","dusk"])}],["__file","Heading.vue"]])},91303:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"help-text"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("p",i,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","HelpText.vue"]])},6491:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726),i=r(74640);const l={key:0,class:"absolute right-0 bottom-0 p-2 z-20"},a=["innerHTML"],n={__name:"HelpTextTooltip",props:{text:{type:String},width:{type:[Number,String]}},setup:e=>(t,r)=>{const n=(0,o.resolveComponent)("TooltipContent"),s=(0,o.resolveComponent)("Tooltip");return e.text?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("span",{class:"sr-only",innerHTML:e.text},null,8,a),(0,o.createVNode)(s,{triggers:["click"],placement:"top-start"},{content:(0,o.withCtx)((()=>[(0,o.createVNode)(n,{innerHTML:e.text,"max-width":e.width},null,8,["innerHTML","max-width"])])),default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(i.Icon),{name:"question-mark-circle",type:"mini",class:"cursor-pointer text-gray-400 dark:text-gray-500"})])),_:1})])):(0,o.createCommentVNode)("",!0)}};const s=(0,r(66262).A)(n,[["__file","HelpTextTooltip.vue"]])},92407:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726),i=r(74640);const l={__name:"CopyIcon",props:{copied:{type:Boolean,default:!1}},setup(e){const t=e,r=(0,o.computed)((()=>!0===t.copied?"check-circle":"clipboard")),l=(0,o.computed)((()=>!0===t.copied?"text-green-500":"text-gray-400 dark:text-gray-500"));return(e,t)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(i.Icon),{name:r.value,type:"micro",class:(0,o.normalizeClass)(["!w-3 !h-3",l.value])},null,8,["name","class"]))}};const a=(0,r(66262).A)(l,[["__file","CopyIcon.vue"]])},74960:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",i,t[0]||(t[0]=[(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)]))}],["__file","IconBold.vue"]])},76825:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",i,t[0]||(t[0]=[(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)]))}],["__file","IconFullScreen.vue"]])},57404:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",i,t[0]||(t[0]=[(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)]))}],["__file","IconImage.vue"]])},87446:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",i,t[0]||(t[0]=[(0,o.createElementVNode)("path",{d:"M8 1h9v2H8V1zm3 2h3L8 17H5l6-14zM2 17h9v2H2v-2z"},null,-1)]))}],["__file","IconItalic.vue"]])},48309:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",i,t[0]||(t[0]=[(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)]))}],["__file","IconLink.vue"]])},49467:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 530 560"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",i,t[0]||(t[0]=[(0,o.createStaticVNode)('<g fill="none" fill-rule="evenodd" transform="translate(4 10)"><path fill="#DDE4EB" d="M0 185a19.4 19.4 0 0 1 19.4-19.4h37.33a19.4 19.4 0 0 0 0-38.8H45.08a19.4 19.4 0 1 1 0-38.8h170.84a19.4 19.4 0 0 1 0 38.8h-6.87a19.4 19.4 0 0 0 0 38.8h42.55a19.4 19.4 0 0 1 0 38.8H19.4A19.4 19.4 0 0 1 0 185z"></path><g stroke-width="2" transform="rotate(-30 383.9199884 -24.79114317)"><rect width="32.4" height="9.19" x="12.47" y="3.8" fill="#FFF" stroke="#0D2B3E" rx="4.6"></rect><rect width="32.4" height="14.79" x="1" y="1" fill="#FFF" stroke="#0D2B3E" rx="7.39"></rect><ellipse cx="8.6" cy="8.39" stroke="#4A90E2" rx="7.6" ry="7.39" style="mix-blend-mode:multiply;"></ellipse></g><path fill="#E0EEFF" d="M94 198.256L106.6 191l22.4 16.744L116.4 215zM48 164.256L60.6 157 83 173.744 70.4 181z" opacity=".58"></path><path stroke="#0D2B3E" stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M88 188l9 7-9-7zm-15-11l5 3-5-3z"></path><path stroke="#4A90E2" stroke-width="2" d="M92.82 198.36l20.65 15.44 10.71-6.16-20.65-15.44-10.71 6.16zM119 211l-22-17 22 17zm-72.18-46.64l20.65 15.44 10.71-6.16-20.65-15.44-10.71 6.16zM73 178l-22-17 22 17z"></path><path stroke="#8DDCFF" stroke-linecap="round" stroke-width="2" d="M117 176a14 14 0 0 0-14-14m10 15a10 10 0 0 0-10-10"></path><ellipse cx="258" cy="441" fill="#FFF" rx="250" ry="90"></ellipse><path fill="#FFF" fill-rule="nonzero" stroke="#0D2B3E" stroke-width="2" d="M195.95992276 433.88207738c-.7613033-1.55811337-1.97677352-5.39619.01107483-6.1324365 1.97685786-.72734656 2.77032762 2.34241006 4.31210683 4.22387675 2.92231431 3.57504952 6.28818967 5.22592295 11.14145652 5.73602185 1.77024897.18606067 3.51532102.0376574 5.19229942-.41955529a3.17 3.17 0 0 1 3.89461497 2.16898002 3.12 3.12 0 0 1-2.19463454 3.85169823c-2.43329264.66931826-4.97971626.88432232-7.54558275.61463889-7.06110546-.7421521-11.79595772-3.81390631-14.81133528-10.04322395z"></path><g stroke="#0D2B3E" stroke-width="2"><path fill="#FFF" fill-rule="nonzero" d="M228.66635404 453.35751889l3.48444585 6.7411525a11.71 11.71 0 0 0-3.36066168 18.19840799l3.157266 3.1573203-8.52104352 8.55618006-.29468882-6.6673277a19.31 19.31 0 0 1 5.53468217-29.98573315z"></path><path d="M221.75370493 481.33823157l5.9097851-4.56727928"></path></g><g stroke="#0D2B3E" stroke-width="2"><path fill="#FFF" fill-rule="nonzero" d="M217.43675157 454.38903415l-.38056208 7.58726384a10.25 10.25 0 0 0-10.62036709 8.5642456l.04580558 4.00318647-11.36366293-.10613565 3.84834642-5.16425501a17.82 17.82 0 0 1 18.46098491-14.88104957z"></path><path d="M199.40986905 468.0735658l7.07551171 1.72015522"></path></g><path fill="#E5F7FF" d="M233.41788355 435.98904264l3.14268919.33030994-3.01041974 28.64223059-3.1426892-.33030995z"></path><path stroke="#7ED7FF" stroke-width="2" d="M218.1633805 433.70198413l13.07796292 1.37454929 1.09127716-10.38280859a6.575 6.575 0 0 0-13.07796293-1.37454929l-1.09127715 10.38280859z"></path><path fill="#FFF" stroke="#0D2B3E" stroke-width="2" d="M221.02136188 434.25374714l.64389533-6.12625487a3.59 3.59 0 1 1 7.130722.74946908l-.64389534 6.12625488"></path><path stroke="#0D2B3E" stroke-width="2" d="M235.80327328 436.92350283l-20.28824667-2.13238065-2.86721575 27.27973559 20.28824667 2.13238065 2.86721575-27.2797356z"></path><path fill="#FFF" stroke="#0D2B3E" stroke-width="2" d="M215.51502661 434.79112218l-2.86721575 27.27973559 17.1555027 1.80311599 2.86721575-27.2797356-17.1555027-1.80311598z"></path><path fill="#FFF" stroke="#0D2B3E" stroke-width="2" d="M214.36589556 440.07997818l-1.09905036.88999343-1.17489993 11.1784261 11.15853567 1.17280937 1.09905036-.88999344 1.17385464-11.16848088-11.16848088-1.17385464z"></path><path fill="#FFF" fill-rule="nonzero" stroke="#0D2B3E" stroke-width="2" d="M245.62684398 462.24908175c-.41742893 1.6755456-1.95466376 5.39523768-3.94116941 4.68369338-1.99645087-.71258958-.63076284-3.56546466-.5955535-6.00514913.06313174-4.61870267-1.45795198-8.03642184-4.8492445-11.55015704-1.23234204-1.2858589-2.67505657-2.29217634-4.24858182-3.01059006a3.17 3.17 0 0 1-1.5730205-4.16725407 3.12 3.12 0 0 1 4.14422777-1.54527542c2.29328456 1.04544055 4.3804078 2.52169139 6.1770892 4.36961887 4.93145874 5.12354512 6.58580412 10.52606688 4.87526226 17.2340134z"></path><path stroke="#233242" stroke-width="2" d="M518 372.93A1509.66 1509.66 0 0 0 261 351c-87.62 0-173.5 7.51-257 21.93"></path><circle cx="51" cy="107" r="6" fill="#9AC2F0"></circle><path stroke="#031836" stroke-linecap="round" stroke-width="2" d="M48 116a6 6 0 1 0-6-6"></path><circle cx="501" cy="97" r="6" fill="#9AC2F0"></circle><path stroke="#031836" stroke-linecap="round" stroke-width="2" d="M498 106a6 6 0 1 0-6-6"></path><path fill="#031836" d="M305.75 0h.5a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1h-.5a1 1 0 0 1-1-1V1a1 1 0 0 1 1-1zM321 14.75v.5a1 1 0 0 1-1 1h-8a1 1 0 0 1-1-1v-.5a1 1 0 0 1 1-1h8a1 1 0 0 1 1 1zM306.25 30h-.5a1 1 0 0 1-1-1v-8a1 1 0 0 1 1-1h.5a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1zM291 15.25v-.5a1 1 0 0 1 1-1h8a1 1 0 0 1 1 1v.5a1 1 0 0 1-1 1h-8a1 1 0 0 1-1-1z"></path><path fill="#DDE4EB" d="M446 107.5a16.5 16.5 0 0 0 16.5 16.5h44a16.5 16.5 0 0 1 0 33h-143a16.5 16.5 0 0 1 0-33 16.5 16.5 0 0 0 0-33h-66a16.5 16.5 0 0 1 0-33h165a16.5 16.5 0 0 1 0 33 16.5 16.5 0 0 0-16.5 16.5z"></path><circle cx="458" cy="186" r="4" fill="#031836"></circle><circle cx="138" cy="16" r="4" fill="#031836"></circle><path stroke="#233242" stroke-width="2" d="M58 364.86l67.93-67.93a10 10 0 0 1 14.14 0L196 352.86m139-18l36.93-36.93a10 10 0 0 1 14.14 0L451 362.86"></path><path stroke="#233242" stroke-width="2" d="M176 332.86l70.93-71.84a10 10 0 0 1 14.19-.05L345 344.86"></path><g stroke-width="2" transform="rotate(-87 355.051 43.529)"><ellipse cx="10.28" cy="27.49" fill="#FFF" stroke="#0D2B3E" rx="9.21" ry="19.26"></ellipse><path fill="#FFF" stroke="#0D2B3E" d="M25.66 54.03c-7.52 0-13.62-12.1-13.62-27.02S18.14 0 25.66 0H96.1c7.22 0 14.15 2.85 19.26 7.91l19.26 19.1-19.26 19.1a27.35 27.35 0 0 1-19.26 7.92H25.66z"></path><path fill="#FFF" stroke="#4A90E2" d="M98.09 54.22c-7.52 0-13.62-12.1-13.62-27.02s6.1-27 13.62-27"></path><ellipse cx="59.59" cy="27.27" stroke="#4A90E2" rx="16.34" ry="16.21"></ellipse><ellipse cx="59.59" cy="27.27" fill="#FFF" stroke="#0D2B3E" rx="12.26" ry="12.16"></ellipse></g><g stroke="#233242" stroke-width="2" transform="translate(456 396)"><ellipse cx="30" cy="10" rx="20" ry="10"></ellipse><path d="M0 15c0 8.28 13.43 15 30 15m12.39-1.33C52.77 26.3 60 21.07 60 15"></path></g><g stroke="#233242" stroke-width="2" transform="translate(276 520)"><ellipse cx="20" cy="6.67" rx="13.33" ry="6.67"></ellipse><path d="M0 10c0 5.52 8.95 10 20 10m8.26-.89C35.18 17.54 40 14.05 40 10"></path></g><g stroke="#233242" stroke-width="2" transform="translate(186 370)"><ellipse cx="15" cy="5" rx="10" ry="5"></ellipse><path d="M0 7.5C0 11.64 6.72 15 15 15m6.2-.67c5.19-1.18 8.8-3.8 8.8-6.83"></path></g><ellipse cx="58" cy="492" fill="#202C3A" rx="3" ry="2"></ellipse><ellipse cx="468" cy="492" fill="#202C3A" rx="3" ry="2"></ellipse><ellipse cx="388" cy="392" fill="#202C3A" rx="3" ry="2"></ellipse><ellipse cx="338" cy="452" fill="#202C3A" rx="3" ry="2"></ellipse><g stroke="#233242" stroke-width="2" transform="translate(46 406)"><ellipse cx="40" cy="13.33" rx="26.67" ry="13.33"></ellipse><path d="M0 20c0 11.05 17.9 20 40 20m16.51-1.78C70.37 35.08 80 28.1 80 20"></path></g><g stroke="#0D2B3E" stroke-width="2"><path d="M299 378l-21 42m35-36l-21 42m4-42l14 6m-17 0l14 6m-17 0l14 6m-17 0l14 6m-17 0l14 6m-17 0l14 6"></path></g><circle cx="341" cy="155" r="25" stroke="#233242" stroke-width="2"></circle><circle cx="342" cy="156" r="20" fill="#FFF"></circle><path stroke="#233242" stroke-width="2" d="M321.56 140.5c-7.66.32-13 2.37-13.97 6-1.78 6.66 11.9 16.12 30.58 21.13 18.67 5 35.25 3.65 37.04-3.02.96-3.58-2.54-7.96-8.88-12.03"></path></g>',1)]))}],["__file","ErrorPageIcon.vue"]])},21449:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726),i=r(74640);const l={__name:"IconArrow",setup:e=>(e,t)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(i.Icon),{class:"shrink-0 text-gray-700 dark:text-gray-400",name:"chevron-down",type:"mini"}))};const a=(0,r(66262).A)(l,[["__file","IconArrow.vue"]])},16018:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726),i=r(74640);const l={__name:"IconBoolean",props:{value:{type:Boolean,default:!1},nullable:{type:Boolean,default:!1},type:{type:String,default:"solid",required:!1}},setup(e){const t=e,r=(0,o.computed)((()=>!0===t.value?"check-circle":null===t.value&&!0===t.nullable?"minus-circle":"x-circle")),l=(0,o.computed)((()=>!0===t.value?"text-green-500":null===t.value&&!0===t.nullable?"text-gray-200 dark:text-gray-800":"text-red-500"));return(t,a)=>((0,o.openBlock)(),(0,o.createElementBlock)("span",null,[(0,o.createVNode)((0,o.unref)(i.Icon),{name:r.value,type:e.type,class:(0,o.normalizeClass)(l.value)},null,8,["name","type","class"])]))}};const a=(0,r(66262).A)(l,[["__file","IconBoolean.vue"]])},18711:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={class:"ml-2"};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 a(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?l(Object(r),!0).forEach((function(t){n(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):l(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function n(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const s={props:{resourceName:{type:String,required:!0},filter:Object,option:Object,label:{default:"name"}},methods:{labelFor(e){return e[this.label]||""},updateCheckedState(e,t){let r=a(a({},this.filter.currentValue),{},{[e]:t});this.$store.commit(`${this.resourceName}/updateFilterState`,{filterClass:this.filter.class,value:r}),this.$emit("change")}},computed:{currentValue(){let e=this.$store.getters[`${this.resourceName}/filterOptionValue`](this.filter.class,this.option.value);return null!=e?e:null},isChecked(){return 1==this.currentValue},nextValue(){let e=this.currentValue;return!0!==e&&(!1!==e||null)}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,l,a,n){const s=(0,o.resolveComponent)("IconBoolean");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"flex items-center",onClick:t[0]||(t[0]=e=>n.updateCheckedState(r.option.value,n.nextValue))},[(0,o.createVNode)(s,{value:n.currentValue,nullable:!0},null,8,["value"]),(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(n.labelFor(r.option)),1)])}],["__file","IconBooleanOption.vue"]])},47833:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["fill"],l={__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},r[0]||(r[0]=[(0,o.createStaticVNode)('<circle cx="15" cy="15" r="15"><animate attributeName="r" from="15" to="15" begin="0s" dur="0.8s" values="15;9;15" calcMode="linear" repeatCount="indefinite"></animate><animate attributeName="fill-opacity" from="1" to="1" begin="0s" dur="0.8s" values="1;.5;1" calcMode="linear" repeatCount="indefinite"></animate></circle><circle cx="60" cy="15" r="9" fill-opacity="0.3"><animate attributeName="r" from="9" to="9" begin="0s" dur="0.8s" values="9;15;9" calcMode="linear" repeatCount="indefinite"></animate><animate attributeName="fill-opacity" from="0.5" to="0.5" begin="0s" dur="0.8s" values=".5;1;.5" calcMode="linear" repeatCount="indefinite"></animate></circle><circle cx="105" cy="15" r="15"><animate attributeName="r" from="15" to="15" begin="0s" dur="0.8s" values="15;9;15" calcMode="linear" repeatCount="indefinite"></animate><animate attributeName="fill-opacity" from="1" to="1" begin="0s" dur="0.8s" values="1;.5;1" calcMode="linear" repeatCount="indefinite"></animate></circle>',3)]),12,i))};const a=(0,r(66262).A)(l,[["__file","Loader.vue"]])},12617:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726),i=r(74640),l=r(65835);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 n(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?a(Object(r),!0).forEach((function(t){s(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):a(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function s(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const c={key:0},d=["src"],u=["href"],h=Object.assign({inheritAttrs:!1},{__name:"ImageLoader",props:{src:{type:String},maxWidth:{type:Number,default:320},rounded:{type:Boolean,default:!1},aspect:{type:String,default:"aspect-auto",validator:e=>["aspect-auto","aspect-square"].includes(e)}},setup(e){const{__:t}=(0,l.B)(),r=e,a=(0,o.ref)(!1),s=(0,o.ref)(!1),h=()=>a.value=!0,p=()=>{s.value=!0,Nova.log(`${t("The image could not be loaded.")}: ${r.src}`)},m=(0,o.computed)((()=>[r.rounded&&"rounded-full"])),f=(0,o.computed)((()=>n(n({"max-width":`${r.maxWidth}px`},"aspect-square"===r.aspect&&{width:`${r.maxWidth}px`}),"aspect-square"===r.aspect&&{height:`${r.maxWidth}px`})));return(r,l)=>{const a=(0,o.resolveDirective)("tooltip");return s.value?((0,o.openBlock)(),(0,o.createElementBlock)("a",{key:1,href:e.src},[(0,o.withDirectives)((0,o.createVNode)((0,o.unref)(i.Icon),{name:"exclamation-circle",class:"text-red-500"},null,512),[[a,(0,o.unref)(t)("The image could not be loaded.")]])],8,u)):((0,o.openBlock)(),(0,o.createElementBlock)("span",c,[(0,o.createElementVNode)("img",{class:(0,o.normalizeClass)(m.value),style:(0,o.normalizeStyle)(f.value),src:e.src,onLoad:h,onError:p},null,46,d)]))}}});const p=(0,r(66262).A)(h,[["__file","ImageLoader.vue"]])},73289:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726),i=r(65835);const l=["dusk"],a={class:"flex flex-col justify-center items-center px-6 space-y-3"},n={class:"text-base font-normal"},s={class:"hidden md:inline-block"},c={class:"inline-block md:hidden"},d={__name:"IndexEmptyDialog",props:["create-button-label","singularName","resourceName","viaResource","viaResourceId","viaRelationship","relationshipType","authorizedToCreate","authorizedToRelate"],setup(e){const{__:t}=(0,i.B)(),r=e,d=(0,o.computed)((()=>h.value||u.value)),u=(0,o.computed)((()=>("belongsToMany"===r.relationshipType||"morphToMany"===r.relationshipType)&&r.authorizedToRelate)),h=(0,o.computed)((()=>r.authorizedToCreate&&r.authorizedToRelate&&!r.alreadyFilled)),p=(0,o.computed)((()=>u.value?t("Attach :resource",{resource:r.singularName}):r.createButtonLabel)),m=(0,o.computed)((()=>u.value?Nova.url(`/resources/${r.viaResource}/${r.viaResourceId}/attach/${r.resourceName}`,{viaRelationship:r.viaRelationship,polymorphic:"morphToMany"===r.relationshipType?"1":"0"}):h.value?Nova.url(`/resources/${r.resourceName}/new`,{viaResource:r.viaResource,viaResourceId:r.viaResourceId,viaRelationship:r.viaRelationship,relationshipType:r.relationshipType}):void 0));return(r,i)=>{const h=(0,o.resolveComponent)("InertiaButton");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",a,[i[0]||(i[0]=(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)),(0,o.createElementVNode)("h3",n,(0,o.toDisplayString)((0,o.unref)(t)("No :resource matched the given criteria.",{resource:e.singularName})),1)]),d.value?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,variant:"outline",href:m.value,class:"shrink-0",dusk:"create-button"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(p.value),1),(0,o.createElementVNode)("span",c,(0,o.toDisplayString)(u.value?(0,o.unref)(t)("Attach"):(0,o.unref)(t)("Create")),1)])),_:1},8,["href"])):(0,o.createCommentVNode)("",!0)],8,l)}}};const u=(0,r(66262).A)(d,[["__file","IndexEmptyDialog.vue"]])},96735:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726),i=r(74640);const l={class:"text-base font-normal mt-3"},a={__name:"IndexErrorDialog",props:{resource:{type:Object,required:!0}},emits:["click"],setup:e=>(t,r)=>{const a=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createBlock)(a,{class:"flex flex-col justify-center items-center px-6 py-8"},{default:(0,o.withCtx)((()=>[r[1]||(r[1]=(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)),(0,o.createElementVNode)("h3",l,(0,o.toDisplayString)(t.__("Failed to load :resource!",{resource:t.__(`${e.resource.label}`)})),1),(0,o.createVNode)((0,o.unref)(i.Button),{class:"shrink-0 mt-6",onClick:r[0]||(r[0]=e=>t.$emit("click")),variant:"outline",label:t.__("Reload")},null,8,["label"])])),_:1})}};const n=(0,r(66262).A)(a,[["__file","IndexErrorDialog.vue"]])},87853:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"text-xs font-semibold text-gray-400 text-right space-x-1"},l={__name:"CharacterCounter",props:{count:{type:Number},limit:{type:Number}},setup(e){const t=e,r=(0,o.computed)((()=>t.count/t.limit)),l=(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",i,[(0,o.createElementVNode)("span",{class:(0,o.normalizeClass)({"text-red-500":a.value,"text-yellow-500":l.value})},(0,o.toDisplayString)(e.count),3),r[0]||(r[0]=(0,o.createElementVNode)("span",null,"/",-1)),(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.limit),1)]))}};const a=(0,r(66262).A)(l,[["__file","CharacterCounter.vue"]])},36706:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(29726),i=r(98234),l=r(38221),a=r.n(l),n=r(58156),s=r.n(n),c=r(96433);const d=["dusk"],u={class:"relative"},h=["onKeydown","disabled","placeholder","aria-expanded"],p=["dusk"],m=["dusk"],f={key:0,class:"px-3 py-2"},v=["dusk","onClick"],g=Object.assign({inheritAttrs:!1},{__name:"ComboBoxInput",props:(0,o.mergeModels)({dusk:{},error:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1},placeholder:{type:String,default:"Search"},options:{type:Array,default:[]},loading:{type:Boolean,default:!1},debounce:{type:Number,default:500},trackBy:{type:String}},{modelValue:{type:Array,default:[]},modelModifiers:{}}),emits:(0,o.mergeModels)(["clear","input","selected"],["update:modelValue"]),setup(e,{expose:t,emit:r}){const l=r,n=e,g=a()((e=>e()),n.debounce),y=(0,o.useModel)(e,"modelValue"),b=(0,o.ref)(null),k=(0,o.useTemplateRef)("searchInput"),w=(0,o.useTemplateRef)("searchResultsContainer"),C=(0,o.useTemplateRef)("searchResultsDropdown"),x=(0,o.useTemplateRef)("searchInputContainer"),N=(0,o.useTemplateRef)("selectedOption"),B=(0,o.ref)(""),S=(0,o.ref)(!1),V=(0,o.ref)(0);(0,c.MLh)(document,"keydown",(e=>{!S.value||9!==e.keyCode&&27!==e.keyCode||setTimeout((()=>O()),50)})),(0,o.watch)(B,(e=>{e&&(S.value=!0),V.value=0,w.value?w.value.scrollTop=0:(0,o.nextTick)((()=>w.value.scrollTop=0)),g((()=>l("input",e)))})),(0,o.watch)(S,(e=>!0===e?(0,o.nextTick)((()=>{b.value=(0,i.n4)(k.value,C.value,{placement:"bottom-start",onFirstUpdate:()=>{x.value.scrollTop=x.value.scrollHeight,P()}})})):b.value.destroy()));const R=(0,o.computed)((()=>k.value?.offsetWidth));function E(e){return s()(e,n.trackBy)}function _(){S.value=!0}function O(){S.value=!1}function D(e){let t=V.value+e;t>=0&&t<n.options.length&&(V.value=t,(0,o.nextTick)((()=>P())))}function A(e){const t=y.value.filter((t=>t.value===e.value));l("selected",e),(0,o.nextTick)((()=>O())),B.value="",0===t.length&&y.value.push(e)}function F(e){if(e.isComposing||229===e.keyCode)return;var t;A((t=V.value,n.options[t]))}function P(){N.value&&(N.value.offsetTop>w.value.scrollTop+w.value.clientHeight-N.value.clientHeight&&(w.value.scrollTop=N.value.offsetTop+N.value.clientHeight-w.value.clientHeight),N.value.offsetTop<w.value.scrollTop&&(w.value.scrollTop=N.value.offsetTop))}return t({open:_,close:O,choose:A,remove:function(e){y.value.splice(e,1)},clear:function(){V.value=null,O(),l("clear"),y.value=[]},move:D}),(t,r)=>{const i=(0,o.resolveComponent)("Loader"),l=(0,o.resolveComponent)("Backdrop");return(0,o.openBlock)(),(0,o.createElementBlock)("div",(0,o.mergeProps)({ref:"searchInputContainer"},t.$attrs,{dusk:e.dusk}),[(0,o.createElementVNode)("div",u,[(0,o.withDirectives)((0,o.createElementVNode)("input",{onClick:(0,o.withModifiers)(_,["stop"]),onKeydown:[(0,o.withKeys)((0,o.withModifiers)(F,["prevent"]),["enter"]),r[0]||(r[0]=(0,o.withKeys)((0,o.withModifiers)((e=>D(1)),["prevent"]),["down"])),r[1]||(r[1]=(0,o.withKeys)((0,o.withModifiers)((e=>D(-1)),["prevent"]),["up"]))],class:(0,o.normalizeClass)(["w-full block 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:"searchInput",tabindex:"0",type:"search",placeholder:t.__(e.placeholder),spellcheck:"false","aria-expanded":!0===S.value?"true":"false"},null,42,h),[[o.vModelText,B.value]])]),((0,o.openBlock)(),(0,o.createBlock)(o.Teleport,{to:"body"},[S.value?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,ref:"searchResultsDropdown",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:R.value+"px",zIndex:2e3})},[(0,o.createElementVNode)("div",{ref:"searchResultsContainer",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",f,[(0,o.createVNode)(i,{width:"30"})])):((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,{key:1},(0,o.renderList)(e.options,((r,i)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{dusk:`${e.dusk}-result-${i}`,onClick:(0,o.withModifiers)((e=>A(r)),["stop"]),ref_for:!0,ref:e=>function(e,t){V.value===e&&(N.value=t)}(i,e),key:E(r),class:(0,o.normalizeClass)(["px-3 py-1.5 cursor-pointer",{[`search-input-item-${i}`]:!0,"hover:bg-gray-100 dark:hover:bg-gray-800":i!==V.value,"bg-primary-500 text-white dark:text-gray-900":i===V.value}])},[(0,o.renderSlot)(t.$slots,"option",{option:r,selected:i===V.value,dusk:`${e.dusk}-result-${i}`})],10,v)))),128))],8,m)],4),[[o.vShow,e.loading||e.options.length>0]])],8,p)):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(l,{onClick:O,show:S.value,class:"z-[35]"},null,8,["show"])]))],16,d)}}});const y=(0,r(66262).A)(g,[["__file","ComboBoxInput.vue"]])},26762:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726),i=r(74640),l=r(65835);const a={class:"relative h-9 w-full md:w-1/3 md:shrink-0"},n={__name:"IndexSearchInput",props:{modelValue:{},modelModifiers:{}},emits:["update:modelValue"],setup(e){const{__:t}=(0,l.B)(),r=(0,o.useModel)(e,"modelValue");return(e,l)=>{const n=(0,o.resolveComponent)("RoundInput");return(0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createVNode)((0,o.unref)(i.Icon),{name:"magnifying-glass",type:"mini",class:"absolute ml-2 text-gray-400 top-[4px]"}),(0,o.createVNode)(n,{dusk:"search-input",class:"bg-white dark:bg-gray-800 shadow dark:focus:bg-gray-800",placeholder:(0,o.unref)(t)("Search"),type:"search",modelValue:r.value,"onUpdate:modelValue":l[0]||(l[0]=e=>r.value=e),spellcheck:"false","aria-label":(0,o.unref)(t)("Search"),"data-role":"resource-search-input"},null,8,["placeholder","modelValue","aria-label"])])}}};const s=(0,r(66262).A)(n,[["__file","IndexSearchInput.vue"]])},40902:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);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 l(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const a=Object.assign({inheritAttrs:!1},{__name:"RoundInput",props:{modelValue:{},modelModifiers:{}},emits:["update:modelValue"],setup(e){const t=(0,o.useModel)(e,"modelValue");return(e,r)=>(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("input",(0,o.mergeProps)(function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){l(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({},e.$attrs),{"onUpdate:modelValue":r[0]||(r[0]=e=>t.value=e),class:"appearance-none rounded-full h-8 pl-10 w-full focus:bg-white focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600"}),null,16)),[[o.vModelDynamic,t.value]])}});const n=(0,r(66262).A)(a,[["__file","RoundInput.vue"]])},21760:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>N});var o=r(29726),i=r(98234),l=r(38221),a=r.n(l),n=r(58156),s=r.n(n),c=r(24713),d=r.n(c),u=r(24767);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,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const m=["dusk"],f=["onKeydown","tabindex","aria-expanded","dusk"],v={key:0,class:"pointer-events-none absolute inset-y-0 right-[11px] flex items-center"},g={class:"text-gray-400 dark:text-gray-400"},y=["dusk"],b=["dusk"],k=["disabled","onKeydown","placeholder"],w=["dusk"],C=["dusk","onClick"],x=Object.assign({inheritAttrs:!1},{__name:"SearchInput",props:(0,o.mergeModels)(function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?h(Object(r),!0).forEach((function(t){p(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):h(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({dusk:{type:String,required:!0},disabled:{type:Boolean,default:!1},readOnly:{type:Boolean,default:!1},options:{},trackBy:{type:String,required:!0},error:{type:Boolean,default:!1},boundary:{},debounce:{type:Number,default:500},clearable:{type:Boolean,default:!0}},(0,u.rr)(["mode"])),{modelValue:{},modelModifiers:{}}),emits:(0,o.mergeModels)(["clear","input","shown","closed","selected"],["update:modelValue"]),setup(e,{expose:t,emit:r}){const l=r,n=e,c=(0,o.useModel)(e,"modelValue"),u=a()((e=>e()),n.debounce),h=(0,o.ref)(!1),p=(0,o.ref)(""),x=(0,o.ref)(0),N=(0,o.ref)(null),B=(0,o.ref)(null),S=(0,o.useTemplateRef)("container"),V=(0,o.useTemplateRef)("dropdown"),R=(0,o.useTemplateRef)("input"),E=(0,o.useTemplateRef)("search"),_=(0,o.useTemplateRef)("selected");function O(e){!h.value||9!=e.keyCode&&27!=e.keyCode||setTimeout((()=>F()),50)}function D(e){return s()(e,n.trackBy)}function A(){n.disabled||n.readOnly||(h.value=!0,p.value="",l("shown"))}function F(){h.value=!1,l("closed")}function P(){n.disabled||(x.value=null,l("clear",null))}function T(e){let t=x.value+e;t>=0&&t<n.options.length&&(x.value=t,I())}function I(){(0,o.nextTick)((()=>{_.value&&_.value[0]&&(_.value[0].offsetTop>S.value.scrollTop+S.value.clientHeight-_.value[0].clientHeight&&(S.value.scrollTop=_.value[0].offsetTop+_.value[0].clientHeight-S.value.clientHeight),_.value[0].offsetTop<S.value.scrollTop&&(S.value.scrollTop=_.value[0].offsetTop))}))}function M(e){if(!e.isComposing&&229!==e.keyCode&&void 0!==n.options[x.value]){let e=n.options[x.value];c.value=D(e),l("selected",e),R.value.focus(),(0,o.nextTick)((()=>F()))}}(0,o.watch)(p,(e=>{x.value=0,S.value?S.value.scrollTop=0:(0,o.nextTick)((()=>{S.value.scrollTop=0})),u((()=>{l("input",e)}))})),(0,o.watch)(h,(e=>{if(e){let e=d()(n.options,[n.trackBy,s()(c.value,n.trackBy)]);-1!==e&&(x.value=e),B.value=R.value.offsetWidth,Nova.$emit("disable-focus-trap"),(0,o.nextTick)((()=>{N.value=(0,i.n4)(R.value,V.value,{placement:"bottom-start",onFirstUpdate:e=>{S.value.scrollTop=S.value.scrollHeight,I(),E.value.focus()}})}))}else N.value&&N.value.destroy(),Nova.$emit("enable-focus-trap"),R.value.focus()})),(0,o.onBeforeMount)((()=>{document.addEventListener("keydown",O)})),(0,o.onBeforeUnmount)((()=>{document.removeEventListener("keydown",O)}));const j=(0,o.computed)((()=>""==c.value||null==c.value||!n.clearable));return t({open:A,close:F,clear:P,move:T}),(t,r)=>{const i=(0,o.resolveComponent)("IconArrow"),a=(0,o.resolveComponent)("Backdrop");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[(0,o.createElementVNode)("div",(0,o.mergeProps)(t.$attrs,{class:"relative",dusk:e.dusk,ref:"searchInputContainer"}),[(0,o.createElementVNode)("div",{ref:"input",onClick:(0,o.withModifiers)(A,["stop"]),onKeydown:[(0,o.withKeys)((0,o.withModifiers)(A,["prevent"]),["space"]),(0,o.withKeys)((0,o.withModifiers)(A,["prevent"]),["down"]),(0,o.withKeys)((0,o.withModifiers)(A,["prevent"]),["up"])],class:(0,o.normalizeClass)([{"ring dark:border-gray-500 dark:ring-gray-700":h.value,"form-input-border-error":e.error,"bg-gray-50 dark:bg-gray-700":e.disabled||e.readOnly},"relative flex items-center form-control form-input form-control-bordered form-select pr-6"]),tabindex:h.value?-1:0,"aria-expanded":!0===h.value?"true":"false",dusk:`${e.dusk}-selected`},[j.value&&!e.disabled?((0,o.openBlock)(),(0,o.createElementBlock)("span",v,[(0,o.createVNode)(i)])):(0,o.createCommentVNode)("",!0),(0,o.renderSlot)(t.$slots,"default",{},(()=>[(0,o.createElementVNode)("div",g,(0,o.toDisplayString)(t.__("Click to choose")),1)]))],42,f),j.value||e.disabled?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,type:"button",onClick:P,tabindex:"-1",class:"absolute p-2 inline-block right-[4px]",style:{top:"6px"},dusk:`${e.dusk}-clear-button`},r[3]||(r[3]=[(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)]),8,y))],16,m),((0,o.openBlock)(),(0,o.createBlock)(o.Teleport,{to:"body"},[h.value?((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:B.value+"px",zIndex:2e3}),dusk:`${e.dusk}-dropdown`},[(0,o.withDirectives)((0,o.createElementVNode)("input",{disabled:e.disabled||e.readOnly,"onUpdate:modelValue":r[0]||(r[0]=e=>p.value=e),ref:"search",onKeydown:[(0,o.withKeys)((0,o.withModifiers)(M,["prevent"]),["enter"]),r[1]||(r[1]=(0,o.withKeys)((0,o.withModifiers)((e=>T(1)),["prevent"]),["down"])),r[2]||(r[2]=(0,o.withKeys)((0,o.withModifiers)((e=>T(-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:t.__("Search"),spellcheck:"false"},null,40,k),[[o.vModelText,p.value]]),(0,o.createElementVNode)("div",{ref:"container",class:"relative overflow-y-scroll text-sm",tabindex:"-1",style:{"max-height":"155px"},dusk:`${e.dusk}-results`},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.options,((r,i)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{dusk:`${e.dusk}-result-${i}`,key:D(r),ref_for:!0,ref:i===x.value?"selected":"unselected",onClick:(0,o.withModifiers)((e=>function(e){x.value=d()(n.options,[n.trackBy,s()(e,n.trackBy)]),c.value=D(e),l("selected",e),R.value.blur(),(0,o.nextTick)((()=>F()))}(r)),["stop"]),class:(0,o.normalizeClass)(["px-3 py-1.5 cursor-pointer z-[50]",{"border-t border-gray-100 dark:border-gray-700":0!==i,[`search-input-item-${i}`]:!0,"hover:bg-gray-100 dark:hover:bg-gray-800":i!==x.value,"bg-primary-500 text-white dark:text-gray-900":i===x.value}])},[(0,o.renderSlot)(t.$slots,"option",{option:r,selected:i===x.value})],10,C)))),128))],8,w)],12,b)):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(a,{onClick:F,show:h.value,style:{zIndex:1999}},null,8,["show"])]))],64)}}});const N=(0,r(66262).A)(x,[["__file","SearchInput.vue"]])},76402:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i={class:"flex items-center"},l={key:0,class:"flex-none mr-3"},a=["src"],n={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",i,[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,a)])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",n,[(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"]])},24511:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726),i=r(74640);const l={class:"py-1"},a={__name:"LensSelector",props:["resourceName","lenses"],setup:e=>(t,r)=>{const a=(0,o.resolveComponent)("DropdownMenuItem"),n=(0,o.resolveComponent)("ScrollWrap"),s=(0,o.resolveComponent)("DropdownMenu"),c=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createBlock)(c,{placement:"bottom-end"},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{class:"divide-y divide-gray-100 dark:divide-gray-800 divide-solid px-1",width:"auto"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(n,{height:250},{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)(a,{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})])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(i.Button),{variant:"ghost",padding:"tight",icon:"queue-list","trailing-icon":"chevron-down","aria-label":t.__("Lens Dropdown")},null,8,["aria-label"])])),_:1})}};const n=(0,r(66262).A)(a,[["__file","LensSelector.vue"]])},99820:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726),i=r(66278);const l={key:0,href:"https://nova.laravel.com/licenses",class:"inline-block text-red-500 text-xs font-bold mt-1 text-center uppercase"},a={__name:"LicenseWarning",setup(e){const t=(0,i.Pj)(),r=(0,o.computed)((()=>t.getters.validLicense));return(e,t)=>r.value?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("a",l,(0,o.toDisplayString)(e.__("Unregistered")),1))}};const n=(0,r(66262).A)(a,[["__file","LicenseWarning.vue"]])},89204:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"absolute inset-0 z-30 flex items-center justify-center rounded-lg bg-white dark:bg-gray-800"},l={__name:"LoadingCard",props:{loading:{type:Boolean,default:!0}},setup:e=>(t,r)=>{const l=(0,o.resolveComponent)("Loader"),a=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createBlock)(a,{class:"isolate"},{default:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createElementVNode)("div",i,[(0,o.createVNode)(l,{class:"text-gray-300",width:"30"})],512),[[o.vShow,e.loading]]),(0,o.renderSlot)(t.$slots,"default")])),_:3})}};const a=(0,r(66262).A)(l,[["__file","LoadingCard.vue"]])},5983:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={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",i)):(0,o.createCommentVNode)("",!0),(0,o.renderSlot)(t.$slots,"default")],64)):(0,o.createCommentVNode)("",!0)],2)}};const a=(0,r(66262).A)(l,[["__file","LoadingView.vue"]])},1085:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>B});var o=r(29726),i=r(10646),l=r(65835),a=r(15237),n=r.n(a),s=r(38221),c=r.n(s);function d(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 u(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?d(Object(r),!0).forEach((function(t){h(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):d(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function h(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const{__:p}=(0,l.B)(),m=(e,{props:t,emitter:r,isFocused:i,filesUploadingCount:l,filesUploadedCount:a,files:n})=>{const s=e.getDoc();return{setValue(e){s.setValue(e),this.refresh()},focus(){i.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(null!=t.uploader){l.value=l.value+1;const o=`![Uploading ${e.name}…]()`;this.insert(o),t.uploader(e,{onCompleted:(e,t)=>{let i=s.getValue();i=i.replace(o,`![${e}](${t})`),s.setValue(i),r("change",i),a.value=a.value+1},onFailure:e=>{l.value=l.value-1}})}}}},f=(e,t,{props:r,emitter:i,isFocused:l,files:a,filesUploadingCount:n,filesUploadedCount:s})=>{const d=e.getDoc(),u=/!\[[^\]]*\]\(([^\)]+)\)/gm;e.on("focus",(()=>l.value=!0)),e.on("blur",(()=>l.value=!1)),d.on("change",((e,t)=>{"setValue"!==t.origin&&i("change",e.getValue())})),d.on("change",c()(((e,t)=>{const r=[...e.getValue().matchAll(u)].map((e=>e[1])).filter((e=>{try{return new URL(e),!0}catch{return!1}}));a.value.filter((e=>!r.includes(e))).filter(((e,t,r)=>r.indexOf(e)===t)).forEach((e=>i("file-removed",e))),r.filter((e=>!a.value.includes(e))).filter(((e,t,r)=>r.indexOf(e)===t)).forEach((e=>i("file-added",e))),a.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<r.length;o++)-1!==r[o].type.indexOf("image")&&(t.uploadAttachment(r[o].getAsFile()),e.preventDefault())}})(r)})),(0,o.watch)(l,((t,r)=>{!0===t&&!1===r&&e.focus()}))},v=(e,{emitter:t,props:r,isEditable:o,isFocused:i,isFullScreen:l,filesUploadingCount:a,filesUploadedCount:s,files:c,unmountMarkdownEditor:d})=>{const h=n().fromTextArea(e.value,{tabSize:4,indentWithTabs:!0,lineWrapping:!0,mode:"markdown",viewportMargin:1/0,extraKeys:{Enter:"newlineAndIndentContinueMarkdownList"},readOnly:r.readonly}),p=(h.getDoc(),m(h,{props:r,emitter:t,isFocused:i,filesUploadingCount:a,filesUploadedCount:s,files:c})),v=((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"};Object.entries(r).forEach((([o,i])=>{const l=o.replace("Cmd-",n().keyMap.default==n().keyMap.macDefault?"Cmd-":"Ctrl-");e.options.extraKeys[l]=t[r[o]].bind(void 0)}))})(h,v),f(h,p,{props:r,emitter:t,isFocused:i,files:c,filesUploadingCount:a,filesUploadedCount:s}),p.refresh(),{editor:h,unmount:()=>{h.toTextArea(),d()},actions:u(u(u({},p),v),{},{handle(e,t){r.readonly||(i.value=!0,v[t].call(e))}})}};function g(e,t){const r=(0,o.ref)(!1),i=(0,o.ref)(!1),l=(0,o.ref)(""),a=(0,o.ref)("write"),n=(0,o.ref)(p("Attach files by dragging & dropping, selecting or pasting them.")),s=(0,o.ref)([]),c=(0,o.ref)(0),d=(0,o.ref)(0),u=(0,o.computed)((()=>t.readonly&&"write"==a.value)),h=()=>{r.value=!1,i.value=!1,a.value="write",l.value="",c.value=0,d.value=0,s.value=[]};return null!=t.uploader&&(0,o.watch)([d,c],(([e,t])=>{n.value=t>e?p("Uploading files... (:current/:total)",{current:e,total:t}):p("Attach files by dragging & dropping, selecting or pasting them.")})),{createMarkdownEditor:(o,l)=>v.call(o,l,{emitter:e,props:t,isEditable:u,isFocused:i,isFullScreen:r,filesUploadingCount:c,filesUploadedCount:d,files:s,unmountMarkdownEditor:h}),isFullScreen:r,isFocused:i,isEditable:u,visualMode:a,previewContent:l,statusContent:n,files:s}}const y=["dusk"],b={class:"w-full flex items-center content-center"},k=["dusk"],w={class:"p-4"},C=["dusk"],x=["dusk","innerHTML"],N={__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{__:a}=(0,l.B)(),n=r,s=e,{createMarkdownEditor:c,isFullScreen:d,isFocused:u,isEditable:h,visualMode:p,previewContent:m,statusContent:f}=g(n,s);let v=null;const N=(0,o.useTemplateRef)("theTextarea"),B=(0,o.useTemplateRef)("fileInput"),S=()=>B.value.click(),V=()=>{if(s.uploader&&v.actions){const e=B.value.files;for(let t=0;t<e.length;t++)v.actions.uploadAttachment(e[t]);B.value.files=null}},{startedDrag:R,handleOnDragEnter:E,handleOnDragLeave:_}=(0,i.g)(n),O=e=>{if(s.uploader&&v.actions){const t=e.dataTransfer.files;for(let e=0;e<t.length;e++)-1!==t[e].type.indexOf("image")&&v.actions.uploadAttachment(t[e])}};(0,o.onMounted)((()=>{v=c(this,N),n("initialize")})),(0,o.onBeforeUnmount)((()=>v.unmount()));const D=()=>{p.value="write",v.actions.refresh()},A=async()=>{m.value=await s.previewer(v.editor.getValue()??""),p.value="preview"},F=e=>{v.actions.handle(this,e)};return t({setValue(e){v?.actions&&v.actions.setValue(e)},setOption(e,t){v?.editor&&v.editor.setOption(e,t)}}),(t,r)=>{const i=(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)(E)&&(0,o.unref)(E)(...e)),["prevent"])),onDragleave:r[2]||(r[2]=(0,o.withModifiers)(((...e)=>(0,o.unref)(_)&&(0,o.unref)(_)(...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)(D,["stop"])},(0,o.toDisplayString)((0,o.unref)(a)("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)(A,["stop"])},(0,o.toDisplayString)((0,o.unref)(a)("Preview")),3)):(0,o.createCommentVNode)("",!0)]),e.readonly?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)(i,{key:0,onAction:F,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",w,[(0,o.createElementVNode)("textarea",{ref:"theTextarea",class:(0,o.normalizeClass)({"bg-gray-100":e.readonly})},null,2)]),e.uploader?((0,o.openBlock)(),(0,o.createElementBlock)("label",{key:0,onChange:(0,o.withModifiers)(S,["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)(f)),1),(0,o.createElementVNode)("input",{ref:"fileInput",type:"file",class:"hidden",accept:"image/*",multiple:!0,onChange:(0,o.withModifiers)(V,["prevent"])},null,544)],42,C)):(0,o.createCommentVNode)("",!0)],10,k),[[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,x),[[o.vShow,"preview"==(0,o.unref)(p)]])],42,y)}}};const B=(0,r(66262).A)(N,[["__file","MarkdownEditor.vue"]])},24143:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={class:"flex items-center"},l=["onClick"],a={__name:"MarkdownEditorToolbar",emits:["action"],setup(e,{emit:t}){const r=t,a=(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",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(a.value,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:e.action,onClick:(0,o.withModifiers)((t=>{return o=e.action,void 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 n=(0,r(66262).A)(a,[["__file","MarkdownEditorToolbar.vue"]])},25787:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726),i=r(74640),l=r(66278);const a={key:0,class:"text-gray-500 font-semibold","aria-label":"breadcrumb",dusk:"breadcrumbs"},n={class:"flex items-center"},s={key:1},c={__name:"Breadcrumbs",setup(e){const t=(0,l.Pj)(),r=(0,o.computed)((()=>t.getters.breadcrumbs)),c=(0,o.computed)((()=>r.value.length>0));return(e,t)=>{const l=(0,o.resolveComponent)("Link");return c.value?((0,o.openBlock)(),(0,o.createElementBlock)("nav",a,[(0,o.createElementVNode)("ol",null,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.value,((t,a)=>((0,o.openBlock)(),(0,o.createElementBlock)("li",(0,o.mergeProps)({key:a,ref_for:!0},{"aria-current":a===r.value.length-1?"page":null},{class:"inline-block"}),[(0,o.createElementVNode)("div",n,[null!==t.path&&a<r.value.length-1?((0,o.openBlock)(),(0,o.createBlock)(l,{key:0,href:e.$url(t.path),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(t.name),1)])),_:2},1032,["href"])):((0,o.openBlock)(),(0,o.createElementBlock)("span",s,(0,o.toDisplayString)(t.name),1)),a<r.value.length-1?((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(i.Icon),{key:2,name:"chevron-right",type:"micro",class:"mx-2 text-gray-300 dark:text-gray-700"})):(0,o.createCommentVNode)("",!0)])],16)))),128))])])):(0,o.createCommentVNode)("",!0)}}};const d=(0,r(66262).A)(c,[["__file","Breadcrumbs.vue"]])},43134:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726),i=r(66278);const l={key:0,class:"sidebar-menu space-y-6",dusk:"sidebar-menu",role:"navigation"},a=Object.assign({name:"MainMenu"},{__name:"MainMenu",setup(e){const t=(0,i.Pj)(),r=(0,o.computed)((()=>t.getters.mainMenu)),a=(0,o.computed)((()=>r.value.length>0));return(e,t)=>a.value?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.value,((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)}});const n=(0,r(66262).A)(a,[["__file","MainMenu.vue"]])},16839:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={key:0},l={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"},n={key:0};const s={mixins:[r(24767).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 c=(0,r(66262).A)(s,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("CollapseButton");return r.item.items.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("h4",{onClick:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>d.handleClick&&d.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":d.displayAsButton,"font-bold text-primary-500 dark:text-primary-500":r.item.active}])},[t[1]||(t[1]=(0,o.createElementVNode)("span",{class:"inline-block shrink-0 w-6 h-6"},null,-1)),(0,o.createElementVNode)("span",l,(0,o.toDisplayString)(r.item.name),1),r.item.collapsable?((0,o.openBlock)(),(0,o.createElementBlock)("span",a,[(0,o.createVNode)(u,{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",n,[((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"]])},12899:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>g});var o=r(29726);const i={class:"flex-1 flex items-center w-full px-3 text-sm"},l={class:"inline-block h-6 shrink-0"};var a=r(83488),n=r.n(a),s=r(42194),c=r.n(s),d=r(71086),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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?p(Object(r),!0).forEach((function(t){f(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):p(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function f(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const v={props:{item:{type:Object,required:!0}},methods:m(m({},(0,h.PY)(["toggleMainMenu"])),{},{handleClick(){this.mainMenuShown&&this.toggleMainMenu()}}),computed:m(m({},(0,h.L8)(["mainMenuShown"])),{},{requestMethod(){return this.item.method||"GET"},component(){return"GET"!==this.requestMethod?"FormButton":!0!==this.item.external?"Link":"a"},linkAttributes(){let e=this.requestMethod;return u()(c()({href:this.item.path,method:"GET"!==e?e:null,headers:this.item.headers||null,data:this.item.data||null,rel:"a"===this.component?"noreferrer noopener":null,target:this.item.target||null},(e=>null===e)),n())}})};const g=(0,r(66262).A)(v,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("Badge");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(s.component),(0,o.mergeProps)(s.linkAttributes,{class:["w-full flex min-h-8 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",{"font-bold text-primary-500 dark:text-primary-500":r.item.active}],"data-active-link":r.item.active,onClick:s.handleClick}),{default:(0,o.withCtx)((()=>[t[0]||(t[0]=(0,o.createElementVNode)("span",{class:"inline-block shrink-0 w-6 h-6"},null,-1)),(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(r.item.name),1),(0,o.createElementVNode)("span",l,[r.item.badge?((0,o.openBlock)(),(0,o.createBlock)(c,{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"]])},21081:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"sidebar-list"},l={__name:"MenuList",props:{item:{type:Object}},setup:e=>(t,r)=>{const l=(0,o.resolveComponent)("MenuItem");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.item.items,(e=>((0,o.openBlock)(),(0,o.createBlock)(l,{key:e.key,item:e},null,8,["item"])))),128))])}};const a=(0,r(66262).A)(l,[["__file","MenuList.vue"]])},84372:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>g});var o=r(29726);const i={key:0,class:"relative"},l={class:"inline-block shrink-0 w-6 h-6"},a={class:"flex-1 flex items-center w-full px-3 text-base"},n={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(74640),u=r(24767),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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?p(Object(r),!0).forEach((function(t){f(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):p(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function f(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const v={components:{Icon:d.Icon},mixins:[u.pJ],props:{item:{type:Object,required:!0}},methods:m(m({},(0,h.PY)(["toggleMainMenu"])),{},{handleClick(){this.item.collapsable&&this.toggleCollapse(),this.mainMenuShown&&"button"!==this.component&&this.toggleMainMenu()}}),computed:m(m({},(0,h.L8)(["mainMenuShown"])),{},{component(){return this.item.path?"Link":this.item.items.length>0&&this.item.collapsable?"button":"h3"},displayAsButton(){return["Link","button"].includes(this.component)},collapsedByDefault(){return this.item?.collapsedByDefault??!1}})};const g=(0,r(66262).A)(v,[["render",function(e,t,r,d,u,h){const p=(0,o.resolveComponent)("Icon"),m=(0,o.resolveComponent)("Badge"),f=(0,o.resolveComponent)("CollapseButton");return r.item.path||r.item.items.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[((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.createVNode)(p,{name:r.item.icon,class:"inline-block"},null,8,["name"])]),(0,o.createElementVNode)("span",a,(0,o.toDisplayString)(r.item.name),1),(0,o.createElementVNode)("span",n,[r.item.badge?((0,o.openBlock)(),(0,o.createBlock)(m,{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)(f,{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"]])},29033:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i={class:"h-6 flex mb-3 text-sm font-bold"},l={class:"ml-auto font-semibold text-gray-400 text-xs"},a={class:"flex min-h-[90px]"};var n=r(38221),s=r.n(n),c=r(31126),d=r.n(c),u=r(27717);r(27554);const h={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 u.rW(this.$refs.chart,this.formattedChartData,{donut:!0,donutWidth:10,startAngle:270,showLabel:!1}),this.chartist.on("draw",(e=>{"slice"===e.type&&e.element.attr({style:`stroke-width: 10px; stroke: ${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 this.chartData.map(((e,t)=>({label:e.label,value:Nova.formatNumber(e.value),color:this.getItemColor(e,t),percentage:Nova.formatNumber(String(e.percentage))})))},formattedLabels(){return this.chartData.map((e=>e.label))},formattedData(){return this.chartData.map(((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 d()(this.chartData,"value")}}};const p=(0,r(66262).A)(h,[["render",function(e,t,r,n,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",i,[(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",a,[(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"]])},39157:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i={class:"h-6 flex items-center mb-4"},l={class:"flex-1 mr-3 leading-tight text-sm font-bold"},a={class:"flex-none text-right"},n={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(30043);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.singularOrPlural)(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"),f=(0,o.resolveComponent)("ProgressBar"),v=(0,o.resolveComponent)("LoadingCard");return(0,o.openBlock)(),(0,o.createBlock)(v,{loading:r.loading,class:"flex flex-col px-6 py-4"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(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",a,[(0,o.createElementVNode)("span",n,[(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)(f,{title:p.formattedValue,color:p.bgClass,value:r.percentage},null,8,["title","color","value"])])])),_:1},8,["loading"])}],["__file","BaseProgressMetric.vue"]])},28104:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726);const i={class:"h-6 flex items-center mb-4"},l={class:"mr-3 leading-tight text-sm font-bold"},a={class:"flex items-center text-4xl mb-4"},n={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(30043),h=r(27717),p=(r(27554),r(399)),m=r.n(p);r(55809);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.bl(this.$refs.chart,{series:this.chartData},{lineSmooth:h.lc.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:[m()({pointClass:"ct-point",anchorToPoint:!1}),m()({pointClass:"ct-point__left",anchorToPoint:!1,tooltipOffset:{x:50,y:-20}}),m()({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)},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,u.singularOrPlural)(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,u.singularOrPlural)(this.value,this.suffix)}}};const v=(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",i,[(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,value:r.selectedRangeKey,"onUpdate:modelValue":t[0]||(t[0]=t=>e.$emit("selected",t)),options:r.ranges,size:"xxs",class:"ml-auto w-[6rem] shrink-0","aria-label":e.__("Select Ranges")},null,8,["value","options","aria-label"])):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("p",a,[(0,o.createTextVNode)((0,o.toDisplayString)(u.formattedValue)+" ",1),r.suffix?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,(0,o.toDisplayString)(u.formattedSuffix),1)):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",s,null,512)])),_:1},8,["loading"])}],["__file","BaseTrendMetric.vue"]])},32983:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>x});var o=r(29726);const i={class:"h-6 flex items-center mb-4"},l={class:"mr-3 leading-tight text-sm font-bold"},a={class:"flex items-center mb-4 space-x-4"},n={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={key:1,class:"text-green-500 stroke-current mr-2",width:"24",height:"24",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor"},h={key:2},p={key:0},m={key:1},f={key:3,class:"text-gray-400 font-semibold"},v={key:0},g={key:1},y={key:2};var b=r(74640),k=r(24767),w=r(30043);const C={name:"BaseValueMetric",components:{Icon:b.Icon},mixins:[k.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:{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,w.increaseOrDecrease)(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,w.singularOrPlural)(this.value,this.suffix)}}};const x=(0,r(66262).A)(C,[["render",function(e,t,r,b,k,w){const C=(0,o.resolveComponent)("HelpTextTooltip"),x=(0,o.resolveComponent)("SelectControl"),N=(0,o.resolveComponent)("Icon"),B=(0,o.resolveComponent)("LoadingCard"),S=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createBlock)(B,{loading:r.loading,class:"px-6 py-4"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(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)(x,{key:0,value:r.selectedRangeKey,"onUpdate:modelValue":t[0]||(t[0]=t=>e.$emit("selected",t)),options:r.ranges,size:"xxs",class:"ml-auto w-[6rem] shrink-0","aria-label":e.__("Select Ranges")},null,8,["value","options","aria-label"])):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",a,[r.icon?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(N,{name:r.icon,class:"inline-block"},null,8,["name"])])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",null,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(r.copyable?"CopyButton":"p"),{onClick:w.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)(w.formattedValue),1)])),[[S,`${w.tooltipFormattedValue}`]]),r.suffix?((0,o.openBlock)(),(0,o.createElementBlock)("span",s,(0,o.toDisplayString)(w.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"===w.increaseOrDecreaseLabel?((0,o.openBlock)(),(0,o.createElementBlock)("svg",d,t[1]||(t[1]=[(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)]))):(0,o.createCommentVNode)("",!0),"Increase"===w.increaseOrDecreaseLabel?((0,o.openBlock)(),(0,o.createElementBlock)("svg",u,t[2]||(t[2]=[(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)]))):(0,o.createCommentVNode)("",!0),0!==w.increaseOrDecrease?((0,o.openBlock)(),(0,o.createElementBlock)("span",h,[0!==w.growthPercentage?((0,o.openBlock)(),(0,o.createElementBlock)("span",p,(0,o.toDisplayString)(w.growthPercentage)+"% "+(0,o.toDisplayString)(e.__(w.increaseOrDecreaseLabel)),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",m,(0,o.toDisplayString)(e.__("No Increase")),1))])):((0,o.openBlock)(),(0,o.createElementBlock)("span",f,["0"===r.previous&&"0"!==r.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",v,(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",g,(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,`${w.tooltipFormattedPreviousValue}`]])])])])),_:1},8,["loading"])}],["__file","BaseValueMetric.vue"]])},99543:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i={class:"group"},l={class:"text-base text-gray-500 truncate"},a={class:"text-gray-400 text-xs truncate"},n={class:"flex justify-end items-center text-gray-400"},s={class:"py-1"};var c=r(74640),d=r(42194),u=r.n(d);const h={components:{Button:c.Button,Icon:c.Icon},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}:u()({as:"GET"===t?"link":"form-button",href:e.path,method:"GET"!==t?t:null,data:e.data||null,headers:e.headers||null},(e=>null===e))}},computed:{rowClasses:()=>["py-2"]}};const p=(0,r(66262).A)(h,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("Icon"),p=(0,o.resolveComponent)("Button"),m=(0,o.resolveComponent)("DropdownMenuItem"),f=(0,o.resolveComponent)("ScrollWrap"),v=(0,o.resolveComponent)("DropdownMenu"),g=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createElementBlock)("tr",i,[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,{name:r.row.icon,class:"inline-block"},null,8,["name"])],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",a,(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",n,[(0,o.createVNode)(g,null,{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(v,{width:"auto",class:"px-1"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(f,{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,t)=>((0,o.openBlock)(),(0,o.createBlock)(m,(0,o.mergeProps)({key:t,ref_for:!0},u.actionAttributes(e)),{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.name),1)])),_:2},1040)))),128))])])),_: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"]])},64903:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={mixins:[r(24767).je],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:{handleFetchCallback(){return({data:{value:{value:e}}})=>{this.chartData=e,this.loading=!1}}},computed:{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 l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("BasePartitionMetric");return(0,o.openBlock)(),(0,o.createBlock)(n,{title:e.card.name,"help-text":e.card.helpText,"help-width":e.card.helpWidth,"chart-data":e.chartData,loading:e.loading,"legends-height":e.card.height},null,8,["title","help-text","help-width","chart-data","loading","legends-height"])}],["__file","PartitionMetric.vue"]])},98825:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);var i=r(24767);const l={name:"ProgressMetric",mixins:[i.Z4,i.je],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:{handleFetchCallback(){return({data:{value:{value:e,target:t,percentage:r,prefix:o,suffix:i,suffixInflection:l,format:a,avoid:n}}})=>{this.value=e,this.target=t,this.percentage=r,this.format=a||this.format,this.avoid=n,this.prefix=o||this.prefix,this.suffix=i||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}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("BaseProgressMetric");return(0,o.openBlock)(),(0,o.createBlock)(n,{title:e.card.name,"help-text":e.card.helpText,"help-width":e.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"]])},33796:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>m});var o=r(29726);const i={class:"h-6 flex items-center px-6 mb-4"},l={class:"mr-3 leading-tight text-sm font-bold"},a={class:"mb-5 pb-4"},n={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(24767);const p={name:"TableCard",mixins:[h.Z4,h.je],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:{handleFetchCallback(){return({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}}};const m=(0,r(66262).A)(p,[["render",function(e,t,r,h,p,m){const f=(0,o.resolveComponent)("HelpTextTooltip"),v=(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",i,[(0,o.createElementVNode)("h3",l,(0,o.toDisplayString)(e.card.name),1),(0,o.createVNode)(f,{text:e.card.helpText,width:e.card.helpWidth},null,8,["text","width"])]),(0,o.createElementVNode)("div",a,[e.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(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)(v,{row:e},null,8,["row"])))),256))])])])):((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[(0,o.createElementVNode)("p",u,(0,o.toDisplayString)(e.card.emptyText),1)]))])])),_:1},8,["loading"])}],["__file","TableMetric.vue"]])},1740:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);var i=r(24767);const l={name:"TrendMetric",mixins:[i.Z4,i.je],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()},handleFetchCallback(){return({data:{value:{labels:e,trend:t,value:r,prefix:o,suffix:i,suffixInflection:l,format:a}}})=>{this.value=r,this.labels=Object.keys(t),this.data={labels:Object.keys(t),series:[Object.entries(t).map((([e,t])=>({meta:`${e}`,value:t})))]},this.format=a||this.format,this.prefix=o||this.prefix,this.suffix=i||this.suffix,this.suffixInflection=l,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}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("BaseTrendMetric");return(0,o.openBlock)(),(0,o.createBlock)(n,{onSelected:a.handleRangeSelected,title:e.card.name,"help-text":e.card.helpText,"help-width":e.card.helpWidth,value:e.value,"chart-data":e.data,ranges:e.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"]])},58937:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);var i=r(24767);const l={name:"ValueMetric",mixins:[i.Z4,i.je],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()},handleFetchCallback(){return({data:{value:{copyable:e,value:t,previous:r,prefix:o,suffix:i,suffixInflection:l,format:a,tooltipFormat:n,zeroResult:s}}})=>{this.copyable=e,this.value=t,this.format=a||this.format,this.tooltipFormat=n||this.tooltipFormat,this.prefix=o||this.prefix,this.suffix=i||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}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("BaseValueMetric");return(0,o.openBlock)(),(0,o.createBlock)(n,{onSelected:a.handleRangeSelected,title:e.card.name,copyable:e.copyable,"help-text":e.card.helpText,"help-width":e.card.helpWidth,icon:e.card.icon,previous:e.previous,value:e.value,ranges:e.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"]])},61462:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>S});var o=r(29726),i=r(66278),l=r(74640),a=r(57091),n=r(83488),s=r.n(n),c=r(42194),d=r.n(c),u=r(71086),h=r.n(u),p=r(65835),m=r(59977);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 v(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?f(Object(r),!0).forEach((function(t){g(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):f(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function g(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const y={class:"md:hidden bg-gray-100 dark:bg-gray-900/30 rounded-lg py-4 px-2"},b={class:"flex flex-col gap-2"},k={class:"inline-flex items-center shrink-0 gap-2 px-2"},w=["alt","src"],C={class:"font-bold whitespace-nowrap"},x={class:"flex flex-col"},N={key:0,class:"mr-1"},B={__name:"MobileUserMenu",setup(e){const{__:t}=(0,p.B)(),r=(0,i.Pj)(),n=(0,o.computed)((()=>r.getters.userMenu.map((e=>{let t=e.method||"GET",r={href:e.path};return e.external&&"GET"===t?{component:"a",props:v(v({},r),{},{target:e.target||null}),name:e.name,external:e.external,on:{}}:{component:"GET"===t?"a":"FormButton",props:h()(d()(v(v({},r),{},{method:"GET"!==t?t:null,data:e.data||null,headers:e.headers||null}),(e=>null===e)),s()),external:e.external,name:e.name,on:{},badge:e.badge}})))),c=(0,o.computed)((()=>r.getters.currentUser?.name||r.getters.currentUser?.email||t("Nova User"))),u=(0,o.computed)((()=>Nova.config("customLogoutPath"))),f=(0,o.computed)((()=>!0===Nova.config("withAuthentication")||!1!==u.value)),g=(0,o.computed)((()=>Nova.hasSecurityFeatures())),B=()=>{confirm(t("Are you sure you want to stop impersonating?"))&&r.dispatch("stopImpersonating")},S=()=>{Nova.visit("/user-security")},V=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((()=>m.QB.reload()))};return(e,i)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",y,[(0,o.createElementVNode)("div",b,[(0,o.createElementVNode)("div",k,[(0,o.unref)(r).getters.currentUser?.impersonating?((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(l.Icon),{key:0,name:"finger-print",type:"solid"})):(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:c.value}),src:(0,o.unref)(r).getters.currentUser?.avatar,class:"rounded-full w-7 h-7"},null,8,w)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("span",C,(0,o.toDisplayString)(c.value),1)]),(0,o.createElementVNode)("nav",x,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(n.value,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),(0,o.mergeProps)({key:e.path,ref_for:!0},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)(a.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:B,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),g.value?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:1,type:"button",onClick:S,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)("User Security")),1)):(0,o.createCommentVNode)("",!0),f.value?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:2,onClick:V,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 S=(0,r(66262).A)(B,[["__file","MobileUserMenu.vue"]])},75713:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i=["data-form-unique-id"],l={key:1},a={class:"flex items-center ml-auto"};var n=r(24767),s=r(23805),c=r.n(s),d=r(25542);const u={components:{Button:r(74640).Button},emits:["confirm","close"],mixins:[n.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,n,s,c){const d=(0,o.resolveComponent)("ModalHeader"),u=(0,o.resolveComponent)("Button"),h=(0,o.resolveComponent)("ModalFooter"),p=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(p,{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)(h,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",a,[(0,o.createVNode)(u,{variant:"link",state:"mellow",onClick:t[0]||(t[0]=t=>e.$emit("close")),dusk:"cancel-action-button",class:"ml-auto mr-3"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.action.cancelButtonText),1)])),_:1}),(0,o.createVNode)(u,{ref:"runButton",type:"submit",loading:r.working,variant:"solid",state:r.action.destructive?"danger":"default",dusk:"confirm-action-button"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.action.confirmButtonText),1)])),_:1},8,["loading","state"])])])),_:1})],42,i)])),_:1},8,["show","onCloseViaEscape","size","modal-style","use-focus-trap"])}],["__file","ConfirmActionModal.vue"]])},48619:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={class:"bg-white dark:bg-gray-800 rounded-lg shadow-lg overflow-hidden",style:{width:"460px"}},l={class:"leading-tight"},a={class:"ml-auto"};const n={components:{Button:r(74640).Button},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)(n,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("ModalHeader"),u=(0,o.resolveComponent)("ModalContent"),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:"md"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(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)(p,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",a,[(0,o.createVNode)(h,{variant:"link",state:"mellow",onClick:(0,o.withModifiers)(c.handleClose,["prevent"]),class:"mr-3",dusk:"cancel-upload-delete-button"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Cancel")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(h,{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"]])},80245:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i={class:"space-y-6"},l={class:"px-8"},a={class:"px-8 mb-6"},n=["placeholder","disabled"],s={class:"flex items-center ml-auto"};var c=r(24767);const d={components:{Button:r(74640).Button},emits:["confirm","close"],mixins:[c.Uf],props:{show:{type:Boolean,default:!1},title:{type:String,default:null},content:{type:String,default:null},button:{type:String,default:null}},data:()=>({form:Nova.form({password:""}),loading:!1,completed:!1}),methods:{async submit(){try{let{redirect:e}=await this.form.post(Nova.url("/user-security/confirm-password"));this.completed=!0,this.$emit("confirm")}catch(e){500===e.response?.status&&Nova.error(this.__("There was a problem submitting the form."))}this.form.password="",this.$refs.passwordInput.focus()},handlePreventModalAbandonmentOnClose(e){this.handlePreventModalAbandonment((()=>{this.handleClose()}),(()=>{e.stopPropagation()}))},handleClose(){this.form.password="",this.$emit("close")}}};const u=(0,r(66262).A)(d,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("ModalHeader"),p=(0,o.resolveComponent)("HelpText"),m=(0,o.resolveComponent)("Button"),f=(0,o.resolveComponent)("ModalFooter"),v=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(v,{show:r.show,onCloseViaEscape:u.handlePreventModalAbandonmentOnClose,role:"dialog",size:"2xl","modal-style":"window","use-focus-trap":r.show},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("form",{ref:"theForm",autocomplete:"off",onSubmit:t[1]||(t[1]=(0,o.withModifiers)(((...e)=>u.submit&&u.submit(...e)),["prevent","stop"])),class:"bg-white dark:bg-gray-800 rounded-lg shadow-lg overflow-hidden space-y-6"},[(0,o.createElementVNode)("div",i,[(0,o.createVNode)(h,{textContent:(0,o.toDisplayString)(e.__(r.title??"Confirm Password"))},null,8,["textContent"]),(0,o.createElementVNode)("p",l,(0,o.toDisplayString)(e.__(r.content??"For your security, please confirm your password to continue.")),1),(0,o.createElementVNode)("div",a,[(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=t=>e.form.password=t),ref:"passwordInput",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("password")}]),placeholder:e.__("Password"),type:"password",name:"password",disabled:!r.show,required:"",autocomplete:"current-password"},null,10,n),[[o.vModelText,e.form.password]]),e.form.errors.has("password")?((0,o.openBlock)(),(0,o.createBlock)(p,{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.createVNode)(f,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",s,[(0,o.createVNode)(m,{variant:"link",state:"mellow",disabled:e.loading,onClick:u.handleClose,dusk:"cancel-confirm-password-button",class:"ml-auto mr-3"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Cancel")),1)])),_:1},8,["disabled","onClick"]),(0,o.createVNode)(m,{ref:"runButton",type:"submit",variant:"solid",state:"default",loading:e.loading,disabled:e.completed,dusk:"submit-confirm-password-button"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__(r.button??"Confirm")),1)])),_:1},8,["loading","disabled"])])])),_:1})],544)])),_:1},8,["show","onCloseViaEscape","use-focus-trap"])}],["__file","ConfirmsPasswordModal.vue"]])},6347:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={class:"bg-gray-100 dark:bg-gray-700 rounded-lg shadow-lg overflow-hidden p-8"};var l=r(24767),a=r(3056);const n={emits:["set-resource","create-cancelled"],mixins:[l.Uf],components:{CreateResource:a.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)(n,[["render",function(e,t,r,l,a,n){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:n.handlePreventModalAbandonmentOnClose,size:r.size,"use-focus-trap":!e.loading},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(0,o.createVNode)(s,{"resource-name":r.resourceName,onCreateCancelled:n.handleCreateCancelled,onFinishedLoading:t[0]||(t[0]=t=>e.$nextTick((()=>e.loading=!1))),onRefresh:n.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"]])},24916:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i={class:"leading-normal"},l={class:"ml-auto"};var a=r(74640),n=r(90128),s=r.n(n);const c={components:{Button:a.Button},emits:["confirm","close"],props:{show:{type:Boolean,default:!1},mode:{type:String,default:"delete",validator:e=>["force delete","delete","detach"].includes(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 s()(this.mode)}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("ModalHeader"),d=(0,o.resolveComponent)("ModalContent"),u=(0,o.resolveComponent)("Button"),h=(0,o.resolveComponent)("ModalFooter"),p=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(p,{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",i,(0,o.toDisplayString)(e.__("Are you sure you want to "+r.mode+" the selected resources?")),1)])),_:1})])),(0,o.createVNode)(h,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(u,{variant:"link",state:"mellow",onClick:(0,o.withModifiers)(s.handleClose,["prevent"]),class:"mr-3",dusk:"cancel-delete-button"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Cancel")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(u,{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"]])},41488:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726),i=r(66278),l=r(87612),a=r.n(l),n=r(90179),s=r.n(n),c=r(5620),d=r(96433);const u=["role","data-modal-open","aria-modal"],h=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.useTemplateRef)("modalContent"),l=(0,o.useAttrs)(),n=t,h=e,p=(0,o.ref)(!0),m=(0,o.computed)((()=>h.useFocusTrap&&!0===p.value)),{activate:f,deactivate:v}=(0,c.r)(r,{immediate:!1,allowOutsideClick:!0,escapeDeactivates:!1});(0,o.watch)((()=>h.show),(e=>k(e))),(0,o.watch)(m,(e=>{try{e?(0,o.nextTick)((()=>f())):v()}catch(e){}})),(0,d.MLh)(document,"keydown",(e=>{"Escape"===e.key&&!0===h.show&&n("close-via-escape",e)}));const g=()=>{p.value=!1},y=()=>{p.value=!0};(0,o.onMounted)((()=>{Nova.$on("disable-focus-trap",g),Nova.$on("enable-focus-trap",y),!0===h.show&&k(!0)})),(0,o.onBeforeUnmount)((()=>{document.body.classList.remove("overflow-hidden"),Nova.resumeShortcuts(),Nova.$off("disable-focus-trap",g),Nova.$off("enable-focus-trap",y),p.value=!1}));const b=(0,i.Pj)();async function k(e){!0===e?(n("showing"),document.body.classList.add("overflow-hidden"),Nova.pauseShortcuts(),p.value=!0):(p.value=!1,n("closing"),document.body.classList.remove("overflow-hidden"),Nova.resumeShortcuts()),b.commit("allowLeavingModal")}const w=(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"}))),x=(0,o.computed)((()=>{let e="window"===h.modalStyle?C.value:{};return a()([e[h.size]??null,"fullscreen"===h.modalStyle?"h-full":"",l.class])}));return(t,r)=>((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)(w.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",x.value]),ref:"modalContent"},[(0,o.renderSlot)(t.$slots,"default")],2)],16,u),r[0]||(r[0]=(0,o.createElementVNode)("div",{class:"fixed inset-0 z-[55] bg-gray-500/75 dark:bg-gray-900/75",dusk:"modal-backdrop"},null,-1))],64)):(0,o.createCommentVNode)("",!0)]))}});const p=(0,r(66262).A)(h,[["__file","Modal.vue"]])},23772:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"py-3 px-8"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","ModalContent.vue"]])},51434:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"bg-gray-100 dark:bg-gray-700 px-6 py-3 flex"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","ModalFooter.vue"]])},62532:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={},l=(0,r(66262).A)(i,[["render",function(e,t){const r=(0,o.resolveComponent)("Heading");return(0,o.openBlock)(),(0,o.createBlock)(r,{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"]])},22308:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i={key:0,class:"ml-auto bg-red-50 text-red-500 py-0.5 px-2 rounded-full text-xs"},l={key:0},a={class:"ml-auto"};var n=r(74640),s=r(24767),c=r(30043);function d(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 u(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const h={components:{Button:n.Button,Icon:n.Icon},emits:["close"],props:function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?d(Object(r),!0).forEach((function(t){u(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):d(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({show:{type:Boolean,default:!1}},(0,s.rr)(["resourceName","resourceId"])),data:()=>({loading:!0,title:null,resource:null}),async created(){await this.getResource()},mounted(){Nova.$emit("close-dropdowns")},methods:{getResource(){return this.resource=null,(0,c.minimum)(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")}))},componentName:e=>Nova.hasComponent(`preview-${e.component}`)?`preview-${e.component}`:`detail-${e.component}`},computed:{modalTitle(){return`${this.__("Previewing")} ${this.title}`},viewResourceDetailTitle(){return this.__("View :resource",{resource:this.title??""})}}};const p=(0,r(66262).A)(h,[["render",function(e,t,r,n,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"),f=(0,o.resolveComponent)("ModalFooter"),v=(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)(v,{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",i,(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:c.viewResourceDetailTitle},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{name:"arrow-right"})])),_:1},8,["href","alt"])])),_:1}),(0,o.createVNode)(p,{class:"px-8 divide-y divide-gray-100 dark:divide-gray-800"},{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)(c.componentName(t)),{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)(f,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",a,[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"]])},71368:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={class:"leading-normal"},l={class:"ml-auto"};const a={components:{Button:r(74640).Button},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 n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("ModalHeader"),d=(0,o.resolveComponent)("ModalContent"),u=(0,o.resolveComponent)("Button"),h=(0,o.resolveComponent)("ModalFooter"),p=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(p,{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",i,(0,o.toDisplayString)(e.__("Are you sure you want to restore the selected resources?")),1)])),_:1})])),(0,o.createVNode)(h,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(u,{variant:"link",state:"mellow",onClick:(0,o.withModifiers)(s.handleClose,["prevent"]),class:"mr-3",dusk:"cancel-restore-button"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Cancel")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(u,{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"]])},14197:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726),i=r(74640);const l=["dusk"],a={class:"shrink-0"},n={class:"flex-auto space-y-4"},s={class:"flex items-center"},c={class:"flex-auto"},d={class:"mr-1 text-gray-600 dark:text-gray-400 leading-normal break-words"},u=["title"],h=Object.assign({name:"MessageNotification"},{__name:"MessageNotification",props:{notification:{type:Object,required:!0}},emits:["toggle-mark-as-read","toggle-notifications"],setup(e,{emit:t}){const r=t,h=e,p=(0,o.computed)((()=>h.notification.icon)),m=(0,o.computed)((()=>h.notification.actionUrl));function f(){r("toggle-mark-as-read"),r("toggle-notifications"),function(){if(m.value)Nova.visit(h.notification.actionUrl,{openInNewTab:h.notification.openInNewTab||!1})}()}return(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"relative flex items-start px-4 gap-4",dusk:`notification-${e.notification.id}`},[(0,o.createElementVNode)("div",a,[(0,o.createVNode)((0,o.unref)(i.Icon),{name:p.value,class:(0,o.normalizeClass)(["inline-block",e.notification.iconClass])},null,8,["name","class"])]),(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("div",null,[(0,o.createElementVNode)("div",s,[(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("p",d,(0,o.toDisplayString)(e.notification.message),1)])]),(0,o.createElementVNode)("p",{class:"mt-1 text-xs",title:e.notification.created_at},(0,o.toDisplayString)(e.notification.created_at_friendly),9,u)]),m.value?((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(i.Button),{key:0,onClick:f,label:e.notification.actionText,size:"small"},null,8,["label"])):(0,o.createCommentVNode)("",!0)])],8,l))}});const p=(0,r(66262).A)(h,[["__file","MessageNotification.vue"]])},70261:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>N});var o=r(29726);const i={class:"relative"},l=["innerHTML"],a={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"},n={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={class:"mt-3 text-center"},m={class:"mt-6 px-4 text-center"};var f=r(66278),v=r(74640);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 y(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?g(Object(r),!0).forEach((function(t){b(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):g(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function b(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const{mapMutations:k,mapActions:w,mapGetters:C}=(0,f.$t)("nova"),x={components:{Button:v.Button},created(){this.fetchNotifications()},watch:{notificationsShown(e){!0!==e?document.body.classList.remove("overflow-y-hidden"):document.body.classList.add("overflow-y-hidden")}},mounted(){Nova.$on("refresh-notifications",(()=>this.fetchNotifications()))},beforeUnmount(){document.body.classList.remove("overflow-y-hidden")},methods:y(y(y({},k(["toggleMainMenu","toggleNotifications"])),w(["fetchNotifications","deleteNotification","deleteAllNotifications","markNotificationAsRead","markAllNotificationsAsRead"])),{},{handleDeleteAllNotifications(){confirm(this.__("Are you sure you want to delete all the notifications?"))&&this.deleteAllNotifications()}}),computed:y(y({},C(["mainMenuShown","notificationsShown","notifications","unreadNotifications"])),{},{shouldShowUnreadCount:()=>Nova.config("showUnreadCountInNotificationCenter")})};const N=(0,r(66262).A)(x,[["render",function(e,t,r,f,v,g){const y=(0,o.resolveComponent)("Button"),b=(0,o.resolveComponent)("Heading"),k=(0,o.resolveComponent)("DropdownMenuItem"),w=(0,o.resolveComponent)("DropdownMenu"),C=(0,o.resolveComponent)("Dropdown"),x=(0,o.resolveComponent)("NotificationList");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[(0,o.createElementVNode)("div",i,[(0,o.createVNode)(y,{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},[g.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",a))],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",n,[(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)(b,{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)(y,{dusk:"notification-center-action-dropdown",variant:"ghost",icon:"ellipsis-horizontal"})])),menu:(0,o.withCtx)((()=>[(0,o.createVNode)(w,{width:"200"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",u,[(0,o.createVNode)(k,{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)(k,{as:"button",onClick:g.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)(x,{key:1,notifications:e.notifications},null,8,["notifications"])):((0,o.openBlock)(),(0,o.createElementBlock)("div",h,[t[1]||(t[1]=(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)),(0,o.createElementVNode)("p",p,(0,o.toDisplayString)(e.__("There are no new notifications.")),1),(0,o.createElementVNode)("p",m,[(0,o.createVNode)(y,{variant:"solid",onClick:e.toggleNotifications,label:e.__("Close")},null,8,["onClick","label"])])]))])])):(0,o.createCommentVNode)("",!0)])),_:1})]))],64)}],["__file","NotificationCenter.vue"]])},15001:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726),i=r(74640),l=r(66278);const a={class:"divide-y divide-gray-200 dark:divide-gray-600",dusk:"notifications-content"},n={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:{type:Array}},setup(e){const t=(0,l.Pj)();function r(e){e.read_at?t.dispatch("nova/markNotificationAsUnread",e.id):t.dispatch("nova/markNotificationAsRead",e.id)}function u(e){t.dispatch("nova/deleteNotification",e.id)}return(l,h)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",a,[((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",n,[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:t=>u(e),onToggleNotifications:h[0]||(h[0]=e=>(0,o.unref)(t).commit("nova/toggleNotifications")),onToggleMarkAsRead:t=>r(e)},null,40,["notification","onDeleteNotification","onToggleMarkAsRead"])),(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("div",d,[(0,o.createVNode)((0,o.unref)(i.Button),{onClick:t=>r(e),dusk:"mark-as-read-button",variant:"link",state:"mellow",size:"small",label:e.read_at?l.__("Mark Unread"):l.__("Mark Read")},null,8,["onClick","label"]),(0,o.createVNode)((0,o.unref)(i.Button),{onClick:t=>u(e),dusk:"delete-button",variant:"link",state:"mellow",size:"small",label:l.__("Delete")},null,8,["onClick","label"])])])])])))),128))]))}};const h=(0,r(66262).A)(u,[["__file","NotificationList.vue"]])},84661:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i={class:"rounded-b-lg font-bold flex items-center"},l={class:"flex text-sm"},a=["disabled"],n=["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.page<this.pages},printPages(){const e=Math.min(Math.max(3,this.page),this.pages-2),t=Math.max(e-2,1),r=Math.min(e+2,this.pages);let o=[];for(let e=t;e<=r;++e)e>0&&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",i,[(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,a),(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,n),((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"]])},55623:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={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"},a={key:0,class:"leading-normal text-sm"},n={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",i,[(0,o.createElementVNode)("p",l,(0,o.toDisplayString)(r.resourceCountLabel),1),d.allResourcesLoaded?((0,o.openBlock)(),(0,o.createElementBlock)("p",a,(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",n,(0,o.toDisplayString)(e.__(":amount Total",{amount:d.resourceTotalCountLabel})),1)])}],["__file","PaginationLoadMore.vue"]])},9320:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={class:"rounded-b-lg"},l={class:"flex justify-between items-center"},a=["disabled"],n=["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",i,[(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,a),(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,n)])])}],["__file","PaginationSimple.vue"]])},75268:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={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 a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[((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"]])},57228:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i=["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"])},a={class:"font-normal @sm/peekable:break-all"},n={key:1,class:"flex items-center"},s=["innerHTML"],c={key:3};var d=r(24767);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",a,[(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",n,(0,o.toDisplayString)(e.fieldValue),1))]))])],8,i)}],["__file","PanelItem.vue"]])},29627:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={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)(i,[["__file","PassthroughLogo.vue"]])},5112:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["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,i))};const a=(0,r(66262).A)(l,[["__file","ProgressBar.vue"]])},84227:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726),i=r(58059),l=r.n(i),a=r(30043);const n={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),i=l()((()=>async function(){t.value=!0;try{const{data:{resource:{fields:e}}}=await(0,a.minimum)(Nova.request().get(`/nova-api/${h.resourceName}/${h.resourceId}/peek`),500);r.value=e}catch(e){Nova.debug(e,"error")}finally{t.value=!1}}())),h=e;return(l,a)=>{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)(i),"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",n,[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"]])},34324:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726),i=r(74640),l=r(65835),a=r(44377),n=r.n(a);const s={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"},c={class:"flex items-center bg-gray-50 dark:bg-gray-800 py-2 px-3 rounded-t"},d={class:"flex items-center space-x-2"},u={class:"grid grid-cols-full divide-y divide-gray-100 dark:divide-gray-700"},h={__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=e,a=t,{__:h}=(0,l.B)();(0,o.provide)("viaParent",(0,o.computed)((()=>r.viaParent))),(0,o.provide)("index",(0,o.computed)((()=>r.index)));const p=r.item.fields.map((e=>e.attribute)),m=n()(p.map((e=>[`fields.${e}`,(0,o.ref)(null)]))),f=(0,o.inject)("resourceName"),v=(0,o.inject)("resourceId"),g=(0,o.inject)("shownViaNewRelationModal"),y=(0,o.inject)("viaResource"),b=(0,o.inject)("viaResourceId"),k=(0,o.inject)("viaRelationship"),w=()=>r.item.confirmBeforeRemoval?confirm(h("Are you sure you want to remove this item?"))?C():null:C(),C=()=>{Object.keys(m).forEach((async e=>{})),a("click",r.index)};return(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("div",d,[e.sortable?((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(i.Button),{key:0,as:"div",size:"small",icon:"arrow-up",variant:"ghost",padding:"tight",onClick:r[0]||(r[0]=r=>t.$emit("move-up",e.index)),dusk:"row-move-up-button"})):(0,o.createCommentVNode)("",!0),e.sortable?((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(i.Button),{key:1,as:"div",size:"small",icon:"arrow-down",variant:"ghost",padding:"tight",onClick:r[1]||(r[1]=r=>t.$emit("move-down",e.index)),dusk:"row-move-down-button"})):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)((0,o.unref)(i.Button),{as:"div",size:"small",icon:"trash",variant:"ghost",padding:"tight",onClick:(0,o.withModifiers)(w,["stop","prevent"]),dusk:"row-delete-button",class:"ml-auto"})]),(0,o.createElementVNode)("div",u,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.item.fields,((i,l)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:i.uniqueKey},[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)("form-"+i.component),{ref_for:!0,ref:(0,o.unref)(m)[`fields.${i.attribute}`],field:i,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)(f),"resource-id":(0,o.unref)(v),"shown-via-new-relation-modal":(0,o.unref)(g),"via-resource":(0,o.unref)(y),"via-resource-id":(0,o.unref)(b),"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"]))])))),128))])]))}};const p=(0,r(66262).A)(h,[["__file","RepeaterRow.vue"]])},55293:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={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"},a={class:"divide-y divide-gray-100 dark:divide-gray-700"};const n={emits:["actionExecuted","delete","restore","order","reset-order-by"],mixins:[r(24767).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)(n,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("ResourceTableHeader"),u=(0,o.resolveComponent)("ResourceTableRow");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[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",a,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.resources,((i,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(i)>-1,"click-action":c.clickAction,"delete-resource":c.deleteResource,key:`${i.id.value}-items-${l}`,"relationship-type":r.relationshipType,"resource-name":r.resourceName,resource:i,"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"]])},50101:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i={class:"bg-gray-50 dark:bg-gray-800"},l={class:"sr-only"},a={key:1},n={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},data:()=>({initializingWithShowCheckboxes:!1}),beforeMount(){this.initializingWithShowCheckboxes=this.shouldShowCheckboxes},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",i,[(0,o.createElementVNode)("tr",null,[e.initializingWithShowCheckboxes?((0,o.openBlock)(),(0,o.createElementBlock)("th",{key:0,class:(0,o.normalizeClass)(["w-[1%] white-space-nowrap uppercase bg-gray-50 dark:bg-gray-800 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)(["uppercase text-gray-500 text-xxs tracking-wide py-2",{[`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}])},[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",a,(0,o.toDisplayString)(e.indexName),1))],2)))),128)),(0,o.createElementVNode)("th",n,[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(e.__("Controls")),1)])])])}],["__file","ResourceTableHeader.vue"]])},79344:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726);const i=["data-pivot-id","dusk"],l={class:"flex items-center justify-end space-x-0 text-gray-400"},a={class:"flex items-center gap-1"},n={class:"flex items-center gap-1"},s={class:"leading-normal"};var c=r(59977),d=r(66278),u=r(74640);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?h(Object(r),!0).forEach((function(t){m(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):h(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function m(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const f={components:{Button:u.Button,Checkbox:u.Checkbox,Icon:u.Icon},emits:["actionExecuted"],inject:["resourceHasId","authorizedToViewAnyResources","authorizedToUpdateAnyResources","authorizedToDeleteAnyResources","authorizedToRestoreAnyResources"],props:["actionsAreAvailable","actionsEndpoint","checked","clickAction","deleteResource","queryString","relationshipType","resource","resourceName","resourcesSelected","restoreResource","selectedResources","shouldShowCheckboxes","shouldShowColumnBorders","tableStyle","testId","updateSelectionStatus","viaManyToMany","viaRelationship","viaResource","viaResourceId"],data:()=>({commandPressed:!1,deleteModalOpen:!1,restoreModalOpen:!1,previewModalOpen:!1,initializingWithShowCheckboxes:!1}),beforeMount(){this.initializingWithShowCheckboxes=this.shouldShowCheckboxes,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"):c.QB.visit(this.viewURL))},navigateToEditView(e){this.resource.authorizedToUpdate&&(this.commandPressed?window.open(this.updateURL,"_blank"):c.QB.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:p(p({},(0,d.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 this.resource.actions.filter((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 v=(0,r(66262).A)(f,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("Checkbox"),p=(0,o.resolveComponent)("InlineActionDropdown"),m=(0,o.resolveComponent)("Icon"),f=(0,o.resolveComponent)("Link"),v=(0,o.resolveComponent)("Button"),g=(0,o.resolveComponent)("DeleteResourceModal"),y=(0,o.resolveComponent)("ModalHeader"),b=(0,o.resolveComponent)("ModalContent"),k=(0,o.resolveComponent)("RestoreResourceModal"),w=(0,o.resolveComponent)("PreviewResourceModal"),C=(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,onClick:t[4]||(t[4]=(0,o.withModifiers)(((...e)=>u.handleClick&&u.handleClick(...e)),["stop","prevent"])),class:(0,o.normalizeClass)(["group",{"divide-x divide-gray-100 dark:divide-gray-700":r.shouldShowColumnBorders}]),dusk:`${r.resource.id.value}-row`},[e.initializingWithShowCheckboxes?((0,o.openBlock)(),(0,o.createElementBlock)("td",{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),class:(0,o.normalizeClass)(["w-[1%] white-space-nowrap pl-5 pr-5 dark:bg-gray-800 group-hover:bg-gray-50 dark:group-hover:bg-gray-900",{"py-2":!u.shouldShowTight,"cursor-pointer":r.resource.authorizedToView}])},[r.shouldShowCheckboxes?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,"model-value":r.checked,onChange:u.toggleSelection,dusk:`${r.resource.id.value}-checkbox`,"aria-label":e.__("Select Resource :title",{title:r.resource.title})},null,8,["model-value","onChange","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)(["dark:bg-gray-800 group-hover:bg-gray-50 dark:group-hover:bg-gray-900",{"px-6":0===t&&!r.shouldShowCheckboxes,"px-2":0!==t||r.shouldShowCheckboxes,"py-2":!u.shouldShowTight,"whitespace-nowrap":!e.wrapping,"cursor-pointer":u.clickableRow}])},[((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)(f,{key:1,as:r.resource.authorizedToView?"a":"button",href:u.viewURL,disabled:!r.resource.authorizedToView||null,onClick:t[2]||(t[2]=(0,o.withModifiers)((()=>{}),["stop"])),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"]),dusk:`${r.resource.id.value}-view-button`,"aria-label":e.__("View")},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",a,[(0,o.createElementVNode)("span",null,[(0,o.createVNode)(m,{name:"eye"})])])])),_:1},8,["as","href","disabled","class","dusk","aria-label"])),[[C,e.__("View"),void 0,{click:!0}]]):(0,o.createCommentVNode)("",!0),u.authorizedToUpdateAnyResources?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(f,{key:2,as:r.resource.authorizedToUpdate?"a":"button",href:u.updateURL,disabled:!r.resource.authorizedToUpdate||null,onClick:t[3]||(t[3]=(0,o.withModifiers)((()=>{}),["stop"])),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"]),dusk:r.viaManyToMany?`${r.resource.id.value}-edit-attached-button`:`${r.resource.id.value}-edit-button`,"aria-label":r.viaManyToMany?e.__("Edit Attached"):e.__("Edit")},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",n,[(0,o.createElementVNode)("span",null,[(0,o.createVNode)(m,{name:"pencil-square"})])])])),_:1},8,["as","href","disabled","class","dusk","aria-label"])),[[C,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)(v,{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"])),[[C,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)(v,{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"])),[[C,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)(k,{show:e.restoreModalOpen,onClose:u.closeRestoreModal,onConfirm:u.confirmRestore},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(y,{textContent:(0,o.toDisplayString)(e.__("Restore Resource"))},null,8,["textContent"]),(0,o.createVNode)(b,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,i),e.previewModalOpen?((0,o.openBlock)(),(0,o.createBlock)(w,{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"]])},15404:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i={class:"flex items-center flex-1"},l={class:"md:ml-3"},a={class:"h-9 ml-auto flex items-center pr-2 md:pr-3"},n={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(74640).Button},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","loading"],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"),f=(0,o.resolveComponent)("LensSelector"),v=(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",i,[(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",a,[(0,o.createElementVNode)("div",n,[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)(f,{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)(v,{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"]])},96279:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={__name:"ScrollWrap",props:{height:{type:Number,default:288}},setup(e){const t=e,r=(0,o.computed)((()=>({maxHeight:`${t.height}px`})));return(e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"scroll-wrap overflow-x-hidden overflow-y-auto",style:(0,o.normalizeStyle)(r.value)},[(0,o.renderSlot)(e.$slots,"default")],4))}};const l=(0,r(66262).A)(i,[["__file","ScrollWrap.vue"]])},33025:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["dusk","aria-sort"],l={class:"inline-flex font-sans font-bold uppercase text-xxs tracking-wide text-gray-500"},a={class:"ml-2 shrink-0",xmlns:"http://www.w3.org/2000/svg",width:"8",height:"14",viewBox:"0 0 8 14"};const n={emits:["sort","reset"],mixins:[r(24767).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)(n,[["render",function(e,t,r,n,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",a,[(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,i)}],["__file","SortableIcon.vue"]])},19078:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={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)),a=(0,o.computed)((()=>!1===t.limit||r.value?t.tags:t.tags.slice(0,t.limit)));function n(){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",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(a.value,((r,i)=>((0,o.openBlock)(),(0,o.createBlock)(s,{key:i,tag:r,index:i,"resource-name":e.resourceName,editable:e.editable,"with-preview":e.withPreview,onTagRemoved:e=>t.$emit("tag-removed",e)},null,8,["tag","index","resource-name","editable","with-preview","onTagRemoved"])))),128)),l.value?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,onClick:(0,o.withModifiers)(n,["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 a=(0,r(66262).A)(l,[["__file","TagGroup.vue"]])},40229:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726),i=r(74640);const l={__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 l(){r.withPreview&&(t.value=!t.value)}return(r,a)=>{const n=(0,o.resolveComponent)("Badge"),s=(0,o.resolveComponent)("PreviewResourceModal");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onClick:(0,o.withModifiers)(l,["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)(n,{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:a[0]||(a[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)((0,o.unref)(i.Icon),{name:"x-mark",type:"micro"})])):(0,o.createCommentVNode)("",!0)])),_:1},8,["class"]),e.withPreview?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,onClose:l,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 a=(0,r(66262).A)(l,[["__file","TagGroupItem.vue"]])},17039:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={__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=>(t,r)=>{const i=(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,((r,l)=>((0,o.openBlock)(),(0,o.createBlock)(i,{key:l,index:l,tag:r,"resource-name":e.resourceName,editable:e.editable,"with-subtitles":e.withSubtitles,"with-preview":e.withPreview,onTagRemoved:e=>t.$emit("tag-removed",e)},null,8,["index","tag","resource-name","editable","with-subtitles","with-preview","onTagRemoved"])))),128))])}};const l=(0,r(66262).A)(i,[["__file","TagList.vue"]])},99973:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726),i=r(74640);const l={class:"flex items-center space-x-3"},a={class:"text-xs font-semibold"},n={key:0,class:"text-xs"},s={__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 s(){r.withPreview&&(t.value=!t.value)}return(r,c)=>{const d=(0,o.resolveComponent)("Avatar"),u=(0,o.resolveComponent)("PreviewResourceModal");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onClick:(0,o.withModifiers)(s,["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",l,[e.tag.avatar?((0,o.openBlock)(),(0,o.createBlock)(d,{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",a,(0,o.toDisplayString)(e.tag.display),1),e.withSubtitles?((0,o.openBlock)(),(0,o.createElementBlock)("p",n,(0,o.toDisplayString)(e.tag.subtitle),1)):(0,o.createCommentVNode)("",!0)])]),e.editable?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,onClick:c[0]||(c[0]=(0,o.withModifiers)((t=>r.$emit("tag-removed",e.index)),["stop"])),type:"button",class:"flex inline-flex items-center justify-center appearance-none cursor-pointer ml-auto text-red-500 hover:text-red-600 active:outline-none focus:ring focus:ring-primary-200 focus:outline-none rounded"},[(0,o.createVNode)((0,o.unref)(i.Icon),{name:"minus-circle",type:"solid",class:"hover:opacity-50"})])):(0,o.createCommentVNode)("",!0),e.withPreview?((0,o.openBlock)(),(0,o.createBlock)(u,{key:1,onClose:s,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 c=(0,r(66262).A)(s,[["__file","TagListItem.vue"]])},69793:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);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 l(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n=l(l({},r(63218).Ie),{},{emits:["tooltip-show","tooltip-hide"],props:{distance:{type:Number,default:0},skidding:{type:Number,default:3},triggers:{type:Array,default:["hover"]},placement:{type:String,default:"top"},boundary:{type:String,default:"window"},preventOverflow:{type:Boolean,default:!0},theme:{type:String,default:"Nova"}}});const s=(0,r(66262).A)(n,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("VDropdown");return(0,o.openBlock)(),(0,o.createBlock)(n,{triggers:r.triggers,distance:r.distance,skidding:r.skidding,placement:r.placement,boundary:r.boundary,"prevent-overflow":r.preventOverflow,"handle-resize":!0,theme:r.theme,onShow:t[0]||(t[0]=t=>e.$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"]])},18384:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={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)(i,[["render",function(e,t,r,i,l,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",(0,o.normalizeProps)((0,o.guardReactiveProps)(a.defaultAttributes)),[(0,o.renderSlot)(e.$slots,"default")],16)}],["__file","TooltipContent.vue"]])},25882:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);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 l(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n=Object.assign({inheritAttrs:!1},{__name:"TrashedCheckbox",props:{resourceName:String,withTrashed:Boolean},emits:["input"],setup:e=>(t,r)=>{const i=(0,o.resolveComponent)("CheckboxWithLabel");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(i,(0,o.mergeProps)(l({},t.$attrs),{dusk:`${e.resourceName}-with-trashed-checkbox`,checked:e.withTrashed,onInput:r[0]||(r[0]=e=>t.$emit("input"))}),{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(t.__("With Trashed")),1)])),_:1},16,["dusk","checked"])])}});const s=(0,r(66262).A)(n,[["__file","TrashedCheckbox.vue"]])},46199:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["input","placeholder"],l=["name","id","value"];var a=r(25542);r(8507),r(18028);const n={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,a.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)(n,[["render",function(e,t,r,a,n,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,i),(0,o.createElementVNode)("input",{type:"hidden",name:r.name,id:e.uid,value:r.value},null,8,l)],64)}],["__file","Trix.vue"]])},60465:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>R});var o=r(29726);const i={class:"inline-flex items-center shrink-0 gap-2"},l={class:"hidden lg:inline-block"},a=["alt","src"],n={class:"whitespace-nowrap"},s={class:"py-1"},c={class:"divide-y divide-gray-100 dark:divide-gray-700"},d={key:0},u={key:0,class:"mr-1"},h={key:1,class:"flex items-center"},p=["alt","src"],m={class:"whitespace-nowrap"};var f=r(74640),v=r(66278),g=r(59977),y=r(83488),b=r.n(y),k=r(42194),w=r.n(k),C=r(71086),x=r.n(C);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 B(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?N(Object(r),!0).forEach((function(t){S(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):N(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function S(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const V={components:{Button:f.Button,Icon:f.Icon},props:{mobile:{type:Boolean,default:!1}},methods:B(B(B({},(0,v.i0)(["logout","stopImpersonating"])),(0,v.PY)(["toggleMainMenu"])),{},{async attempt(){confirm(this.__("Are you sure you want to log out?"))&&this.logout(Nova.config("customLogoutPath")).then((e=>{null===e?Nova.redirectToLogin():location.href=e})).catch((e=>{g.QB.reload()}))},visitUserSecurityPage(){Nova.visit("/user-security")},handleStopImpersonating(){confirm(this.__("Are you sure you want to stop impersonating?"))&&this.stopImpersonating()},handleUserMenuClosed(){!0===this.mobile&&this.toggleMainMenu()}}),computed:B(B({},(0,v.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:B(B({},r),{},{target:e.target||null}),name:e.name,external:e.external,on:{}}:{component:"DropdownMenuItem",props:x()(w()(B(B({},r),{},{method:"GET"!==t?t:null,data:e.data||null,headers:e.headers||null,as:"GET"===t?"link":"form-button"}),(e=>null===e)),b()),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},supportsUserSecurity:()=>Nova.hasSecurityFeatures(),customLogoutPath:()=>Nova.config("customLogoutPath"),dropdownPlacement(){return!0===this.mobile?"top-start":"bottom-end"}})};const R=(0,r(66262).A)(V,[["render",function(e,t,r,f,v,g){const y=(0,o.resolveComponent)("Icon"),b=(0,o.resolveComponent)("Button"),k=(0,o.resolveComponent)("Badge"),w=(0,o.resolveComponent)("DropdownMenuItem"),C=(0,o.resolveComponent)("DropdownMenu"),x=(0,o.resolveComponent)("Dropdown");return g.hasUserMenu?((0,o.openBlock)(),(0,o.createBlock)(x,{key:0,onMenuClosed:g.handleUserMenuClosed,placement:g.dropdownPlacement},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(C,{width:"200",class:"px-1"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("nav",s,[(0,o.createElementVNode)("div",c,[g.formattedItems.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(g.formattedItems,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),(0,o.mergeProps)({key:e.path,ref_for:!0},e.props,(0,o.toHandlers)(e.on)),{default:(0,o.withCtx)((()=>[e.badge?((0,o.openBlock)(),(0,o.createElementBlock)("span",u,[(0,o.createVNode)(k,{"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.createCommentVNode)("",!0),e.currentUser.impersonating?((0,o.openBlock)(),(0,o.createBlock)(w,{key:1,as:"button",onClick:g.handleStopImpersonating},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Stop Impersonating")),1)])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0),g.supportsUserSecurity?((0,o.openBlock)(),(0,o.createBlock)(w,{key:2,as:"button",onClick:g.visitUserSecurityPage},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("User Security")),1)])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0),g.supportsAuthentication?((0,o.openBlock)(),(0,o.createBlock)(w,{key:3,as:"button",onClick:g.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)(b,{class:"block shrink-0",variant:"ghost",padding:"tight","trailing-icon":"chevron-down"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",i,[(0,o.createElementVNode)("span",l,[e.currentUser.impersonating?((0,o.openBlock)(),(0,o.createBlock)(y,{key:0,name:"finger-print",type:"solid",class:"!w-7 !h-7"})):e.currentUser.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:1,alt:e.__(":name's Avatar",{name:g.userName}),src:e.currentUser.avatar,class:"rounded-full w-7 h-7"},null,8,a)):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("span",n,(0,o.toDisplayString)(g.userName),1)])])),_:1})])),_:1},8,["onMenuClosed","placement"])):e.currentUser?((0,o.openBlock)(),(0,o.createElementBlock)("div",h,[e.currentUser.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:0,alt:e.__(":name's Avatar",{name:g.userName}),src:e.currentUser.avatar,class:"rounded-full w-8 h-8 mr-3"},null,8,p)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("span",m,(0,o.toDisplayString)(g.userName),1)])):(0,o.createCommentVNode)("",!0)}],["__file","UserMenu.vue"]])},21073:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>R});var o=r(29726);const i={class:"mt-10 sm:mt-0 mb-6"},l={class:"md:grid md:grid-cols-3 md:gap-6"},a={class:"md:col-span-1 flex justify-between"},n={class:"px-4 sm:px-0"},s={class:"my-3 text-sm text-gray-600"},c={class:"grid grid-cols-6 gap-6"},d={class:"col-span-full sm:col-span-4"},u={class:"mt-6"},h={key:0,class:"col-span-6 sm:col-span-4"},p={key:0},m={class:"mt-4 max-w-xl text-sm"},f={key:0,class:"font-semibold"},v={key:1},g=["innerHTML"],y={key:0,class:"mt-4 max-w-xl text-sm"},b={class:"font-semibold"},k=["innerHTML"],w={key:1,class:"mt-4"},C={key:1},x={class:"mt-4 max-w-xl text-sm"},N={class:"font-semibold"},B={class:"grid gap-1 max-w-xl mt-4 px-4 py-4 font-mono text-sm bg-gray-100 dark:bg-gray-900 dark:text-gray-100 rounded-lg"},S={class:"col-span-full sm:col-span-4"};const V={name:"UserSecurityTwoFactorAuthentication",components:{Button:r(74640).Button},props:{options:{type:Object,required:!0},user:{type:Object,required:!0}},data:()=>({confirmationForm:Nova.form({code:""}),confirming:!1,enabling:!1,disabling:!1,qrCode:null,setupKey:null,recoveryCodes:[]}),methods:{enableTwoFactorAuthentication(){this.enabling=!0,Nova.request().post(Nova.url("/user-security/two-factor-authentication")).then((()=>{Nova.$router.reload({only:["user"],onSuccess:()=>Promise.all([this.showQrCode(),this.showSetupKey(),this.showRecoveryCodes()])})})).finally((()=>{this.enabling=!1,this.confirming=this.requiresConfirmation}))},showQrCode(){return Nova.request().get(Nova.url("/user-security/two-factor-qr-code")).then((e=>{this.qrCode=e.data.svg}))},showSetupKey(){return Nova.request().get(Nova.url("/user-security/two-factor-secret-key")).then((e=>{this.setupKey=e.data.secretKey}))},showRecoveryCodes(){return Nova.request().get(Nova.url("/user-security/two-factor-recovery-codes")).then((e=>{this.recoveryCodes=e.data}))},confirmTwoFactorAuthentication(){this.confirmationForm.post(Nova.url("/user-security/confirmed-two-factor-authentication")).then((e=>{this.confirming=!1,this.qrCode=null,this.setupKey=null}))},regenerateRecoveryCodes(){Nova.request().post(Nova.url("/user-security/two-factor-recovery-codes")).then((()=>this.showRecoveryCodes()))},disableTwoFactorAuthentication(){this.disabling=!0,Nova.request().delete(Nova.url("/user-security/two-factor-authentication")).then((()=>{this.disabling=!1,this.confirming=!1,Nova.$router.reload({only:["user"]})}))}},computed:{twoFactorEnabled(){return!this.enabling&&this.user.two_factor_enabled},requiresConfirmPassword(){return this.options?.confirmPassword??!1},requiresConfirmation(){return this.options?.confirm??!1}}};const R=(0,r(66262).A)(V,[["render",function(e,t,r,V,R,E){const _=(0,o.resolveComponent)("Heading"),O=(0,o.resolveComponent)("HelpText"),D=(0,o.resolveComponent)("Button"),A=(0,o.resolveComponent)("ConfirmsPassword"),F=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("div",n,[(0,o.createVNode)(_,{level:3,textContent:(0,o.toDisplayString)(e.__("Two Factor Authentication"))},null,8,["textContent"]),(0,o.createElementVNode)("p",s,(0,o.toDisplayString)(e.__("Add additional security to your account using two factor authentication.")),1)])]),(0,o.createVNode)(F,{class:"md:col-span-2 p-6"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("div",d,[E.twoFactorEnabled&&!R.confirming?((0,o.openBlock)(),(0,o.createBlock)(_,{key:0,level:4,textContent:(0,o.toDisplayString)(e.__("You have enabled two factor authentication.")),class:"text-lg font-medium"},null,8,["textContent"])):E.twoFactorEnabled&&R.confirming?((0,o.openBlock)(),(0,o.createBlock)(_,{key:1,level:4,textContent:(0,o.toDisplayString)(e.__("Finish enabling two factor authentication.")),class:"text-lg font-medium"},null,8,["textContent"])):((0,o.openBlock)(),(0,o.createBlock)(_,{key:2,level:4,textContent:(0,o.toDisplayString)(e.__("You have not enabled two factor authentication.")),class:"text-lg font-medium"},null,8,["textContent"])),(0,o.createElementVNode)("p",u,(0,o.toDisplayString)(e.__("When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.")),1)]),E.twoFactorEnabled?((0,o.openBlock)(),(0,o.createElementBlock)("div",h,[R.qrCode?((0,o.openBlock)(),(0,o.createElementBlock)("div",p,[(0,o.createElementVNode)("div",m,[R.confirming||R.disabling?((0,o.openBlock)(),(0,o.createElementBlock)("p",f,(0,o.toDisplayString)(e.__("To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.")),1)):((0,o.openBlock)(),(0,o.createElementBlock)("p",v,(0,o.toDisplayString)(e.__("Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.")),1))]),(0,o.createElementVNode)("div",{class:"mt-4 p-2 inline-block bg-white",innerHTML:R.qrCode},null,8,g),R.setupKey?((0,o.openBlock)(),(0,o.createElementBlock)("div",y,[(0,o.createElementVNode)("p",b,[t[2]||(t[2]=(0,o.createTextVNode)(" Setup Key: ")),(0,o.createElementVNode)("span",{innerHTML:R.setupKey},null,8,k)])])):(0,o.createCommentVNode)("",!0),R.confirming?((0,o.openBlock)(),(0,o.createElementBlock)("div",w,[t[3]||(t[3]=(0,o.createElementVNode)("label",{class:"block mb-2",for:"code"},"Code",-1)),(0,o.withDirectives)((0,o.createElementVNode)("input",{id:"code","onUpdate:modelValue":t[0]||(t[0]=e=>R.confirmationForm.code=e),type:"text",name:"code",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":R.confirmationForm.errors.has("code")}]),inputmode:"numeric",autofocus:"",autocomplete:"one-time-code",onKeyup:t[1]||(t[1]=(0,o.withKeys)(((...e)=>E.confirmTwoFactorAuthentication&&E.confirmTwoFactorAuthentication(...e)),["enter"]))},null,34),[[o.vModelText,R.confirmationForm.code]]),R.confirmationForm.errors.has("code")?((0,o.openBlock)(),(0,o.createBlock)(O,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(R.confirmationForm.errors.first("code")),1)])),_:1})):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0),R.recoveryCodes.length>0&&!R.confirming&&!R.disabling?((0,o.openBlock)(),(0,o.createElementBlock)("div",C,[(0,o.createElementVNode)("div",x,[(0,o.createElementVNode)("p",N,(0,o.toDisplayString)(e.__("Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.")),1)]),(0,o.createElementVNode)("div",B,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(R.recoveryCodes,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:e},(0,o.toDisplayString)(e),1)))),128))])])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",S,[E.twoFactorEnabled?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:1},[R.confirming?((0,o.openBlock)(),(0,o.createBlock)(D,{key:0,loading:R.confirmationForm.processing||R.enabling,disabled:R.enabling,label:e.__("Confirm"),onClick:E.confirmTwoFactorAuthentication,class:"inline-flex items-center me-3"},null,8,["loading","disabled","label","onClick"])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(A,{onConfirmed:E.regenerateRecoveryCodes},{default:(0,o.withCtx)((()=>[R.recoveryCodes.length>0&&!R.confirming?((0,o.openBlock)(),(0,o.createBlock)(D,{key:0,variant:"outline",label:e.__("Regenerate Recovery Codes"),class:"inline-flex items-center me-3"},null,8,["label"])):(0,o.createCommentVNode)("",!0)])),_:1},8,["onConfirmed"]),(0,o.createVNode)(A,{onConfirmed:E.showRecoveryCodes},{default:(0,o.withCtx)((()=>[0!==R.recoveryCodes.length||R.confirming?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)(D,{key:0,variant:"outline",label:e.__("Show Recovery Codes"),class:"inline-flex items-center me-3"},null,8,["label"]))])),_:1},8,["onConfirmed"]),R.confirming?((0,o.openBlock)(),(0,o.createBlock)(D,{key:1,loading:R.disabling,disabled:R.disabling,variant:"ghost",label:e.__("Cancel"),onClick:E.disableTwoFactorAuthentication,class:"inline-flex items-center me-3"},null,8,["loading","disabled","label","onClick"])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(A,{mode:E.requiresConfirmPassword?"always":"timeout",onConfirmed:E.disableTwoFactorAuthentication},{default:(0,o.withCtx)((()=>[R.confirming?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)(D,{key:0,loading:R.disabling,disabled:R.disabling,state:"danger",label:e.__("Disable"),class:"inline-flex items-center me-3"},null,8,["loading","disabled","label"]))])),_:1},8,["mode","onConfirmed"])],64)):((0,o.openBlock)(),(0,o.createBlock)(A,{key:0,mode:E.requiresConfirmPassword?"always":"timeout",onConfirmed:E.enableTwoFactorAuthentication},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(D,{loading:R.enabling,disabled:R.enabling,label:e.__("Enable"),class:"inline-flex items-center me-3"},null,8,["loading","disabled","label"])])),_:1},8,["mode","onConfirmed"]))])])])),_:1})])])}],["__file","UserSecurityTwoFactorAuthentication.vue"]])},31465:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>g});var o=r(29726);const i={class:"mt-10 sm:mt-0 mb-6"},l={class:"md:grid md:grid-cols-3 md:gap-6"},a={class:"md:col-span-1 flex justify-between"},n={class:"px-4 sm:px-0"},s={class:"my-3 text-sm text-gray-600"},c={class:"mt-6 px-6 grid grid-cols-6 gap-6"},d={class:"col-span-full sm:col-span-4"},u={class:"mt-6"},h={class:"col-span-6 sm:col-span-4"},p={class:"col-span-6 sm:col-span-4"},m={class:"col-span-6 sm:col-span-4"},f={class:"bg-gray-100 dark:bg-gray-700 px-6 py-3 mt-6 flex justify-end"};const v={name:"UserSecurityUpdatePasswords",components:{Button:r(74640).Button},data:()=>({form:Nova.form({current_password:"",password:"",password_confirmation:""})}),methods:{updatePassword(){this.form.put(Nova.url("/user-security/password")).then((e=>{Nova.$toasted.show(this.__("Your password has been updated."),{duration:null,type:"success"})})).catch((e=>{500===e.response?.status&&Nova.error(this.__("There was a problem submitting the form."))}))}}};const g=(0,r(66262).A)(v,[["render",function(e,t,r,v,g,y){const b=(0,o.resolveComponent)("Heading"),k=(0,o.resolveComponent)("HelpText"),w=(0,o.resolveComponent)("Button"),C=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("div",n,[(0,o.createVNode)(b,{level:3,textContent:(0,o.toDisplayString)(e.__("Update Password"))},null,8,["textContent"]),(0,o.createElementVNode)("p",s,(0,o.toDisplayString)(e.__("Ensure your account is using a long, random password to stay secure.")),1)])]),(0,o.createVNode)(C,{class:"md:col-span-2 pt-6"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("form",{onSubmit:t[3]||(t[3]=(0,o.withModifiers)(((...e)=>y.updatePassword&&y.updatePassword(...e)),["prevent"]))},[(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("div",d,[(0,o.createVNode)(b,{level:4,textContent:(0,o.toDisplayString)(e.__("Update Password")),class:"text-lg font-medium"},null,8,["textContent"]),(0,o.createElementVNode)("p",u,(0,o.toDisplayString)(e.__("Ensure your account is using a long, random password to stay secure.")),1)]),(0,o.createElementVNode)("div",h,[t[4]||(t[4]=(0,o.createElementVNode)("label",{class:"block mb-2",for:"current_password"},"Current Password",-1)),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=t=>e.form.current_password=t),id:"current_password",name:"current_password",type:"password",autocomplete:"current-password",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("current_password")}])},null,2),[[o.vModelText,e.form.current_password]]),e.form.errors.has("current_password")?((0,o.openBlock)(),(0,o.createBlock)(k,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.form.errors.first("current_password")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",p,[t[5]||(t[5]=(0,o.createElementVNode)("label",{class:"block mb-2",for:"password"},"Password",-1)),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[1]||(t[1]=t=>e.form.password=t),id:"password",name:"password",type:"password",autocomplete:"current-password",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("password")}])},null,2),[[o.vModelText,e.form.password]]),e.form.errors.has("password")?((0,o.openBlock)(),(0,o.createBlock)(k,{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",m,[t[6]||(t[6]=(0,o.createElementVNode)("label",{class:"block mb-2",for:"password_confirmation"},"Password Confirmation",-1)),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[2]||(t[2]=t=>e.form.password_confirmation=t),id:"password_confirmation",name:"password_confirmation",type:"password",autocomplete:"current-password",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("password_confirmation")}])},null,2),[[o.vModelText,e.form.password_confirmation]]),e.form.errors.has("password_confirmation")?((0,o.openBlock)(),(0,o.createBlock)(k,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.form.errors.first("password_confirmation")),1)])),_:1})):(0,o.createCommentVNode)("",!0)])]),(0,o.createElementVNode)("div",f,[(0,o.createVNode)(w,{type:"submit",loading:e.form.processing,label:e.__("Save")},null,8,["loading","label"])])],32)])),_:1})])])}],["__file","UserSecurityUpdatePasswords.vue"]])},2202:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i=["src"],l={key:1},a={key:2,class:"flex items-center text-sm mt-3"},n=["dusk"],s={class:"class mt-1"};var c=r(74640),d=r(24767);const u={components:{Icon:c.Icon},mixins:[d.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 null!=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,i)):(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",a,[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,{name:"download",type:"micro",class:"mr-2"}),(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(e.__("Download")),1)],40,n)):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["index","field"])}],["__file","AudioField.vue"]])},77421:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={key:0,class:"mr-1 -ml-1"};const l={components:{Icon:r(74640).Icon},props:["index","resource","resourceName","resourceId","field"]};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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",i,[(0,o.createVNode)(s,{name:r.field.icon,type:"solid",class:"inline-block"},null,8,["name"])])):(0,o.createCommentVNode)("",!0)])),_:1},8,["label","extra-classes"])])),_:1},8,["index","field"])}],["__file","BadgeField.vue"]])},71818:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:0},l={key:1},a={key:2};const n={props:["index","resource","resourceName","resourceId","field"]};const s=(0,r(66262).A)(n,[["render",function(e,t,r,n,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",i,[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",a,"—"))])),_:1},8,["index","field"])}],["__file","BelongsToField.vue"]])},40441:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={emits:["actionExecuted"],props:["resourceName","resourceId","resource","field"],methods:{actionExecuted(){this.$emit("actionExecuted")}}};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(n,{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:a.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"]])},3001:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"],computed:{label(){return 1==this.field.value?this.__("Yes"):this.__("No")}}};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("IconBoolean"),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)(n,{value:r.field.value,nullable:r.field.nullable},null,8,["value","nullable"])])),_:1},8,["index","field"])}],["__file","BooleanField.vue"]])},35336:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={key:0,class:"space-y-2"},l={key:1};const a={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=this.field.options.filter((e=>(!0!==this.field.hideFalseValues||!1!==e.checked)&&(!0!==this.field.hideTrueValues||!0!==e.checked))).map((e=>({name:e.name,label:e.label,checked:this.field.value[e.name]||!1})))}};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.value,((t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("li",{key:r,class:(0,o.normalizeClass)(["flex items-center rounded-full font-bold text-sm leading-tight space-x-2",e.classes[t.checked]])},[(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)))),128))])):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(this.field.noValueText),1))])),_:1},8,["index","field"])}],["__file","BooleanGroupField.vue"]])},35480:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i={key:0,class:"px-0 overflow-hidden form-input form-control-bordered"},l={ref:"theTextarea"},a={key:1};var n=r(15237),s=r.n(n);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?c(Object(r),!0).forEach((function(t){u(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):c(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function u(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const h={mixins:[r(24767).S0],props:["index","resource","resourceName","resourceId","field"],codemirror:null,mounted(){const e=this.fieldValue;if(null!==e){const t=d(d({tabSize:4,indentWithTabs:!0,lineWrapping:!0,lineNumbers:!0,theme:"dracula"},this.field.options),{},{readOnly:!0,tabindex:"-1"});this.codemirror=s().fromTextArea(this.$refs.theTextarea,t),this.codemirror?.getDoc().setValue(e),this.codemirror?.setSize("100%",this.field.height)}}};const p=(0,r(66262).A)(h,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(d,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.fieldValue?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("textarea",l,null,512)])):((0,o.openBlock)(),(0,o.createElementBlock)("p",a,"—"))])),_:1},8,["index","field"])}],["__file","CodeField.vue"]])},12310:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"rounded-lg inline-flex items-center justify-center border border-60 p-1"};const l={props:["index","resource","resourceName","resourceId","field"]};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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",i,[(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"]])},43175:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(n,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","CurrencyField.vue"]])},46960:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["title"],l={key:1};var a=r(91272);const n={mixins:[r(24767).S0],props:["index","resource","resourceName","resourceId","field"],computed:{formattedDate(){if(this.field.usesCustomizedDisplay)return this.field.displayedAs;return a.c9.fromISO(this.field.value).toLocaleString({year:"numeric",month:"2-digit",day:"2-digit"})}}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,a,n,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,i)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))])),_:1},8,["index","field"])}],["__file","DateField.vue"]])},74405:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["title"],l={key:1};var a=r(91272);const n={mixins:[r(24767).S0],props:["index","resource","resourceName","resourceId","field"],computed:{formattedDateTime(){return this.usesCustomizedDisplay?this.field.displayedAs:a.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)(n,[["render",function(e,t,r,a,n,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,i)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))])),_:1},8,["index","field"])}],["__file","DateTimeField.vue"]])},69556:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={key:0,class:"flex items-center"},l=["href"],a={key:1};var n=r(24767);const s={mixins:[n.nl,n.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,n,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",i,[(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",a,"—"))])),_:1},8,["index","field"])}],["__file","EmailField.vue"]])},92048:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i={key:1,class:"break-words"},l={key:2},a={key:3,class:"flex items-center text-sm mt-3"},n=["dusk"],s={class:"class mt-1"};var c=r(74640),d=r(24767);const u={components:{Icon:c.Icon},mixins:[d.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 h=(0,r(66262).A)(u,[["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",i,(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",a,[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,{name:"download",type:"micro",class:"mr-2"}),(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(e.__("Download")),1)],40,n)):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["index","field"])}],["__file","FileField.vue"]])},87331:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);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 l(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n={emits:["actionExecuted"],props:l(l({},(0,r(24767).rr)(["resourceName","resourceId","field"])),{},{resource:{}}),methods:{actionExecuted(){this.$emit("actionExecuted")}}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(n,{field:e.field,"resource-name":e.field.resourceName,"via-resource":e.resourceName,"via-resource-id":e.resourceId,"via-relationship":e.field.hasManyRelationship,"relationship-type":"hasMany",onActionExecuted:a.actionExecuted,"load-cards":!1,initialPerPage:e.field.perPage||5,"should-override-meta":!1},null,8,["field","resource-name","via-resource","via-resource-id","via-relationship","onActionExecuted","initialPerPage"])}],["__file","HasManyField.vue"]])},71819:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={emits:["actionExecuted"],props:["resourceName","resourceId","resource","field"],methods:{actionExecuted(){this.$emit("actionExecuted")}}};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(n,{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:a.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"]])},7746:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i=["dusk","data-relationship"],l={key:1};const a={props:["resourceName","resourceId","resource","field"],data:()=>({showActionDropdown:!0}),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 n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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-action-dropdown":e.showActionDropdown,"show-view-link":!0},null,8,["resource-name","resource-id","via-resource","via-resource-id","via-relationship","relationship-type","show-action-dropdown"])])):((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,i)):(0,o.createCommentVNode)("",!0)}],["__file","HasOneField.vue"]])},8588:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i=["dusk","data-relationship"],l={key:1};const a={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 n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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,i)):(0,o.createCommentVNode)("",!0)}],["__file","HasOneThroughField.vue"]])},26949:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={class:"w-full py-4 px-6"},l=["innerHTML"],a={key:2};var n=r(70393);const s={props:["index","resource","resourceName","resourceId","field"],computed:{fieldValue(){return!!(0,n.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,n,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",i,[(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",a,"—"))]))])],2)}],["__file","HeadingField.vue"]])},41968:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"hidden"};const l={props:["index","resource","resourceName","resourceId","field"]};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i)}],["__file","HiddenField.vue"]])},13699:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(n,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","IdField.vue"]])},16979:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"bg-gray-50 dark:bg-gray-700 overflow-hidden key-value-items"};const l={props:["index","resource","resourceName","resourceId","field"],data:()=>({theData:[]}),created(){this.theData=Object.entries(this.field.value||{}).map((([e,t])=>({key:`${e}`,value:t})))}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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",i,[((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,"edit-mode":!1,key:e.key},null,8,["index","item"])))),128))])])),_:1})):(0,o.createCommentVNode)("",!0)])),_:1},8,["index","field"])}],["__file","KeyValueField.vue"]])},21199:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"],computed:{excerpt(){return this.field.previewFor}}};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(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)(n,{content:a.excerpt,"should-show":r.field.shouldShow},null,8,["content","should-show"])])),_:1},8,["index","field"])}],["__file","MarkdownField.vue"]])},50769:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:1},l={key:2},a={key:3};const n={props:["index","resourceName","resourceId","field"]};const s=(0,r(66262).A)(n,[["render",function(e,t,r,n,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",i,(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",a,"—"))])),_:1},8,["index","field"])}],["__file","MorphToActionTargetField.vue"]])},18318:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:0},l={key:1},a={key:2};const n={props:["index","resource","resourceName","resourceId","field"]};const s=(0,r(66262).A)(n,[["render",function(e,t,r,n,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",i,[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",a,"—"))])),_:1},8,["index","field","field-name"])}],["__file","MorphToField.vue"]])},2981:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={emits:["actionExecuted"],props:["resourceName","resourceId","resource","field"],methods:{actionExecuted(){this.$emit("actionExecuted")}}};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(n,{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:a.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"]])},89535:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["textContent"];const l={mixins:[r(24767).S0],props:["index","resource","resourceName","resourceId","field"],computed:{fieldValues(){let e=[];return this.field.options.forEach((t=>{this.isEqualsToValue(t.value)&&e.push(t.label)})),e}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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)(n.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,i)))),256))])),_:1},8,["index","field"])}],["__file","MultiSelectField.vue"]])},73437:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i=["dusk"],l={class:"flex items-center"},a=["aria-label","aria-expanded"],n=["innerHTML"],s={key:0,class:"-mx-6 border-t border-gray-100 dark:border-gray-700 text-center rounded-b"};var c=r(24767);const d={mixins:[c.pJ,c.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 u=(0,r(66262).A)(d,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("Heading"),p=(0,o.resolveComponent)("CollapseButton"),m=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{dusk:`${e.panel.attribute}-panel`},[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(h,{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)(p,{collapsed:e.collapsed},null,8,["collapsed"])],8,a)):(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,n)):(0,o.createCommentVNode)("",!0)])),!e.collapsed&&u.fields.length>0?((0,o.openBlock)(),(0,o.createBlock)(m,{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)(u.fields,((t,r)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(u.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)),u.shouldShowShowAllFieldsButton?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(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)=>u.showAllFields&&u.showAllFields(...e))},(0,o.toDisplayString)(e.__("Show All Fields")),1)])):(0,o.createCommentVNode)("",!0)])),_:1})):(0,o.createCommentVNode)("",!0)],8,i)}],["__file","Panel.vue"]])},16181:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(n,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>t[0]||(t[0]=[(0,o.createElementVNode)("p",null," ········· ",-1)]))),_:1},8,["index","field"])}],["__file","PasswordField.vue"]])},63726:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["dusk"];const l={mixins:[r(24767).x7],computed:{field(){return this.panel.fields[0]}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{dusk:`${e.panel.attribute}-relationship-panel`},[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`detail-${n.field.component}`),{key:`${n.field.attribute}:${e.resourceId}`,"resource-name":e.resourceName,"resource-id":e.resourceId,resource:e.resource,field:n.field,onActionExecuted:e.actionExecuted},null,40,["resource-name","resource-id","resource","field","onActionExecuted"]))],8,i)}],["__file","RelationshipPanel.vue"]])},22092:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i=["dusk"],l={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"},a={class:"grid grid-cols-full divide-y divide-gray-100 dark:divide-gray-700 px-6"},n={key:1};var s=r(24767);const c={mixins:[s.x7,s.S0],props:["index","resource","resourceName","resourceId","field"],methods:{resolveComponentName:e=>e.prefixComponent?"detail-"+e.component:e.component},computed:{fieldHasValue(){return this.field.value.length>0}}};const d=(0,r(66262).A)(c,[["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)((()=>[d.fieldHasValue?((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)(r.field.value,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("div",a,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(t.fields,((t,i)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",null,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(d.resolveComponentName(t)),{key:r.index,index:r.index,"resource-name":r.resourceName,"resource-id":r.resourceId,resource:r.resource,field:t,onActionExecuted:e.actionExecuted},null,40,["index","resource-name","resource-id","resource","field","onActionExecuted"]))])))),256))])])))),256))],8,i)):((0,o.openBlock)(),(0,o.createElementBlock)("p",n,"—"))])),_:1},8,["index","field"])}],["__file","RepeaterField.vue"]])},89032:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(n,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","SelectField.vue"]])},79175:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(21738).default};const i=(0,r(66262).A)(o,[["__file","SlugField.vue"]])},71788:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);var i=r(27717);r(27554);const l={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(){const e=this.chartStyle;this.chartist=new e(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)&&"line"!==e?i.Es:i.bl},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)(l,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(n,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",{ref:"chart",class:"ct-chart",style:(0,o.normalizeStyle)({width:a.chartWidth,height:a.chartHeight})},null,4)])),_:1},8,["index","field"])}],["__file","SparklineField.vue"]])},58403:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={key:1};const l={props:["index","resource","resourceName","resourceId","field"],computed:{hasValue(){return this.field.lines}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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.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",i,"—"))])),_:1},8,["index","field"])}],["__file","StackField.vue"]])},12136:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={class:"mr-1 -ml-1"},l={key:1};var a=r(74640),n=r(24767);const s={components:{Icon:a.Icon},mixins:[n.S0],props:["index","resource","resourceName","resourceId","field"]};const c=(0,r(66262).A)(s,[["render",function(e,t,r,a,n,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",i,["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,name:"exclamation-circle",type:"solid"})):(0,o.createCommentVNode)("",!0),"success"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(d,{key:2,name:"check-circle",type:"solid"})):(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"]])},91167:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726),i=r(24767),l=r(14788),a=r(42877),n=r.n(a);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){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const d=["dusk"],u=["innerHTML"],h=["dusk"],p={class:"capitalize"},m={class:"divide-y divide-gray-100 dark:divide-gray-700"},f={__name:"TabsPanel",props:function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){c(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({name:{type:String,default:"Panel"},panel:{type:Object,required:!0},resource:{type:Object,required:!0}},(0,i.rr)(["mode","resourceName","resourceId","relatedResourceName","relatedResourceId","viaResource","viaResourceId","viaRelationship"])),emits:["actionExecuted"],setup(e){const t=e,r=(0,o.computed)((()=>t.panel.fields.reduce(((e,t)=>(t.tab?.attribute in e||(e[t.tab.attribute]={name:t.tab,attribute:t.tab.attribute,position:t.tab.position,init:!1,listable:t.tab.listable,fields:[],meta:t.tab.meta,classes:"fields-tab"},["belongs-to-many-field","has-many-field","has-many-through-field","has-one-through-field","morph-to-many-field"].includes(t.component)&&(e[t.tab.attribute].classes="relationship-tab")),e[t.tab.attribute].fields.push(t),e)),{})));function i(e){return n()(e,[e=>e.position],["asc"])}function a(e){return e.prefixComponent?`detail-${e.component}`:e.component}return(t,n)=>{const s=(0,o.resolveComponent)("Heading");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"tab-group",dusk:`${e.panel.attribute}-tab-panel`},[(0,o.createElementVNode)("div",null,[e.panel.showTitle?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,level:1,textContent:(0,o.toDisplayString)(e.panel.name)},null,8,["textContent"])):(0,o.createCommentVNode)("",!0),e.panel.helpText?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:1,class:(0,o.normalizeClass)(["text-gray-500 text-sm font-semibold italic",e.panel.helpText?"mt-2":"mt-3"]),innerHTML:e.panel.helpText},null,10,u)):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["tab-card",[e.panel.showTitle&&!e.panel.showToolbar?"mt-3":""]])},[(0,o.createVNode)((0,o.unref)(l.fu),null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(l.wb),{"aria-label":e.panel.name,class:"tab-menu"},{default:(0,o.withCtx)((()=>[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(i(r.value),((e,t)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(l.oz),{as:"template",key:t},{default:(0,o.withCtx)((({selected:t})=>[(0,o.createElementVNode)("button",{dusk:`${e.attribute}-tab-trigger`,class:(0,o.normalizeClass)([[t?"active text-primary-500 font-bold border-b-2 border-b-primary-500":"text-gray-600 hover:text-gray-800 dark:text-gray-400 hover:dark:text-gray-200"],"tab-item border-gray-200"])},[(0,o.createElementVNode)("span",p,(0,o.toDisplayString)(e.meta.name),1)],10,h)])),_:2},1024)))),128))])),_:1},8,["aria-label"]),(0,o.createVNode)((0,o.unref)(l.T2),null,{default:(0,o.withCtx)((()=>[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(i(r.value),((r,i)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(l.Kp),{key:i,label:r.name,dusk:`${r.attribute}-tab-content`,class:(0,o.normalizeClass)([r.attribute,r.classes,"tab"])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",m,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.fields,((i,l)=>((0,o.openBlock)(),(0,o.createBlock)(o.KeepAlive,{key:l},[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(a(i)),{class:(0,o.normalizeClass)({"remove-bottom-border":l===r.fields.length-1}),field:i,index:l,resource:e.resource,"resource-id":t.resourceId,"resource-name":t.resourceName,onActionExecuted:n[0]||(n[0]=e=>t.$emit("actionExecuted"))},null,40,["class","field","index","resource","resource-id","resource-name"]))],1024)))),128))])])),_:2},1032,["label","dusk","class"])))),128))])),_:1})])),_:1})],2)],8,d)}}};const v=(0,r(66262).A)(f,[["__file","TabsPanel.vue"]])},82141:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={key:0};const l={props:["index","resource","resourceName","resourceId","field"]};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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",i,["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"]])},21738:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(n,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","TextField.vue"]])},29765:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(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)(n,{content:r.field.value,"plain-text":!0,"should-show":r.field.shouldShow},null,8,["content","should-show"])])),_:1},8,["index","field"])}],["__file","TextareaField.vue"]])},96134:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(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)(n,{content:r.field.value,"should-show":r.field.shouldShow},null,8,["content","should-show"])])),_:1},8,["index","field"])}],["__file","TrixField.vue"]])},69928:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={key:0},l=["href"],a=["innerHTML"],n={key:2};const s={mixins:[r(24767).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",i,[(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,a)):((0,o.openBlock)(),(0,o.createElementBlock)("p",n,"—"))])),_:1},8,["index","field"])}],["__file","UrlField.vue"]])},92135:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(2202).default};const i=(0,r(66262).A)(o,[["__file","VaporAudioField.vue"]])},57562:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(92048).default};const i=(0,r(66262).A)(o,[["__file","VaporFileField.vue"]])},53941:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(83240),i=r(1242);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 a(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?l(Object(r),!0).forEach((function(t){n(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):l(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function n(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const s={extends:o.default,methods:{getAvailableResources(e){let t=this.queryParams;return null!=e&&(t.first=!1,t.current=null,t.search=e),i.A.fetchAvailableResources(this.filter.resourceName,this.field.attribute,{params:a(a({},t),{},{component:this.field.component,viaRelationship:this.filter.viaRelationship})}).then((({data:{resources:e,softDeletes:t,withTrashed:r}})=>{this.isSearchable||(this.withTrashed=r),this.availableResources=e,this.softDeletes=t}))}}};const c=(0,r(66262).A)(s,[["__file","BelongsToField.vue"]])},43460:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={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 a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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",i,(0,o.toDisplayString)(n.filter.name),1),(0,o.createElementVNode)("button",{type:"button",onClick:t[0]||(t[0]=(...e)=>n.handleChange&&n.handleChange(...e)),class:"p-0 m-0"},[(0,o.createVNode)(s,{class:"mt-2",value:n.value,nullable:!0,dusk:n.filter.uniqueKey},null,8,["value","dusk"])])])])),_:1})}],["__file","BooleanField.vue"]])},28514:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"space-y-2"};const l={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){const s=(0,o.resolveComponent)("IconBooleanOption"),c=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(c,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(n.field.options,(i=>((0,o.openBlock)(),(0,o.createBlock)(s,{dusk:`${n.filter.uniqueKey}-${i.value}-option`,"resource-name":r.resourceName,key:i.value,filter:n.filter,option:i,onChange:t[0]||(t[0]=t=>e.$emit("change")),label:"label"},null,8,["dusk","resource-name","filter","option"])))),128))])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(n.filter.name),1)])),_:1})}],["__file","BooleanGroupField.vue"]])},78430:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>k});var o=r(29726);const i={class:"block"},l={class:"uppercase text-xs font-bold tracking-wide"},a=["dusk"],n={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),f=r(70393);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 g(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?v(Object(r),!0).forEach((function(t){y(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):v(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function y(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const b={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({startValue:null,endValue:null,debouncedEventEmitter:null}),created(){this.debouncedEventEmitter=h()((()=>this.emitFilterChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.handleFilterReset)},beforeUnmount(){Nova.$off("filter-reset",this.handleFilterReset)},watch:{startValue(){this.debouncedEventEmitter()},endValue(){this.debouncedEventEmitter()}},methods:{setCurrentFilterValue(){let[e,t]=this.filter.currentValue||[null,null];this.startValue=(0,f.A)(e)?this.fromDateTimeISO(e).toISODate():null,this.endValue=(0,f.A)(t)?this.fromDateTimeISO(t).toISODate():null},validateFilter(e,t){return[e=(0,f.A)(e)?this.toDateTimeISO(e):null,t=(0,f.A)(t)?this.toDateTimeISO(t):null]},emitFilterChange(){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=>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 k=(0,r(66262).A)(b,[["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",i,[(0,o.createElementVNode)("span",l,(0,o.toDisplayString)(`${h.filter.name} - ${e.__("From")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({ref:"startField","onUpdate:modelValue":t[0]||(t[0]=t=>e.startValue=t)},h.startExtraAttributes,{class:"w-full flex form-control form-input form-control-bordered",dusk:`${h.filter.uniqueKey}-range-start`}),null,16,a),[[o.vModelDynamic,e.startValue]])]),(0,o.createElementVNode)("label",n,[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(`${h.filter.name} - ${e.__("To")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({ref:"endField","onUpdate:modelValue":t[1]||(t[1]=t=>e.endValue=t)},h.endExtraAttributes,{class:"w-full flex form-control form-input form-control-bordered",dusk:`${h.filter.uniqueKey}-range-end`}),null,16,c),[[o.vModelDynamic,e.endValue]])])])),_:1})}],["__file","DateField.vue"]])},94299:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726);const i={class:"flex flex-col gap-2"},l={class:"flex flex-col gap-2"},a={class:"uppercase text-xs font-bold tracking-wide"},n=["placeholder","dusk"],s={class:"flex flex-col gap-2"},c={class:"uppercase text-xs font-bold tracking-wide"},d=["placeholder","dusk"];var u=r(91272),h=r(38221),p=r.n(h),m=r(70393);const f={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({startValue:null,endValue:null,debouncedEventEmitter:null}),created(){this.debouncedEventEmitter=p()((()=>this.emitFilterChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.handleFilterReset)},beforeUnmount(){Nova.$off("filter-reset",this.handleFilterReset)},watch:{startValue(){this.debouncedEventEmitter()},endValue(){this.debouncedEventEmitter()}},methods:{setCurrentFilterValue(){let[e,t]=this.filter.currentValue||[null,null];this.startValue=(0,m.A)(e)?u.c9.fromISO(e).toFormat("yyyy-MM-dd'T'HH:mm"):null,this.endValue=(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]},emitFilterChange(){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){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 v=(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",i,[(0,o.createElementVNode)("label",l,[(0,o.createElementVNode)("span",a,(0,o.toDisplayString)(`${p.filter.name} - ${e.__("From")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{ref:"startField","onUpdate:modelValue":t[0]||(t[0]=t=>e.startValue=t),type:"datetime-local",class:"w-full flex form-control form-input form-control-bordered",placeholder:e.__("Start"),dusk:`${p.filter.uniqueKey}-range-start`},null,8,n),[[o.vModelText,e.startValue]])]),(0,o.createElementVNode)("label",s,[(0,o.createElementVNode)("span",c,(0,o.toDisplayString)(`${p.filter.name} - ${e.__("To")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{ref:"endField","onUpdate:modelValue":t[1]||(t[1]=t=>e.endValue=t),type:"datetime-local",class:"w-full flex form-control form-input form-control-bordered",placeholder:e.__("End"),dusk:`${p.filter.uniqueKey}-range-end`},null,8,d),[[o.vModelText,e.endValue]])])])])),_:1})}],["__file","DateTimeField.vue"]])},83240:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(29726);const i={key:0,class:"flex items-center"},l={key:0,class:"mr-3"},a=["src"],n={class:"flex items-center"},s={key:0,class:"flex-none mr-3"},c=["src"],d={class:"flex-auto"},u={key:0},h={key:1};var p=r(24767),m=r(25019),f=r(38221),v=r.n(f);const g={emits:["change"],mixins:[p.Bz],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({availableResources:[],selectedResourceId:"",softDeletes:!1,withTrashed:!1,search:"",debouncedEventEmitter:null}),mounted(){Nova.$on("filter-reset",this.handleFilterReset),this.initializeComponent()},created(){this.debouncedEventEmitter=v()((()=>this.emitFilterChange()),500),Nova.$on("filter-active",this.handleClosingInactiveSearchInputs)},beforeUnmount(){Nova.$off("filter-active",this.handleClosingInactiveSearchInputs),Nova.$off("filter-reset",this.handleFilterReset)},watch:{selectedResourceId(){this.debouncedEventEmitter()}},methods:{initializeComponent(){let e=!1;this.filter.currentValue&&(this.selectedResourceId=this.filter.currentValue,!0===this.isSearchable&&(e=!0)),this.isSearchable&&!e||this.getAvailableResources()},getAvailableResources(e){let t=this.queryParams;return null!=e&&(t.first=!1,t.current=null,t.search=e),m.A.fetchAvailableResources(this.field.resourceName,{params:t}).then((({data:{resources:e,softDeletes:t,withTrashed:r}})=>{this.isSearchable||(this.withTrashed=r),this.availableResources=e,this.softDeletes=t}))},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()},emitFilterChange(){this.$emit("change",{filterClass:this.filterKey,value:this.selectedResourceId??""})},handleFilterReset(){""===this.filter.currentValue&&(this.selectedResourceId="",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}},selectedResource(){return this.availableResources.find((e=>e.value===this.selectedResourceId))}}};const y=(0,r(66262).A)(g,[["render",function(e,t,r,p,m,f){const v=(0,o.resolveComponent)("SearchInput"),g=(0,o.resolveComponent)("SelectControl"),y=(0,o.resolveComponent)("FilterContainer");return f.shouldShowFilter?((0,o.openBlock)(),(0,o.createBlock)(y,{key:0},{filter:(0,o.withCtx)((()=>[f.isSearchable?((0,o.openBlock)(),(0,o.createBlock)(v,{key:0,ref:"searchable",modelValue:e.selectedResourceId,"onUpdate:modelValue":t[0]||(t[0]=t=>e.selectedResourceId=t),onInput:e.performSearch,onClear:f.handleClearSelection,onShown:f.handleShowingActiveSearchInput,options:e.availableResources,debounce:f.field.debounce,clearable:!0,trackBy:"value",mode:"modal",class:"w-full",dusk:`${f.filter.uniqueKey}-search-input`},{option:(0,o.withCtx)((({selected:t,option:r})=>[(0,o.createElementVNode)("div",n,[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)((()=>[f.selectedResource?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[f.selectedResource.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("img",{src:f.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,a)])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(f.selectedResource.display),1)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["modelValue","onInput","onClear","onShown","options","debounce","dusk"])):e.availableResources.length>0?((0,o.openBlock)(),(0,o.createBlock)(g,{key:1,modelValue:e.selectedResourceId,"onUpdate:modelValue":t[1]||(t[1]=t=>e.selectedResourceId=t),options:e.availableResources,label:"display",dusk:f.filter.uniqueKey},{default:(0,o.withCtx)((()=>t[2]||(t[2]=[(0,o.createElementVNode)("option",{value:"",selected:""},"—",-1)]))),_:1},8,["modelValue","options","dusk"])):(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"]])},34245:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i=["id","dusk"];var l=r(38221),a=r.n(l),n=r(90179),s=r.n(n);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){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))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,debouncedEventEmitter:null}),created(){this.debouncedEventEmitter=a()((()=>this.emitFilterChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},watch:{value(){this.debouncedEventEmitter()}},methods:{setCurrentFilterValue(){this.value=this.filter.currentValue},emitFilterChange(){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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?c(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):c(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({type:this.field.type||"email",pattern:this.field.pattern,placeholder:this.field.placeholder||this.field.name},e)}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,l,a,n){const s=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(s,null,{filter:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({class:"w-full form-control form-input form-control-bordered"},n.extraAttributes,{"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),id:n.filter.uniqueKey,dusk:n.filter.uniqueKey}),null,16,i),[[o.vModelDynamic,e.value]])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(n.filter.name),1)])),_:1})}],["__file","EmailField.vue"]])},86951:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["selected"];var l=r(38221),a=r.n(l);const n={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedEventEmitter:null}),created(){this.debouncedEventEmitter=a()((()=>this.emitFilterChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},watch:{value(){this.debouncedEventEmitter()}},methods:{setCurrentFilterValue(){let e=this.field.morphToTypes.find((e=>e.type===this.filter.currentValue));this.value=null!=e?e.value:""},emitFilterChange(){let e=this.field.morphToTypes.find((e=>e.value===this.value));this.$emit("change",{filterClass:this.filterKey,value:null!=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 s=(0,r(66262).A)(n,[["render",function(e,t,r,l,a,n){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,{modelValue:e.value,"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),options:n.field.morphToTypes,label:"singularLabel",dusk:n.filter.uniqueKey},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""===e.value},"—",8,i)])),_:1},8,["modelValue","options","dusk"])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(n.filter.name),1)])),_:1})}],["__file","MorphToField.vue"]])},33011:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["selected"];var l=r(38221),a=r.n(l);const n={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedHandleChange:null}),created(){this.debouncedHandleChange=a()((()=>this.handleFilterChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},methods:{setCurrentFilterValue(){this.value=this.filter.currentValue},handleFilterChange(){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)(n,[["render",function(e,t,r,l,a,n){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,{modelValue:e.value,"onUpdate:modelValue":[t[0]||(t[0]=t=>e.value=t),e.debouncedHandleChange],options:n.field.options,dusk:n.filter.uniqueKey},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""===e.value},"—",8,i)])),_:1},8,["modelValue","onUpdate:modelValue","options","dusk"])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(n.filter.name),1)])),_:1})}],["__file","MultiSelectField.vue"]])},72482:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>w});var o=r(29726);const i={class:"block"},l={class:"uppercase text-xs font-bold tracking-wide"},a=["dusk"],n={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),f=r.n(m),v=r(70393);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 y(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?g(Object(r),!0).forEach((function(t){b(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):g(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function b(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const k={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({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,v.A)(e)?f()(e):null,this.endValue=(0,v.A)(t)?f()(t):null},validateFilter(e,t){return e=(0,v.A)(e)?f()(e):null,t=(0,v.A)(t)?f()(t):null,null!==e&&this.field.min&&this.field.min>e&&(e=f()(this.field.min)),null!==t&&this.field.max&&this.field.max<t&&(t=f()(this.field.max)),[e,t]},handleChange(){this.$emit("change",{filterClass:this.filterKey,value:this.validateFilter(this.startValue,this.endValue)})}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},startExtraAttributes(){const e=p()(this.field.extraAttributes,["readonly"]);return y({type:this.field.type||"number",min:this.field.min,max:this.field.max,step:this.field.step,pattern:this.field.pattern,placeholder:this.__("Min")},e)},endExtraAttributes(){const e=p()(this.field.extraAttributes,["readonly"]);return y({type:this.field.type||"number",min:this.field.min,max:this.field.max,step:this.field.step,pattern:this.field.pattern,placeholder:this.__("Max")},e)}}};const w=(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",i,[(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:"w-full block form-control form-input form-control-bordered","onUpdate:modelValue":t[0]||(t[0]=t=>e.startValue=t),dusk:`${h.filter.uniqueKey}-range-start`},h.startExtraAttributes),null,16,a),[[o.vModelDynamic,e.startValue]])]),(0,o.createElementVNode)("label",n,[(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:"w-full block form-control form-input form-control-bordered","onUpdate:modelValue":t[1]||(t[1]=t=>e.endValue=t),dusk:`${h.filter.uniqueKey}-range-end`},h.endExtraAttributes),null,16,c),[[o.vModelDynamic,e.endValue]])])])),_:1})}],["__file","NumberField.vue"]])},71595:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={key:0,class:"flex items-center"},l=["selected"];var a=r(38221),n=r.n(a);const s={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({search:"",value:null,debouncedHandleChange:null}),mounted(){Nova.$on("filter-reset",this.handleFilterReset)},created(){this.debouncedHandleChange=n()((()=>this.handleFilterChange()),500),this.value=this.filter.currentValue},beforeUnmount(){Nova.$off("filter-reset",this.handleFilterReset)},watch:{value(){this.debouncedHandleChange()}},methods:{performSearch(e){this.search=e},clearSelection(){this.value="",this.$refs.searchable&&this.$refs.searchable.close()},handleFilterChange(){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))},selectedOption(){return this.field.options.find((e=>this.value===e.value||this.value===e.value.toString()))}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,a,n,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",modelValue:e.value,"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),onInput:s.performSearch,onClear:s.clearSelection,options:s.filteredOptions,clearable:!0,trackBy:"value",mode:"modal",class:"w-full",dusk:`${s.filter.uniqueKey}-search-input`},{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)((()=>[s.selectedOption?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,(0,o.toDisplayString)(s.selectedOption.label),1)):(0,o.createCommentVNode)("",!0)])),_:1},8,["modelValue","onInput","onClear","options","dusk"])):((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,modelValue:e.value,"onUpdate:modelValue":t[1]||(t[1]=t=>e.value=t),options:s.field?.options??[],dusk:s.filter.uniqueKey},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""===e.value},"—",8,l)])),_:1},8,["modelValue","options","dusk"]))])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(s.filter.name),1)])),_:1})}],["__file","SelectField.vue"]])},85645:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>m});var o=r(29726);const i=["value","id","dusk","list"],l=["id"],a=["value"];var n=r(38221),s=r.n(n),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){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))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.debug("Mounting <FilterMenu>"),Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.debug("Unmounting <FilterMenu>"),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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?u(Object(r),!0).forEach((function(t){h(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):u(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({type:this.field.type||"text",min:this.field.min,max:this.field.max,step:this.field.step,pattern:this.field.pattern,placeholder:this.field.placeholder||this.field.name},e)}}};const m=(0,r(66262).A)(p,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(d,null,{filter:(0,o.withCtx)((()=>[(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,i),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,a)))),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"]])},77054:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(22988).default,computed:{isVaporField:()=>!1}};const i=(0,r(66262).A)(o,[["__file","AudioField.vue"]])},59008:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726);const i={class:"flex items-center"},l={key:0,class:"flex items-center"},a={key:0,class:"mr-3"},n=["src"],s=["disabled"];var c=r(74640),d=r(24767),u=r(1242),h=r(24713),p=r.n(h),m=r(70393);const f={components:{Button:c.Button},mixins:[d.Gj,d._w,d.XJ,d.Bz,d.zJ],props:{resourceId:{}},data:()=>({availableResources:[],initializingWithExistingResource:!1,createdViaRelationModal:!1,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()):!this.isSearchable&&this.currentlyIsVisible&&this.getAvailableResources(),this.determineIfSoftDeletes(),this.field.fill=this.fill},fieldDefaultValue:()=>null,fill(e){this.fillIfVisible(e,this.fieldAttribute,this.selectedResourceId??""),this.fillIfVisible(e,`${this.fieldAttribute}_trashed`,this.withTrashed)},getAvailableResources(){return Nova.$progress.start(),u.A.fetchAvailableResources(this.resourceName,this.fieldAttribute,{params:this.queryParams}).then((({data:{resources:e,softDeletes:t,withTrashed:r}})=>{if(!this.initializingWithExistingResource&&this.isSearchable||(this.withTrashed=r),this.viaRelatedResource){if(!e.find((e=>this.isSelectedResourceId(e.value)))&&!this.shouldIgnoreViaRelatedResource)return Nova.visit("/404")}this.useSearchInput&&(this.initializingWithExistingResource=!1),this.availableResources=e,this.softDeletes=t})).finally((()=>{Nova.$progress.done()}))},determineIfSoftDeletes(){return u.A.determineIfSoftDeletes(this.field.resourceName).then((e=>{this.softDeletes=e.data.softDeletes}))},isNumeric:e=>!isNaN(parseFloat(e))&&isFinite(e),toggleWithTrashed(){let e;(0,m.A)(this.selectedResourceId)&&(e=this.selectedResourceId),this.withTrashed=!this.withTrashed,this.selectedResourceId=null,this.useSearchInput||this.getAvailableResources().then((()=>{let t=p()(this.availableResources,(t=>t.value===e));this.selectedResourceId=t>-1?e: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.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.pushAfterUpdatingQueryString({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()},emitOnSyncedFieldValueChange(){this.viaRelatedResource||this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId)},syncedFieldValueHasNotChanged(){return this.isSelectedResourceId(this.currentField.value)},isSelectedResourceId(e){return null!=e&&e?.toString()===this.selectedResourceId?.toString()}},computed:{editingExistingResource(){return(0,m.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:(0,m.A)(this.resourceId)?"update":"create"}},shouldLoadFirstResource(){return this.initializingWithExistingResource&&!this.shouldIgnoreViaRelatedResource||Boolean(this.currentlyIsReadonly&&this.selectedResourceId)},shouldShowTrashed(){return this.softDeletes&&!this.viaRelatedResource&&!this.currentlyIsReadonly&&this.currentField.displaysWithTrashed},authorizedToCreate(){return Nova.config("resources").find((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,m.A)(this.search)},useSearchInput(){return this.isSearchable||this.viaRelatedResource},selectedResource(){return this.availableResources.find((e=>this.isSelectedResourceId(e.value)))}}};const v=(0,r(66262).A)(f,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("SearchInputResult"),p=(0,o.resolveComponent)("SearchInput"),m=(0,o.resolveComponent)("SelectControl"),f=(0,o.resolveComponent)("Button"),v=(0,o.resolveComponent)("CreateRelationModal"),g=(0,o.resolveComponent)("TrashedCheckbox"),y=(0,o.resolveComponent)("DefaultField"),b=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createBlock)(y,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[u.useSearchInput?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,modelValue:e.selectedResourceId,"onUpdate:modelValue":t[0]||(t[0]=t=>e.selectedResourceId=t),onSelected:e.selectResource,onInput:u.performResourceSearch,onClear:u.clearResourceSelection,options:u.filteredResources,"has-error":e.hasError,debounce:e.currentField.debounce,disabled:e.currentlyIsReadonly,clearable:e.currentField.nullable||u.editingExistingResource||u.viaRelatedResource||e.createdViaRelationModal,trackBy:"value",mode:e.mode,class:"w-full",dusk:`${e.field.resourceName}-search-input`},{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)((()=>[u.selectedResource?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[u.selectedResource.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createElementVNode)("img",{src:u.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,n)])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(u.selectedResource.display),1)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["modelValue","onSelected","onInput","onClear","options","has-error","debounce","disabled","clearable","mode","dusk"])):((0,o.openBlock)(),(0,o.createBlock)(m,{key:1,modelValue:e.selectedResourceId,"onUpdate:modelValue":t[1]||(t[1]=t=>e.selectedResourceId=t),onSelected:e.selectResource,options:e.availableResources,"has-error":e.hasError,disabled:e.currentlyIsReadonly,label:"display",class:"w-full",dusk:`${e.field.resourceName}-select`},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:"",disabled:!e.currentField.nullable},(0,o.toDisplayString)(u.placeholder),9,s)])),_:1},8,["modelValue","onSelected","options","has-error","disabled","dusk"])),u.canShowNewRelationModal?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(f,{key:2,variant:"link",size:"small","leading-icon":"plus-circle",onClick:u.openRelationModal,dusk:`${e.field.attribute}-inline-create`},null,8,["onClick","dusk"])),[[b,e.__("Create :resource",{resource:e.field.singularLabel})]]):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(v,{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"]])},36938:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);var i=r(74640),l=r(24767);const a={components:{Checkbox:i.Checkbox},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 n=(0,r(66262).A)(a,[["render",function(e,t,r,i,l,a){const n=(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)(n,{disabled:e.currentlyIsReadonly,dusk:e.currentField.uniqueKey,id:e.currentField.uniqueKey,"model-value":a.checked,name:e.field.name,onChange:a.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"]])},6461:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(29726);const i={class:"space-y-2"};var l=r(24767),a=r(7309),n=r.n(a),s=r(44377),c=r.n(s),d=r(55378),u=r.n(d),h=r(55364),p=r.n(h);const m={mixins:[l._w,l.Gj],data:()=>({value:{}}),methods:{setInitialValue(){let e=p()(this.finalPayload,this.currentField.value||{});this.value=this.currentField.options.map((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){n()(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 c()(u()(this.value,(e=>[e.name,e.checked])))}}};const f=(0,r(66262).A)(m,[["render",function(e,t,r,l,a,n){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",i,[((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=>n.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"]])},35071:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i=["id"];var l=r(15237),a=r.n(l),n=r(24767);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function d(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u={mixins:[n._w,n.Gj],codemirror:null,mounted(){this.setInitialValue(),this.isVisible&&this.handleShowingComponent()},watch:{currentlyIsVisible(e,t){!0===e&&!1===t?this.$nextTick((()=>this.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=a().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,a,n){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 h-auto py-3 form-control form-input form-control-bordered"},null,8,i)])),_:1},8,["field","errors","full-width-content","show-help-text"])}],["__file","CodeField.vue"]])},3210:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i=["value","id","dusk","disabled"],l=["id"],a=["value"];var n=r(24767);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){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const d={mixins:[n.Gj,n.IR,n._w],computed:{defaultAttributes(){return function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){c(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({class:this.errorClasses},this.suggestionsAttributes)}}};const u=(0,r(66262).A)(d,[["render",function(e,t,r,n,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)("input",(0,o.mergeProps)(c.defaultAttributes,{class:"p-2 form-control form-input form-control-bordered bg-white",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,i),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,l)):(0,o.createCommentVNode)("",!0)])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","ColorField.vue"]])},72366:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i={class:"flex flex-wrap items-stretch w-full relative"},l={class:"flex -mr-px"},a={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"},n=["id","value","disabled","dusk"];var s=r(24767);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?c(Object(r),!0).forEach((function(t){u(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):c(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function u(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const h={mixins:[s._w,s.Gj],props:["resourceName","resourceId","field"],computed:{defaultAttributes(){return{type:"number",min:this.currentField.min,max:this.currentField.max,step:this.currentField.step,pattern:this.currentField.pattern,placeholder:this.placeholder,class:this.errorClasses}},extraAttributes(){return d(d({},this.defaultAttributes),this.currentField.extraAttributes)}}};const p=(0,r(66262).A)(h,[["render",function(e,t,r,s,c,d){const 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)((()=>[(0,o.createElementVNode)("div",i,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("span",a,(0,o.toDisplayString)(e.currentField.currency),1)]),(0,o.createElementVNode)("input",(0,o.mergeProps)(d.extraAttributes,{id:e.currentField.uniqueKey,value:e.value,disabled:e.currentlyIsReadonly,onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),class:"flex-shrink flex-grow flex-auto leading-normal w-px flex-1 rounded-l-none form-control form-input form-control-bordered",dusk:r.field.attribute}),null,16,n)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","CurrencyField.vue"]])},18166:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={class:"flex items-center"},l=["id","dusk","name","value","disabled","min","max","step"];var a=r(91272),n=r(24767);const s={mixins:[n._w,n.Gj],methods:{setInitialValue(){null!=this.currentField.value&&(this.value=a.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 c=(0,r(66262).A)(s,[["render",function(e,t,r,a,n,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",i,[(0,o.createElementVNode)("input",{type:"date",class:(0,o.normalizeClass)(["w-56 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"]])},23019:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i={class:"flex items-center"},l=["id","dusk","name","value","disabled","min","max","step"],a={class:"ml-3"};var n=r(91272),s=r(24767),c=r(70393);const d={mixins:[s._w,s.Gj],data:()=>({formattedDate:""}),methods:{setInitialValue(){if(null!=this.currentField.value){let e=n.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,c.A)(this.value)){let e=n.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,c.A)(t)){let e=n.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 u=(0,r(66262).A)(d,[["render",function(e,t,r,n,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",i,[(0,o.createElementVNode)("input",{type:"datetime-local",class:(0,o.normalizeClass)(["w-56 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",a,(0,o.toDisplayString)(c.timezone),1)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","DateTimeField.vue"]])},6292:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i=["value","id","disabled","dusk"];var l=r(24767);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 n(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?a(Object(r),!0).forEach((function(t){n(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):a(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({type:this.currentField.type||"email",pattern:this.currentField.pattern,placeholder:this.placeholder,class:this.errorClasses},this.currentField.extraAttributes)}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,l,a,n){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.createElementVNode)("input",(0,o.mergeProps)(n.extraAttributes,{value:e.value,id:e.currentField.uniqueKey,disabled:e.currentlyIsReadonly,onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),class:"w-full form-control form-input form-control-bordered",dusk:e.field.attribute}),null,16,i)])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","EmailField.vue"]])},22988:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i={class:"space-y-4"},l={key:0,class:"grid grid-cols-4 gap-x-6 gap-y-2"};var a=r(24767),n=r(96040),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:[a._w,a.Gj],inject:["removeFile"],expose:["beforeRemove"],data:()=>({previewFile:null,file:null,removeModalOpen:!1,missing:!1,deleted:!1,uploadErrors:new a.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 a.I(e.response.data.errors))}finally{this.closeRemoveModal()}},fillVaporFilePayload(e,t){const r=e instanceof n.A?e.slug(t):t,o=e instanceof n.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,a,n,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",i,[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"]])},58116:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>k});var o=r(29726);const i={key:1,class:"flex flex-col justify-center items-center px-6 py-8"},l=["dusk"],a={class:"hidden md:inline-block"},n={class:"inline-block md:hidden"};var s=r(24767),c=r(96040),d=r(55378),u=r.n(d),h=r(48081),p=r.n(h),m=r(15101),f=r.n(m);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 g(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?v(Object(r),!0).forEach((function(t){y(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):v(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function y(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const b={emits:["field-changed","update-last-retrieved-at-timestamp","file-upload-started","file-upload-finished"],mixins:[s._w,s.zB],provide(){return{removeFile:this.removeFile}},props:g(g({},(0,s.rr)(["resourceName","resourceId","viaResource","viaResourceId","viaRelationship"])),{},{field:{type:Object},formUniqueId:{type:String},errors:{type:Object,required:!0}}),data(){return{loading:!1,isEditing:null!==this.field.hasOneId||!0===this.field.required,fields:[]}},mounted(){this.initializeComponent()},methods:{initializeComponent(){this.getFields(),this.field.fill=this.fill},removeFile(e){const{resourceName:t,resourceId:r}=this;Nova.request().delete(`/nova-api/${t}/${r}/field/${e}`)},fill(e){this.isEditing&&this.isVisible&&f()(new c.A(this.fieldAttribute,e),(e=>{this.availableFields.forEach((t=>{t.fill(e)}))}))},async getFields(){this.loading=!0,this.panels=[],this.fields=[];try{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}});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})}catch(e){[403,404].includes(e.response.status)&&Nova.error(this.__("There was a problem fetching the resource."))}},showEditForm(){this.isEditing=!0},handleFileDeleted(){this.$emit("update-last-retrieved-at-timestamp")}},computed:{availableFields(){return p()(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 k=(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,((i,l)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`form-${i.component}`),{index:l,key:l,errors:r.errors,"resource-id":e.resourceId,"resource-name":e.resourceName,field:i,"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",i,[(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",a,(0,o.toDisplayString)(e.__("Create :resource",{resource:r.field.singularLabel})),1),(0,o.createElementVNode)("span",n,(0,o.toDisplayString)(e.__("Create")),1)],8,l)]))])),_:1},8,["loading"])])),_:1})}],["__file","HasOneField.vue"]])},79899:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["innerHTML"];const l={mixins:[r(24767).Gj],props:{index:{type:Number},resourceName:{type:String,require:!0},field:{type:Object,require:!0},errors:{type:Object,required:!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 a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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)((()=>[n.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,innerHTML:e.currentField.value,class:(0,o.normalizeClass)(n.classes)},null,10,i)):((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:1,class:(0,o.normalizeClass)(n.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"]])},6970:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={class:"hidden"},l=["dusk","value"];var a=r(24767);const n={mixins:[a.Gj,a._w]};const s=(0,r(66262).A)(n,[["render",function(e,t,r,a,n,s){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("input",{dusk:e.field.attribute,type:"hidden",value:e.value},null,8,l)])}],["__file","HiddenField.vue"]])},18053:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(29726);const i={class:"bg-white dark:bg-gray-800 overflow-hidden key-value-items"},l={class:"flex items-center justify-center"};var a=r(24713),n=r.n(a),s=r(44377),c=r.n(s),d=r(48081),u=r.n(d),h=r(15101),p=r.n(h),m=r(24767),f=r(74640);function v(){var e=function(){return(65536*(1+Math.random())|0).toString(16).substring(1)};return e()+e()+"-"+e()+"-"+e()+"-"+e()+"-"+e()+e()+e()}const g={mixins:[m._w,m.Gj],components:{Button:f.Button},data:()=>({theData:[]}),mounted(){this.populateKeyValueData()},methods:{populateKeyValueData(){this.theData=Object.entries(this.value||{}).map((([e,t])=>({id:v(),key:`${e}`,value:t})))},fill(e){this.fillIfVisible(e,this.fieldAttribute,JSON.stringify(this.finalPayload))},addRow(){return p()(v(),(e=>(this.theData=[...this.theData,{id:e,key:"",value:""}],e)))},addRowAndSelect(){return this.selectRow(this.addRow())},removeRow(e){return p()(n()(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()(u()(this.theData.map((e=>e&&e.key?[e.key,e.value]:void 0)),(e=>void 0===e)))}}};const y=(0,r(66262).A)(g,[["render",function(e,t,r,a,n,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.withDirectives)((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",i,[((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"]),[[o.vShow,e.theData.length>0]]),(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"]])},99682:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={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"},a={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 n={props:{keyLabel:{type:String},valueLabel:{type:String}}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,n,s,c){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("div",l,(0,o.toDisplayString)(r.keyLabel),1),(0,o.createElementVNode)("div",a,(0,o.toDisplayString)(r.valueLabel),1)])}],["__file","KeyValueHeader.vue"]])},78778:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i={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"},a=["dusk","readonly","tabindex"],n=["dusk","readonly","tabindex"],s={key:0,class:"flex items-center h-11 w-11 absolute -right-[50px]"};var c=r(89692),d=r.n(c);const u={components:{Button:r(74640).Button},emits:["remove-row"],props:{index:Number,item:Object,editMode:{type:Boolean,default:!0},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},defaultBackgroundColors:()=>"bg-white dark:bg-gray-900",disabledBackgroundColors(){return!0===this.editMode?"bg-gray-50 dark:bg-gray-700":this.defaultBackgroundColors}}};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",i,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["flex-none w-48",[!u.isEditable||r.readOnlyKeys?u.disabledBackgroundColors:u.defaultBackgroundColors,!0===r.editMode?"cursor-text":"cursor-default"]]),onClick:t[2]||(t[2]=(...e)=>u.handleKeyFieldFocus&&u.handleKeyFieldFocus(...e))},[(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",[!u.isEditable||r.readOnlyKeys?`${u.disabledBackgroundColors} focus:outline-none cursor-normal`:u.defaultBackgroundColors,!0===r.editMode?"hover:bg-20 focus:bg-white dark:focus:bg-gray-900 focus:outline-none focus:ring focus:ring-inset":"focus:outline-none cursor-default"]]),readonly:!u.isEditable||r.readOnlyKeys,tabindex:!u.isEditable||r.readOnlyKeys?-1:0,style:{"background-clip":"border-box"}},null,42,a),[[o.vModelText,r.item.key]])],2),(0,o.createElementVNode)("div",{onClick:t[5]||(t[5]=(...e)=>u.handleValueFieldFocus&&u.handleValueFieldFocus(...e)),class:(0,o.normalizeClass)(["flex-grow border-l border-gray-200 dark:border-gray-700",[u.isEditable?u.defaultBackgroundColors:u.disabledBackgroundColors,!0===r.editMode?"cursor-text":"cursor-default"]])},[(0,o.withDirectives)((0,o.createElementVNode)("textarea",{rows:"1",dusk:`key-value-value-${r.index}`,"onUpdate:modelValue":t[3]||(t[3]=e=>r.item.value=e),onFocus:t[4]||(t[4]=(...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-clip-border",[u.isEditable?u.defaultBackgroundColors:`${u.disabledBackgroundColors} focus:outline-none cursor-normal`,!0===r.editMode?"hover:bg-20 focus:bg-white dark:focus:bg-gray-900 focus:outline-none focus:ring focus:ring-inset":"focus:outline-none cursor-default"]]),readonly:!u.isEditable,tabindex:u.isEditable?0:-1},null,42,n),[[o.vModelText,r.item.value]])],2)]),u.isEditable&&r.canDeleteRow?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(0,o.createVNode)(h,{onClick:t[6]||(t[6]=t=>e.$emit("remove-row",r.item.id)),dusk:`remove-key-value-${r.index}`,variant:"link",size:"small",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"]])},83420:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:{canDeleteRow:{type:Boolean,default:!0},editMode:{type:Boolean,default:!0}}};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){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.canDeleteRow}])},[(0,o.renderSlot)(e.$slots,"default")],2)}],["__file","KeyValueTable.vue"]])},34583:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);var i=r(24767);const l={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:null==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 a=(0,r(66262).A)(l,[["render",function(e,t,r,i,l,a){const n=(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)(n,{ref:"theMarkdownEditor",class:(0,o.normalizeClass)({"form-control-bordered-error":e.hasError}),id:e.field.attribute,previewer:a.previewer,uploader:a.uploader,readonly:e.currentlyIsReadonly,onFileRemoved:a.handleFileRemoved,onFileAdded:a.handleFileAdded,onInitialize:a.initialize,onChange:a.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"]])},28920:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>V});var o=r(29726);const i={class:"border-b border-gray-100 dark:border-gray-700"},l={key:0,class:"flex relative"},a=["disabled","dusk","value"],n=["disabled"],s=["value","selected"],c={class:"pointer-events-none absolute inset-y-0 right-[11px] flex items-center"},d={key:1,class:"flex items-center select-none mt-2"},u={class:"flex items-center mb-3"},h={key:0,class:"flex items-center"},p={key:0,class:"mr-3"},m=["src"],f={class:"flex items-center"},v={key:0,class:"flex-none mr-3"},g=["src"],y={class:"flex-auto"},b={key:0},k={key:1},w=["disabled","selected"];var C=r(74640);const x={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 N=r(24767),B=r(70393);const S={components:{Button:C.Button},mixins:[N.Gj,N._w,N.XJ,N.Bz,N.zJ],data:()=>({resourceType:"",initializingWithExistingResource:!1,createdViaRelationModal:!1,softDeletes:!1,selectedResourceId: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()),this.resourceType&&this.determineIfSoftDeletes(),this.field.fill=this.fill},selectResourceFromSelectOrSearch(e){this.field&&this.emitFieldValueChange(`${this.fieldAttribute}_type`,this.resourceType),this.selectResource(e)},fill(e){this.selectedResourceId&&this.resourceType?(this.fillIfVisible(e,this.fieldAttribute,this.selectedResourceId??""),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(),x.fetchAvailableResources(this.resourceName,this.fieldAttribute,{params:this.queryParams}).then((({data:{resources:e,softDeletes:t,withTrashed:r}})=>{!this.initializingWithExistingResource&&this.isSearchable||(this.withTrashed=r),this.isSearchable&&(this.initializingWithExistingResource=!1),this.availableResources=e,this.softDeletes=t})).finally((()=>{Nova.$progress.done()}))},onSyncedField(){this.resourceType!==this.currentField.morphToType&&this.refreshResourcesForTypeChange(this.currentField.morphToType)},determineIfSoftDeletes(){return x.determineIfSoftDeletes(this.resourceType).then((({data:{softDeletes:e}})=>this.softDeletes=e))},async refreshResourcesForTypeChange(e){this.resourceType=e?.target?.value??e,this.availableResources=[],this.selectedResourceId=null,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,B.A)(this.selectedResourceId)||(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.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.pushAfterUpdatingQueryString({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())},isSelectedResourceId(e){return null!=e&&e?.toString()===this.selectedResourceId?.toString()}},computed:{editingExistingResource(){return Boolean(this.field.morphToId&&this.field.morphToType)},viaRelatedResource(){return Boolean(null!=this.currentField.morphToTypes.find((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:null==this.resourceId||""===this.resourceId?"create":"update"}},fieldName(){return this.field.name},fieldTypeName(){return this.resourceType&&this.currentField.morphToTypes.find((e=>e.value==this.resourceType))?.singularLabel||""},hasMorphToTypes(){return this.currentField.morphToTypes.length>0},authorizedToCreate(){return Nova.config("resources").find((e=>e.uriKey==this.resourceType))?.authorizedToCreate||!1},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,B.A)(this.search)},useSearchInput(){return this.isSearchable||this.viaRelatedResource},selectedResource(){return this.availableResources.find((e=>this.isSelectedResourceId(e.value)))}}};const V=(0,r(66262).A)(S,[["render",function(e,t,r,C,x,N){const B=(0,o.resolveComponent)("IconArrow"),S=(0,o.resolveComponent)("DefaultField"),V=(0,o.resolveComponent)("SearchInput"),R=(0,o.resolveComponent)("SelectControl"),E=(0,o.resolveComponent)("Button"),_=(0,o.resolveComponent)("CreateRelationModal"),O=(0,o.resolveComponent)("TrashedCheckbox");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createVNode)(S,{field:e.currentField,"show-errors":!1,"field-name":N.fieldName,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[N.hasMorphToTypes?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("select",{disabled:N.viaRelatedResource&&!N.shouldIgnoresViaRelatedResource||e.currentlyIsReadonly,dusk:`${e.field.attribute}-type`,value:e.resourceType,onChange:t[0]||(t[0]=(...e)=>N.refreshResourcesForTypeChange&&N.refreshResourcesForTypeChange(...e)),class:"w-full block form-control form-input form-control-bordered"},[(0,o.createElementVNode)("option",{value:"",selected:"",disabled:!e.currentField.nullable},(0,o.toDisplayString)(e.__("Choose Type")),9,n),((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,a),(0,o.createElementVNode)("span",c,[(0,o.createVNode)(B)])])):((0,o.openBlock)(),(0,o.createElementBlock)("label",d,(0,o.toDisplayString)(e.__("There are no available options for this resource.")),1))])),_:1},8,["field","field-name","show-help-text","full-width-content"]),N.hasMorphToTypes?((0,o.openBlock)(),(0,o.createBlock)(S,{key:0,field:e.currentField,errors:e.errors,"show-help-text":!1,"field-name":N.fieldTypeName,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",u,[N.useSearchInput?((0,o.openBlock)(),(0,o.createBlock)(V,{key:0,modelValue:e.selectedResourceId,"onUpdate:modelValue":t[1]||(t[1]=t=>e.selectedResourceId=t),onSelected:N.selectResourceFromSelectOrSearch,onInput:N.performResourceSearch,onClear:N.clearResourceSelection,options:N.filteredResources,disabled:e.currentlyIsReadonly,debounce:e.currentField.debounce,clearable:e.currentField.nullable||N.editingExistingResource||N.viaRelatedResource||e.createdViaRelationModal,trackBy:"value",mode:e.mode,class:"w-full",dusk:`${e.field.attribute}-search-input`},{option:(0,o.withCtx)((({selected:t,option:r})=>[(0,o.createElementVNode)("div",f,[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,g)])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",y,[(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",b,(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)((()=>[N.selectedResource?((0,o.openBlock)(),(0,o.createElementBlock)("div",h,[N.selectedResource.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",p,[(0,o.createElementVNode)("img",{src:N.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,m)])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(N.selectedResource.display),1)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["modelValue","onSelected","onInput","onClear","options","disabled","debounce","clearable","mode","dusk"])):((0,o.openBlock)(),(0,o.createBlock)(R,{key:1,modelValue:e.selectedResourceId,"onUpdate:modelValue":t[2]||(t[2]=t=>e.selectedResourceId=t),onSelected:N.selectResourceFromSelectOrSearch,options:e.availableResources,disabled:!e.resourceType||e.currentlyIsReadonly,label:"display",class:(0,o.normalizeClass)(["w-full",{"form-control-bordered-error":e.hasError}]),dusk:`${e.field.attribute}-select`},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",disabled:!e.currentField.nullable,selected:""===e.selectedResourceId},(0,o.toDisplayString)(e.__("Choose"))+" "+(0,o.toDisplayString)(N.fieldTypeName),9,w)])),_:1},8,["modelValue","onSelected","options","disabled","class","dusk"])),N.canShowNewRelationModal?((0,o.openBlock)(),(0,o.createBlock)(E,{key:2,variant:"link",size:"small","leading-icon":"plus-circle",onClick:N.openRelationModal,class:"ml-2",dusk:`${e.field.attribute}-inline-create`},null,8,["onClick","dusk"])):(0,o.createCommentVNode)("",!0)]),N.canShowNewRelationModal?((0,o.openBlock)(),(0,o.createBlock)(_,{key:0,show:e.relationModalOpen,size:e.field.modalSize,onSetResource:N.handleSetResource,onCreateCancelled:N.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),N.shouldShowTrashed?((0,o.openBlock)(),(0,o.createBlock)(O,{key:1,class:"mt-3","resource-name":e.field.attribute,checked:e.withTrashed,onInput:N.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"]])},6629:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i=["selected","disabled"];var l=r(24767),a=r(55364),n=r.n(a),s=r(70393);const c={mixins:[l._w,l.Gj],data:()=>({search:""}),methods:{setInitialValue(){let e=void 0!==this.currentField.value&&null!==this.currentField.value&&""!==this.currentField.value?n()(this.currentField.value||[],this.value):this.value,t=(this.currentField.options??[]).filter((t=>e.includes(t.value)||e.includes(t.value.toString())));this.value=t.map((e=>e.value))},fieldDefaultValue:()=>[],fill(e){this.fillIfVisible(e,this.fieldAttribute,JSON.stringify(this.value))},performSearch(e){this.search=e},handleChange(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,s.A)(this.currentField.placeholder)||this.currentField.nullable}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,l,a,n){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,modelValue:e.value,"onUpdate:modelValue":[t[0]||(t[0]=t=>e.value=t),n.handleChange],class:(0,o.normalizeClass)(["w-full",e.errorClasses]),options:e.currentField.options,disabled:e.currentlyIsReadonly},{default:(0,o.withCtx)((()=>[n.shouldShowPlaceholder?((0,o.openBlock)(),(0,o.createElementBlock)("option",{key:0,value:"",selected:!n.hasValue,disabled:!e.currentField.nullable},(0,o.toDisplayString)(n.placeholder),9,i)):(0,o.createCommentVNode)("",!0)])),_:1},8,["id","dusk","modelValue","onUpdate:modelValue","class","options","disabled"])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","MultiSelectField.vue"]])},82437:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i=["dusk"],l=["innerHTML"];var a=r(24767);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 s(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?n(Object(r),!0).forEach((function(t){c(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):n(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function c(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const d={name:"FormPanel",mixins:[a.sK],emits:["field-changed","update-last-retrieved-at-timestamp","file-deleted","file-upload-started","file-upload-finished"],props:s(s({},(0,a.rr)(["mode"])),{},{shownViaNewRelationModal:{type:Boolean,default:!1},showHelpText:{type:Boolean,default:!1},panel:{type:Object,required:!0},name:{default:"Panel"},dusk:{type:String},fields:{type:Array,default:[]},formUniqueId:{type:String},validationErrors:{type:Object,required:!0},resourceName:{type:String,required:!0},resourceId:{type:[Number,String]},relatedResourceName:{type:String},relatedResourceId:{type:[Number,String]},viaResource:{type:String},viaResourceId:{type:[Number,String]},viaRelationship:{type:String}}),methods:{handleFileDeleted(){this.$emit("update-last-retrieved-at-timestamp")}}};const u=(0,r(66262).A)(d,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("Heading"),d=(0,o.resolveComponent)("Card");return r.panel.fields.length>0?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,dusk:`${r.panel.attribute}-panel`},[(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,((i,l)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`form-${i.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:i,"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})],8,i)),[[o.vShow,e.visibleFieldsCount>0]]):(0,o.createCommentVNode)("",!0)}],["__file","Panel.vue"]])},98755:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i=["id","dusk","placeholder","disabled"];var l=r(24767);const a={mixins:[l._w,l.Gj]};const n=(0,r(66262).A)(a,[["render",function(e,t,r,l,a,n){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,i),[[o.vModelText,e.value]])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","PasswordField.vue"]])},52568:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i={key:0},l=["innerHTML"];var a=r(25542),n=r(24767);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function d(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u={name:"FormRelationshipPanel",emits:["field-changed","update-last-retrieved-at-timestamp","file-upload-started","file-upload-finished","file-deleted"],mixins:[n.x7],props:c(c({shownViaNewRelationModal:{type:Boolean,default:!1},showHelpText:{type:Boolean,default:!1},panel:{type:Object,required:!0},name:{default:"Relationship Panel"}},(0,n.rr)(["mode"])),{},{fields:{type:Array,default:[]},formUniqueId:{type:String},validationErrors:{type:Object,required:!0},resourceName:{type:String,required:!0},resourceId:{type:[Number,String]},viaResource:{type:String},viaResourceId:{type:[Number,String]},viaRelationship:{type:String}}),data:()=>({relationFormUniqueId:(0,a.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,a,n,s){const c=(0,o.resolveComponent)("Heading");return s.field.authorizedToCreate?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(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"]])},7275:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i=["dusk"];var l=r(74640),a=r(24767),n=r(88055),s=r.n(n),c=r(25542);const d={components:{Button:l.Button,Icon:l.Icon},mixins:[a.zB,a._w],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,c.L)()),e)))},methods:{fieldDefaultValue:()=>[],removeFile(e){const{resourceName:t,resourceId:r,relatedResourceName:o,relatedResourceId:i,viaRelationship:l}=this,a=l&&o&&i?`/nova-api/${t}/${r}/${o}/${i}/field/${e}?viaRelationship=${l}`:`/nova-api/${t}/${r}/field/${e}`;Nova.request().delete(a)},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=s()(t);this.valueMap.set(r,(0,c.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,a,n){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"),f=(0,o.resolveComponent)("DefaultField");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)((()=>[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:n.removeItem,errors:e.errors,sortable:e.currentField.sortable&&e.value.length>1,onMoveUp:n.moveUp,onMoveDown:n.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,i)):(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:()=>n.addItem(e.type),as:"button",class:"space-x-2"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,[(0,o.createVNode)(d,{name:e.icon,type:"solid",class:"inline-block"},null,8,["name"])]),(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=>n.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"]])},98445:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i={key:0,class:"flex items-center"},l=["disabled"];var a=r(24767),n=r(56170),s=r.n(n);const c={mixins:[a._w,a.Gj],data:()=>({value:null,search:""}),created(){this.value=this.field.value??this.fieldDefaultValue()},methods:{fieldDefaultValue:()=>null,fill(e){this.fillIfVisible(e,this.fieldAttribute,this.value??"")},performSearch(e){this.search=e},clearSelection(){this.value=this.fieldDefaultValue(),this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)},selectOption(e){null!=e?this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value):this.clearSelection()},selectedValueFromOption(e){this.value=e?.value??this.fieldDefaultValue(),this.selectOption(e)},onSyncedField(){let e=null,t=!1;this.selectedOption&&(t=!0,e=this.currentField.options.find((e=>e.value===this.selectedOption.value)));let r=this.currentField.options.find((e=>e.value==this.currentField.value));if(null==e)return this.clearSelection(),void(this.currentField.value?this.selectedValueFromOption(r):t&&!this.currentField.nullable&&this.selectedValueFromOption(s()(this.currentField.options)));e&&r?this.selectedValueFromOption(r):this.selectedValueFromOption(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))},selectedOption(){return this.field.options.find((e=>this.value===e.value||this.value===e.value.toString()))}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,a,n,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,modelValue:e.value,"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),onSelected:s.selectOption,onInput:s.performSearch,onClear:s.clearSelection,options:s.filteredOptions,disabled:e.currentlyIsReadonly,"has-error":e.hasError,clearable:e.currentField.nullable,trackBy:"value",mode:e.mode,class:"w-full",dusk:`${e.field.attribute}-search-input`},{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)((()=>[s.selectedOption?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,(0,o.toDisplayString)(s.selectedOption.label),1)):(0,o.createCommentVNode)("",!0)])),_:1},8,["modelValue","onSelected","onInput","onClear","options","disabled","has-error","clearable","mode","dusk"])):((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,modelValue:e.value,"onUpdate:modelValue":t[1]||(t[1]=t=>e.value=t),onSelected:s.selectOption,options:e.currentField.options,"has-error":e.hasError,disabled:e.currentlyIsReadonly,id:e.field.attribute,class:"w-full",dusk:e.field.attribute},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:"",disabled:!e.currentField.nullable},(0,o.toDisplayString)(s.placeholder),9,l)])),_:1},8,["modelValue","onSelected","options","has-error","disabled","id","dusk"]))])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","SelectField.vue"]])},60674:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i={class:"flex items-center"},l=["id","disabled","dusk"];var a=r(24767),n=r(38221),s=r.n(n);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){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u={mixins:[a._w,a.zB],data:()=>({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)},placeholder(){return this.field.placeholder??null},extraAttributes(){return function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?c(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):c(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({class:this.errorClasses,placeholder:this.placeholder},this.field.extraAttributes)}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,a,n,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",i,[(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)(s.extraAttributes,{ref:"theInput","onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),id:e.field.uniqueKey,disabled:e.isReadonly,class:"w-full form-control form-input form-control-bordered",dusk:e.field.attribute}),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"]])},24652:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i=["id","type","min","max","step","placeholder"];var l=r(24767);const a={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 n=(0,r(66262).A)(a,[["render",function(e,t,r,l,a,n){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:n.inputType,min:n.inputMin,max:n.inputMax,step:n.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.placeholder},null,10,i),[[o.vModelDynamic,e.value]])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","StatusField.vue"]])},19736:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726),i=r(24767),l=r(14788),a=r(42877),n=r.n(a);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){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const d=["dusk"],u=["innerHTML"],h=["dusk"],p={class:"capitalize"},m={class:"divide-y divide-gray-100 dark:divide-gray-700"},f={__name:"TabsPanel",props:function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){c(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({name:{type:String,default:"Panel"},panel:{type:Object,required:!0},fields:{type:Array,default:[]},formUniqueId:{type:String,required:!1},validationErrors:{type:Object,required:!1}},(0,i.rr)(["shownViaNewRelationModal","mode","resourceName","resourceId","relatedResourceName","relatedResourceId","viaResource","viaResourceId","viaRelationship"])),emits:["field-changed","update-last-retrieved-at-timestamp","file-upload-started","file-upload-finished"],setup(e){const t=e,r=(0,o.computed)((()=>t.panel.fields.reduce(((e,t)=>(t.tab?.attribute in e||(e[t.tab.attribute]={name:t.tab,attribute:t.tab.attribute,position:t.tab.position,init:!1,listable:t.tab.listable,fields:[],meta:t.tab.meta,classes:"fields-tab"},["belongs-to-many-field","has-many-field","has-many-through-field","has-one-through-field","morph-to-many-field"].includes(t.component)&&(e[t.tab.attribute].classes="relationship-tab")),e[t.tab.attribute].fields.push(t),e)),{})));function i(e){return n()(e,[e=>e.position],["asc"])}function a(e){return e.prefixComponent?`form-${e.component}`:e.component}function s(e){return"hasOne"===e.relationshipType||"morphOne"===e.relationshipType?e.hasOneId:this.resourceId}return(t,n)=>{const c=(0,o.resolveComponent)("Heading");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"tab-group",dusk:`${e.panel.attribute}-tab-panel`},[(0,o.createElementVNode)("div",null,[e.panel.showTitle?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,level:1,textContent:(0,o.toDisplayString)(e.panel.name)},null,8,["textContent"])):(0,o.createCommentVNode)("",!0),e.panel.helpText?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:1,class:(0,o.normalizeClass)(["text-gray-500 text-sm font-semibold italic",e.panel.helpText?"mt-2":"mt-3"]),innerHTML:e.panel.helpText},null,10,u)):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["tab-card",[e.panel.showTitle&&!e.panel.showToolbar?"mt-3":""]])},[(0,o.createVNode)((0,o.unref)(l.fu),null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(l.wb),{"aria-label":e.panel.name,class:"tab-menu divide-x dark:divide-gray-700 border-l-gray-200 border-r-gray-200 border-t-gray-200 border-b-gray-200 dark:border-l-gray-700 dark:border-r-gray-700 dark:border-t-gray-700 dark:border-b-gray-700"},{default:(0,o.withCtx)((()=>[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(i(r.value),((e,t)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(l.oz),{as:"template",key:t},{default:(0,o.withCtx)((({selected:t})=>[(0,o.createElementVNode)("button",{dusk:`${e.attribute}-tab-trigger`,class:(0,o.normalizeClass)([[t?"active text-primary-500 font-bold border-b-2 !border-b-primary-500":"text-gray-600 hover:text-gray-800 dark:text-gray-400 hover:dark:text-gray-200"],"tab-item"])},[(0,o.createElementVNode)("span",p,(0,o.toDisplayString)(e.meta.name),1)],10,h)])),_:2},1024)))),128))])),_:1},8,["aria-label"]),(0,o.createVNode)((0,o.unref)(l.T2),null,{default:(0,o.withCtx)((()=>[((0,o.openBlock)(),(0,o.createBlock)(o.KeepAlive,null,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(i(r.value),((r,i)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(l.Kp),{key:i,label:r.name,dusk:`${r.attribute}-tab-content`,class:(0,o.normalizeClass)([r.attribute,"tab fields-tab"]),unmount:!1},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",m,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.fields,((i,l)=>((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:l},[i.from?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(a(i)),{key:0,ref_for:!0,ref:"fields",class:(0,o.normalizeClass)({"remove-bottom-border":l===r.fields.length-1}),errors:e.validationErrors,field:i,"form-unique-id":e.formUniqueId,"related-resource-id":t.relatedResourceId,"related-resource-name":t.relatedResourceName,"resource-id":t.resourceId,"resource-name":t.resourceName,"show-help-text":null!=i.helpText,"shown-via-new-relation-modal":t.shownViaNewRelationModal,"via-relationship":t.viaRelationship,"via-resource":t.viaResource,"via-resource-id":t.viaResourceId,onFieldChanged:n[0]||(n[0]=e=>t.$emit("field-changed")),onFileDeleted:n[1]||(n[1]=e=>t.$emit("update-last-retrieved-at-timestamp")),onFileUploadStarted:n[2]||(n[2]=e=>t.$emit("file-upload-started")),onFileUploadFinished:n[3]||(n[3]=e=>t.$emit("file-upload-finished"))},null,40,["class","errors","field","form-unique-id","related-resource-id","related-resource-name","resource-id","resource-name","show-help-text","shown-via-new-relation-modal","via-relationship","via-resource","via-resource-id"])),i.from?((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(a(i)),{key:1,errors:e.validationErrors,"resource-id":s(i),"resource-name":i.resourceName,field:i,"via-resource":i.from.viaResource,"via-resource-id":i.from.viaResourceId,"via-relationship":i.from.viaRelationship,"form-unique-id":t.relationFormUniqueId,onFieldChanged:n[4]||(n[4]=e=>t.$emit("field-changed")),onFileDeleted:n[5]||(n[5]=e=>t.$emit("update-last-retrieved-at-timestamp")),onFileUploadStarted:n[6]||(n[6]=e=>t.$emit("file-upload-started")),onFileUploadFinished:n[7]||(n[7]=e=>t.$emit("file-upload-finished")),"show-help-text":null!=i.helpText},null,40,["errors","resource-id","resource-name","field","via-resource","via-resource-id","via-relationship","form-unique-id","show-help-text"])):(0,o.createCommentVNode)("",!0)],64)))),128))])])),_:2},1032,["label","dusk","class"])))),128))],1024))])),_:1})])),_:1})],2)],8,d)}}};const v=(0,r(66262).A)(f,[["__file","TabsPanel.vue"]])},98007:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>w});var o=r(29726);const i={class:"space-y-4"},l={class:"flex items-center"},a=["dusk"];var n=r(74640),s=r(52191),c=r(25019),d=r(17039),u=r(76402),h=r(22308),p=r(24767),m=r(30043),f=r(56170),v=r.n(f);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 y(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?g(Object(r),!0).forEach((function(t){b(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):g(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function b(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const k={components:{Button:n.Button,PreviewResourceModal:h.default,SearchInputResult:u.default,TagList:d.default},mixins:[p.Gj,p.Bz,p._w],props:y({},(0,p.rr)(["resourceId"])),data:()=>({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):"")},getAvailableResources(e=""){this.loading=!0;const t={search:e,current:null,first:!1,withTrashed:!1};return(0,m.minimum)(s.A.fetchAvailableResources(this.resourceName,this.resourceId,this.currentField.resourceName,{params:y(y({},t),{},{component:this.currentField.component,viaRelationship:this.currentField.attribute})}).then((({data:{resources:e}})=>{this.tags=e})).finally((()=>{this.loading=!1})),250)},handleSetResource({id:e}){const t={search:"",current:e,first:!0};c.A.fetchAvailableResources(this.currentField.resourceName,{params:t}).then((({data:{resources:e}})=>{this.$refs.searchable.choose(v()(e))})).finally((()=>{this.closeRelationModal()}))},removeResource(e){this.$refs.searchable.remove(e)},openRelationModal(){this.relationModalOpen=!0},closeRelationModal(){this.relationModalOpen=!1}}};const w=(0,r(66262).A)(k,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("SearchInputResult"),u=(0,o.resolveComponent)("ComboBoxInput"),h=(0,o.resolveComponent)("Button"),p=(0,o.resolveComponent)("TagList"),m=(0,o.resolveComponent)("TagGroup"),f=(0,o.resolveComponent)("CreateRelationModal"),v=(0,o.resolveComponent)("DefaultField"),g=(0,o.resolveDirective)("tooltip");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)((()=>[(0,o.createElementVNode)("div",i,[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(u,{ref:"searchable",modelValue:e.value,"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),onInput:c.performSearch,error:e.hasError,debounce:e.field.debounce,options:e.tags,placeholder:"Search",trackBy:"value",disabled:e.currentlyIsReadonly,loading:e.loading,class:"w-full",dusk:`${e.field.resourceName}-search-input`},{option:(0,o.withCtx)((({dusk:t,selected:r,option:i})=>[(0,o.createVNode)(d,{option:i,selected:r,"with-subtitles":e.field.withSubtitles,dusk:t},null,8,["option","selected","with-subtitles","dusk"])])),_:1},8,["modelValue","onInput","error","debounce","options","disabled","loading","dusk"]),e.field.showCreateRelationButton?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,variant:"link",size:"small","leading-icon":"plus-circle",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[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),"group"===e.field.style?((0,o.openBlock)(),(0,o.createBlock)(m,{key:1,tags:e.value,onTagRemoved:t[2]||(t[2]=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,a)):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(f,{"resource-name":e.field.resourceName,show:e.field.showCreateRelationButton&&e.relationModalOpen,size:e.field.modalSize,onSetResource:c.handleSetResource,onCreateCancelled:t[3]||(t[3]=t=>e.relationModalOpen=!1)},null,8,["resource-name","show","size","onSetResource"])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","TagField.vue"]])},82942:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i={class:"space-y-1"},l=["value","id","dusk","disabled","maxlength"],a=["id"],n=["value"];var s=r(24767);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?c(Object(r),!0).forEach((function(t){u(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):c(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function u(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const h={mixins:[s.Gj,s.IR,s._w],computed:{defaultAttributes(){return d({type:this.currentField.type||"text",class:this.errorClasses,min:this.currentField.min,max:this.currentField.max,step:this.currentField.step,pattern:this.currentField.pattern,placeholder:this.placeholder},this.suggestionsAttributes)},extraAttributes(){return d(d({},this.defaultAttributes),this.currentField.extraAttributes)}}};const p=(0,r(66262).A)(h,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("CharacterCounter"),h=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(h,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(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,n)))),128))],8,a)):(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"]])},75649:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i={class:"space-y-1"},l=["id","value","maxlength","dusk"];var a=r(24767);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 s(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?n(Object(r),!0).forEach((function(t){c(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):n(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function c(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const d={mixins:[a._w,a.Gj],computed:{defaultAttributes(){return{rows:this.currentField.rows,class:this.errorClasses,placeholder:this.placeholder}},extraAttributes(){return s(s({},this.defaultAttributes),this.currentField.extraAttributes)}}};const u=(0,r(66262).A)(d,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("CharacterCounter"),d=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(d,{field:e.currentField,errors:e.errors,"full-width-content":e.fullWidthContent,"show-help-text":e.showHelpText},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(0,o.createElementVNode)("textarea",(0,o.mergeProps)(s.extraAttributes,{id:e.currentField.uniqueKey,value:e.value,maxlength:e.field.enforceMaxlength?e.field.maxlength:-1,onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),class:"w-full h-auto py-3 block form-control form-input form-control-bordered",dusk:e.field.attribute}),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"]])},98385:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);var i=r(24767);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 a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n={emits:["field-changed"],mixins:[i._w,i.Qy,i.Gj],data:()=>({trixIndex: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.trixIndex++},listenToValueChanges(e){this.trixIndex++}},computed:{extraAttributes(){return function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?l(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):l(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({placeholder:this.placeholder},this.currentField.extraAttributes)}}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,i,l,a){const n=(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.trixIndex,"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)(n,(0,o.mergeProps)(a.extraAttributes,{name:"trixman",value:e.value,"with-files":e.currentField.withFiles,disabled:e.currentlyIsReadonly,onChange:a.handleChange,onFileAdded:a.handleFileAdded,onFileRemoved:a.handleFileRemoved,class:["rounded-lg",{"form-control-bordered-error":e.hasError}]}),null,16,["value","with-files","disabled","onChange","onFileAdded","onFileRemoved","class"])],2)])),_:1},8,["field","errors","full-width-content","show-help-text"])}],["__file","TrixField.vue"]])},8981:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i=["id","value","disabled","list","dusk"],l=["id"],a=["value"];var n=r(24767);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function d(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u={mixins:[n._w,n.Gj],computed:{defaultAttributes(){return{type:this.currentField.type||"text",min:this.currentField.min,max:this.currentField.max,step:this.currentField.step,pattern:this.currentField.pattern,placeholder:this.placeholder,class:this.errorClasses}},extraAttributes(){return c(c({},this.defaultAttributes),this.currentField.extraAttributes)}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,n,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)("input",(0,o.mergeProps)(c.extraAttributes,{id:e.currentField.uniqueKey,type:"url",value:e.value,onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),disabled:e.currentlyIsReadonly,list:`${e.field.attribute}-list`,class:"w-full form-control form-input form-control-bordered",dusk:e.field.attribute}),null,16,i),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,a)))),128))],8,l)):(0,o.createCommentVNode)("",!0)])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","UrlField.vue"]])},16192:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(22988).default,computed:{isVaporField:()=>!0}};const i=(0,r(66262).A)(o,[["__file","VaporAudioField.vue"]])},50531:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(22988).default,computed:{isVaporField:()=>!0}};const i=(0,r(66262).A)(o,[["__file","VaporFileField.vue"]])},43032:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["src"];const l={mixins:[r(24767).S0],props:["viaResource","viaResourceId","resourceName","field"],computed:{hasPreviewableAudio(){return null!=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 a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)([n.alignmentClass,"flex"])},[n.hasPreviewableAudio?((0,o.openBlock)(),(0,o.createElementBlock)("audio",(0,o.mergeProps)({key:0},n.defaultAttributes,{class:"rounded rounded-full",src:r.field.previewUrl,controls:"",controlslist:"nodownload"}),null,16,i)):((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:1,class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},"—",2))],2)}],["__file","AudioField.vue"]])},51086:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={key:0,class:"mr-1 -ml-1"};const l={components:{Icon:r(74640).Icon},props:["resourceName","viaResource","viaResourceId","field"]};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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",i,[(0,o.createVNode)(s,{name:r.field.icon,type:"solid",class:"inline-block"},null,8,["name"])])):(0,o.createCommentVNode)("",!0)])),_:1},8,["label","extra-classes"])])}],["__file","BadgeField.vue"]])},99723:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:0},l={key:1},a={key:2},n={__name:"BelongsToField",props:{resource:{type:Object},resourceName:{type:String},field:{type:Object}},setup:e=>(t,r)=>{const n=(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",i,[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)(n,{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)(n,{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",a,"—"))])],2)}};const s=(0,r(66262).A)(n,[["__file","BelongsToField.vue"]])},95915:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["resourceName","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("IconBoolean");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[(0,o.createVNode)(n,{value:r.field.value,nullable:r.field.nullable,class:"inline-block"},null,8,["value","nullable"])],2)}],["__file","BooleanField.vue"]])},55371:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:0,class:"max-w-xxs space-y-2 py-3 px-4"},l={class:"ml-1"},a={key:1,class:"max-w-xxs space-2 py-3 px-4 rounded-full text-sm leading-tight"};const n={components:{Button:r(74640).Button},props:["resourceName","field"],data:()=>({value:[],classes:{true:"text-green-500",false:"text-red-500"}}),created(){this.field.value=this.field.value||{},this.value=this.field.options.filter((e=>(!0!==this.field.hideFalseValues||!1!==e.checked)&&(!0!==this.field.hideTrueValues||!0!==e.checked))).map((e=>({name:e.name,label:e.label,checked:this.field.value[e.name]||!1})))}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,n,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",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.value,((t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("li",{key:r,class:(0,o.normalizeClass)(["flex items-center rounded-full font-bold text-sm leading-tight space-x-2",e.classes[t.checked]])},[(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)))),128))])):((0,o.openBlock)(),(0,o.createElementBlock)("span",a,(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"]])},84706:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"rounded inline-flex items-center justify-center border border-60",style:{borderRadius:"4px",padding:"2px"}};const l={props:["resourceName","field"]};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[(0,o.createElementVNode)("span",i,[(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"]])},41129:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["innerHTML"],l={key:1},a={key:1};const n={mixins:[r(24767).S0],props:["resourceName","field"]};const s=(0,r(66262).A)(n,[["render",function(e,t,r,n,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,i)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(e.fieldValue),1))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",a,"—"))])}],["__file","CurrencyField.vue"]])},81871:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:0,class:"whitespace-nowrap"},l={key:1};var a=r(91272);const n={mixins:[r(24767).S0],props:["resourceName","field"],computed:{formattedDate(){if(this.field.usesCustomizedDisplay)return this.field.displayedAs;return a.c9.fromISO(this.field.value).toLocaleString({year:"numeric",month:"2-digit",day:"2-digit"})}}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,a,n,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",i,(0,o.toDisplayString)(s.formattedDate),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—"))],2)])}],["__file","DateField.vue"]])},9952:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["title"],l={key:1};var a=r(91272);const n={mixins:[r(24767).S0],props:["resourceName","field"],computed:{formattedDate(){return this.usesCustomizedDisplay?this.field.displayedAs:a.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)(n,[["render",function(e,t,r,a,n,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,i)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—"))],2)}],["__file","DateTimeField.vue"]])},13785:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={key:0,class:"flex items-center"},l=["href"],a={key:1};var n=r(24767);const s={mixins:[n.nl,n.S0],props:["resourceName","field"],methods:{copy(){this.copyValueToClipboard(this.field.value)}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,n,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",i,[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",a,"—"))],2)}],["__file","EmailField.vue"]])},48242:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={key:1,class:"break-words"};const l={mixins:[r(24767).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 a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){const s=(0,o.resolveComponent)("ImageLoader"),c=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)([n.alignmentClass,"flex"])},[n.shouldShowLoader?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,src:n.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&&!n.imageUrl?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("span",i,[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.displayedAs),1)])),[[c,r.field.value]]):(0,o.createCommentVNode)("",!0),e.usesCustomizedDisplay||n.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}`)},t[0]||(t[0]=[(0,o.createTextVNode)(" — ")]),2)),[[c,r.field.value]])],2)}],["__file","FileField.vue"]])},81173:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["field","viaResource","viaResourceId","resourceName"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){return(0,o.openBlock)(),(0,o.createElementBlock)("span")}],["__file","HeadingField.vue"]])},76439:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"hidden"};const l={props:["resourceName","field"]};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i)}],["__file","HiddenField.vue"]])},21451:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={key:1},l={key:2};const a={mixins:[r(24767).S0],props:["resource","resourceName","field"],computed:{isPivot(){return null!=this.field.pivotValue},authorizedToView(){return this.resource?.authorizedToView??!1}}};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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",i,(0,o.toDisplayString)(r.field.pivotValue||e.fieldValue),1)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))],2)}],["__file","IdField.vue"]])},24549:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i=["innerHTML"],l={key:1};const a={mixins:[r(24767).S0],props:["resourceName","field"]};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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,i)):((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"]])},25736:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={key:1},l={key:2};const a={props:["resourceName","viaResource","viaResourceId","field"],computed:{isResourceBeingViewed(){return this.field.morphToType==this.viaResource&&this.field.morphToId==this.viaResourceId}}};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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",i,(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"]])},59219:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:0},l={key:1},a={key:2},n={__name:"MorphToField",props:{resource:{type:Object},resourceName:{type:String},field:{type:Object}},setup:e=>(t,r)=>{const n=(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",i,[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)(n,{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)(n,{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",a,"—"))])],2)}};const s=(0,r(66262).A)(n,[["__file","MorphToField.vue"]])},8947:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i=["textContent"],l={key:1};const a={mixins:[r(24767).S0],props:["resourceName","field"],computed:{hasValues(){return this.fieldValues.length>0},fieldValues(){let e=[];return this.field.options.forEach((t=>{this.isEqualsToValue(t.value)&&e.push(t.label)})),e}}};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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,i)))),256)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))])}],["__file","MultiSelectField.vue"]])},46750:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["resourceName","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},t[0]||(t[0]=[(0,o.createElementVNode)("span",{class:"font-bold"}," · · · · · · · · ",-1)]),2)}],["__file","PasswordField.vue"]])},61775:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["innerHTML"],l={key:1,class:"whitespace-nowrap"},a={key:1};const n={mixins:[r(24767).S0],props:["resourceName","field"]};const s=(0,r(66262).A)(n,[["render",function(e,t,r,n,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,i)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(e.fieldValue),1))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",a,"—"))],2)}],["__file","SelectField.vue"]])},42212:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(89250).default};const i=(0,r(66262).A)(o,[["__file","SlugField.vue"]])},46086:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={key:0};var l=r(27717);r(27554);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(){const e=this.chartStyle;this.chartist=new e(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)&&"line"!==e?l.Es:l.bl},chartHeight(){return this.field.height||50},chartWidth(){return this.field.width||100}}};const n=(0,r(66262).A)(a,[["render",function(e,t,r,l,a,n){return n.hasData?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("div",{ref:"chart",class:"ct-chart",style:(0,o.normalizeStyle)({width:n.chartWidth,height:n.chartHeight})},null,4)])):(0,o.createCommentVNode)("",!0)}],["__file","SparklineField.vue"]])},95328:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={key:0,class:"leading-normal"},l={key:1};const a={props:["resourceName","field"],computed:{hasValue(){return this.field.lines}}};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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",i,[((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"]])},7187:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={class:"flex items-center"},l={class:"mr-1 -ml-1"};var a=r(74640),n=r(24767);const s={components:{Icon:a.Icon},mixins:[n.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 c=(0,r(66262).A)(s,[["render",function(e,t,r,a,n,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",i,[(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,name:"exclamation-circle",type:"solid"})):(0,o.createCommentVNode)("",!0),"success"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(d,{key:2,name:"check-circle",type:"solid"})):(0,o.createCommentVNode)("",!0)]),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.fieldValue),1)])),_:1},8,["class"])])}],["__file","StatusField.vue"]])},25565:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={class:"p-2"},l={key:1};const a={components:{Button:r(74640).Button},props:["index","resource","resourceName","resourceId","field"]};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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",i,["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"]])},89250:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i={key:1,class:"whitespace-nowrap"},l=["innerHTML"],a={key:3},n={key:1};var s=r(24767);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",a,"—")):((0,o.openBlock)(),(0,o.createElementBlock)("span",i,(0,o.toDisplayString)(e.fieldValue),1))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",n,"—"))],2)}],["__file","TextField.vue"]])},51466:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i=["innerHTML"],l={key:1,class:"whitespace-nowrap"},a=["href"],n={key:1};const s={mixins:[r(24767).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,i)):((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,a)]))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",n,"—"))],2)}],["__file","UrlField.vue"]])},35656:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(43032).default};const i=(0,r(66262).A)(o,[["__file","VaporAudioField.vue"]])},22104:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(48242).default};const i=(0,r(66262).A)(o,[["__file","VaporFileField.vue"]])},64087:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(7746).default,data:()=>({showActionDropdown:!1})};const i=(0,r(66262).A)(o,[["__file","HasOneField.vue"]])},3526:(e,t,r)=>{"use strict";r.d(t,{A:()=>n});var o=r(29726);const i={class:"py-6 px-1 md:px-2 lg:px-6"},l={class:"mx-auto py-8 max-w-sm flex justify-center"},a=Object.assign({name:"Auth"},{__name:"Auth",setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("AppLogo");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(r,{class:"h-8"})]),(0,o.renderSlot)(e.$slots,"default")])}});const n=(0,r(66262).A)(a,[["__file","Auth.vue"]])},28162:(e,t,r)=>{"use strict";r.d(t,{A:()=>l});var o=r(29726);const i=Object.assign({name:"Guest"},{__name:"Guest",setup:e=>(e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.renderSlot)(e.$slots,"default")]))});const l=(0,r(66262).A)(i,[["__file","Guest.vue"]])},36653:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(29726),i=r(28162);const l=Object.assign({name:"AppErrorPage",layout:i.A},{__name:"AppError",setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("CustomAppError");return(0,o.openBlock)(),(0,o.createBlock)(r)}});const a=(0,r(66262).A)(l,[["__file","AppError.vue"]])},35694:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(29726);var i=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,i.L)()})};const a=(0,r(66262).A)(l,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("AttachResource");return(0,o.openBlock)(),(0,o.createBlock)(n,{"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"]])},32987:(e,t,r)=>{"use strict";r.d(t,{A:()=>h});var o=r(29726);const i={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},a={class:"block mb-2"},n={class:"mb-6"},s=["placeholder"];var c=r(3526),d=r(74640);const u={layout:c.A,components:{Button:d.Button},data:()=>({form:Nova.form({password:""}),completed:!1}),methods:{async submit(){try{let{redirect:e}=await this.form.post(Nova.url("/user-security/confirm-password"));this.completed=!0;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."))}this.form.password="",this.$refs.passwordInput.focus()}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("Head"),p=(0,o.resolveComponent)("DividerLine"),m=(0,o.resolveComponent)("HelpText"),f=(0,o.resolveComponent)("Button");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(h,{title:e.__("Secure Area")},null,8,["title"]),(0,o.createElementVNode)("form",{onSubmit:t[1]||(t[1]=(0,o.withModifiers)(((...e)=>u.submit&&u.submit(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",i,(0,o.toDisplayString)(e.__("Secure Area")),1),(0,o.createVNode)(p),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("p",a,(0,o.toDisplayString)(e.__("This is a secure area of the application. Please confirm your password before continuing.")),1)]),(0,o.createElementVNode)("div",n,[(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=t=>e.form.password=t),ref:"passwordInput",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("password")}]),placeholder:e.__("Password"),type:"password",name:"password",required:"",autocomplete:"current-password",autofocus:""},null,10,s),[[o.vModelText,e.form.password]]),e.form.errors.has("password")?((0,o.openBlock)(),(0,o.createBlock)(m,{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.createVNode)(f,{class:"w-full flex justify-center",type:"submit",loading:e.form.processing,disabled:e.completed},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Confirm")),1)])),_:1},8,["loading","disabled"])],32)])}],["__file","ConfirmPassword.vue"]])},86796:(e,t,r)=>{"use strict";r.d(t,{A:()=>n});var o=r(29726),i=r(24767),l=r(3056);const a=Object.assign({name:"Create"},{__name:"Create",props:(0,i.rr)(["resourceName","viaResource","viaResourceId","viaRelationship"]),setup:e=>(e,t)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(l.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"]))});const n=(0,r(66262).A)(a,[["__file","Create.vue"]])},95008:(e,t,r)=>{"use strict";r.d(t,{A:()=>h});var o=r(29726);const i={key:0,class:"flex items-center"},l={key:1};var a=r(74640),n=r(30043);const s={components:{Icon:a.Icon},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,n.minimum)(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 c=r(66262);const d=(0,c.A)(s,[["render",function(e,t,r,a,n,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",i,[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,{name:"refresh",type:"mini",class:"!w-3 !h-3 text-gray-500 dark:text-gray-400"},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,dashboard:r.name,cards:e.cards},null,8,["dashboard","cards"])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["loading","dusk"])}],["__file","Dashboard.vue"]]),u=Object.assign({name:"Dashboard"},{__name:"Dashboard",props:{name:{type:String,required:!1,default:"main"}},setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(d),{name:e.name},null,8,["name"]))}),h=(0,c.A)(u,[["__file","Dashboard.vue"]])},46351:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(29726),i=r(24767);const l=Object.assign({name:"Detail"},{__name:"Detail",props:(0,i.rr)(["resourceName","resourceId"]),setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("ResourceDetail");return(0,o.openBlock)(),(0,o.createBlock)(r,{resourceName:e.resourceName,resourceId:e.resourceId,shouldOverrideMeta:!0,shouldEnableShortcut:!0},null,8,["resourceName","resourceId"])}});const a=(0,r(66262).A)(l,[["__file","Detail.vue"]])},48199:(e,t,r)=>{"use strict";r.d(t,{A:()=>d});var o=r(29726);const i={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},a={class:"block mb-2"};var n=r(3526),s=r(74640);const c={layout:n.A,components:{Button:s.Button},props:{status:{type:String}},data(){return{form:Nova.form({}),verificationStatus:this.status}},watch:{status(e){this.verificationStatus=e},verificationStatus(e){"verification-link-sent"===e&&Nova.$toasted.show(this.__("A new verification link has been sent to the email address you provided in your profile settings."),{duration:null,type:"success"})}},methods:{async submit(){let{status:e}=await this.form.post(Nova.url("/email/verification-notification"));this.verificationStatus=e}},computed:{completed(){return"verification-link-sent"===this.verificationStatus}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("Head"),u=(0,o.resolveComponent)("DividerLine"),h=(0,o.resolveComponent)("Button");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(d,{title:e.__("Email Verification")},null,8,["title"]),(0,o.createElementVNode)("form",{onSubmit:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>c.submit&&c.submit(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",i,(0,o.toDisplayString)(e.__("Email Verification")),1),(0,o.createVNode)(u),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("p",a,(0,o.toDisplayString)(e.__("Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.")),1)]),(0,o.createVNode)(h,{type:"submit",loading:s.form.processing,disabled:c.completed,class:"w-full flex justify-center"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Resend Verification Email")),1)])),_:1},8,["loading","disabled"])],32)])}],["__file","EmailVerification.vue"]])},17922:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(29726),i=r(28162);const l=Object.assign({name:"Error403Page",layout:i.A},{__name:"Error403",setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("CustomError403");return(0,o.openBlock)(),(0,o.createBlock)(r)}});const a=(0,r(66262).A)(l,[["__file","Error403.vue"]])},47873:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(29726),i=r(28162);const l=Object.assign({name:"Error404Page",layout:i.A},{__name:"Error404",setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("CustomError404");return(0,o.openBlock)(),(0,o.createBlock)(r)}});const a=(0,r(66262).A)(l,[["__file","Error404.vue"]])},75203:(e,t,r)=>{"use strict";r.d(t,{A:()=>d});var o=r(29726);const i={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},a={class:"block mb-2",for:"email"};var n=r(3526),s=r(74640);const c={layout:n.A,components:{Button:s.Button},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,n,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",i,(0,o.toDisplayString)(e.__("Forgot your password?")),1),(0,o.createVNode)(u),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("label",a,(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)(["w-full form-control form-input form-control-bordered",{"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"]])},85915:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(29726),i=r(24767);const l=Object.assign({name:"Index"},{__name:"Index",props:(0,i.rr)(["resourceName"]),setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(r,{resourceName:e.resourceName,shouldOverrideMeta:!0,shouldEnableShortcut:!0},null,8,["resourceName"])}});const a=(0,r(66262).A)(l,[["__file","Index.vue"]])},79714:(e,t,r)=>{"use strict";r.d(t,{A:()=>y});var o=r(29726),i=r(24767);const l={key:2,class:"flex items-center mb-6"};var a=r(53110),n=r(30043),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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?c(Object(r),!0).forEach((function(t){u(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):c(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function u(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const h={mixins:[i.k6,i.Tu,i.Nw,i.dn,i.Kx,i.Ye,i.XJ,i.IJ],name:"Lens",props:{lens:{type:String,required:!0},searchable:{type:Boolean,required:!0}},data:()=>({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,n.minimum)(Nova.request().get("/nova-api/"+this.resourceName+"/lens/"+this.lens,{params:this.resourceRequestQueryString,cancelToken:new a.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=Boolean(e.hasId),this.handleResourcesLoaded()})).catch((e=>{if(!(0,a.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 a.qm((e=>{this.actionCanceller=e}))}).then((e=>{this.actions=e.data.actions,this.pivotActions=e.data.pivotActions,this.resourceHasSoleActions=e.data.counts.sole>0,this.resourceHasActions=e.data.counts.resource>0})).catch((e=>{if(!(0,a.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,n.minimum)(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&&this.resourceHasId},lensActionEndpoint(){return`/nova-api/${this.resourceName}/lens/${this.lens}/action`},cardsEndpoint(){return`/nova-api/${this.resourceName}/lens/${this.lens}/cards`},canShowDeleteMenu(){return 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);const m=(0,p.A)(h,[["render",function(e,t,r,i,a,n){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"),f=(0,o.resolveComponent)("IndexEmptyDialog"),v=(0,o.resolveComponent)("ResourceTable"),g=(0,o.resolveComponent)("ResourcePagination"),y=(0,o.resolveComponent)("LoadingView"),b=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createBlock)(y,{loading:e.initialLoading,dusk:r.lens+"-lens-component"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{title:n.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)(n.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,modelValue:e.search,"onUpdate:modelValue":t[0]||(t[0]=t=>e.search=t)},null,8,["searchable","modelValue"])):(0,o.createCommentVNode)("",!0),e.availableStandaloneActions.length>0?((0,o.openBlock)(),(0,o.createBlock)(h,{key:1,onActionExecuted:t[1]||(t[1]=()=>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:n.lensActionEndpoint},null,8,["resource-name","actions","selected-resources","endpoint"])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(b,null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)(p,{"actions-endpoint":n.lensActionEndpoint,"action-query-string":n.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":n.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.shouldShowSelectAllCheckboxes,"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)(y,{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:n.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)(f,{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)(v,{"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":n.actionsAreAvailable,"actions-endpoint":n.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:n.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":n.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"]]);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 v(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const g=Object.assign({name:"Lens"},{__name:"Lens",props:function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?f(Object(r),!0).forEach((function(t){v(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):f(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({lens:{type:String,required:!0},searchable:{type:Boolean,default:!1}},(0,i.rr)(["resourceName"])),setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(m),{resourceName:t.resourceName,lens:e.lens,searchable:e.searchable},null,8,["resourceName","lens","searchable"]))}),y=(0,p.A)(g,[["__file","Lens.vue"]])},11017:(e,t,r)=>{"use strict";r.d(t,{A:()=>v});var o=r(29726);const i={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},a={class:"block mb-2",for:"username"},n=["type","name"],s={class:"mb-6"},c={class:"block mb-2",for:"password"},d={class:"flex mb-6"},u={key:0,class:"ml-auto"},h=["href","textContent"];var p=r(3526),m=r(74640);const f={name:"LoginPage",layout:p.A,components:{Checkbox:m.Checkbox,Button:m.Button},props:{username:{type:String,default:"email"},email:{type:String,default:"email"}},data(){return{form:Nova.form({[this.username]:"",password:"",remember:!1})}},methods:{async attempt(){try{const{redirect:e,two_factor:t}=await this.form.post(Nova.url("/login"));let r={url:Nova.url("/"),remote:!0};!0===t?r={url:Nova.url("/user-security/two-factor-challenge"),remote:!1}:null!=e&&(r={url:e,remote:!0}),Nova.visit(r)}catch(e){500===e.response?.status&&Nova.error(this.__("There was a problem submitting the form."))}}},computed:{usernameLabel(){return this.username===this.email?"Email Address":"Username"},usernameInputType(){return this.username===this.email?"email":"text"},supportsPasswordReset:()=>Nova.config("withPasswordReset"),forgotPasswordPath:()=>Nova.config("forgotPasswordPath")}};const v=(0,r(66262).A)(f,[["render",function(e,t,r,p,m,f){const v=(0,o.resolveComponent)("Head"),g=(0,o.resolveComponent)("DividerLine"),y=(0,o.resolveComponent)("HelpText"),b=(0,o.resolveComponent)("Checkbox"),k=(0,o.resolveComponent)("Link"),w=(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)=>f.attempt&&f.attempt(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 max-w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",i,(0,o.toDisplayString)(e.__("Welcome Back!")),1),(0,o.createVNode)(g),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("label",a,(0,o.toDisplayString)(e.__(f.usernameLabel)),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=e=>m.form[r.username]=e),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",{"form-control-bordered-error":m.form.errors.has(r.username)}]),id:"username",type:f.usernameInputType,name:r.username,autofocus:"",required:""},null,10,n),[[o.vModelDynamic,m.form[r.username]]]),m.form.errors.has(r.username)?((0,o.openBlock)(),(0,o.createBlock)(y,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(m.form.errors.first(r.username)),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",s,[(0,o.createElementVNode)("label",c,(0,o.toDisplayString)(e.__("Password")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[1]||(t[1]=e=>m.form.password=e),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",{"form-control-bordered-error":m.form.errors.has("password")}]),id:"password",type:"password",name:"password",required:""},null,2),[[o.vModelText,m.form.password]]),m.form.errors.has("password")?((0,o.openBlock)(),(0,o.createBlock)(y,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(m.form.errors.first("password")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",d,[(0,o.createVNode)(b,{onChange:t[2]||(t[2]=()=>m.form.remember=!m.form.remember),"model-value":m.form.remember,dusk:"remember-button",label:e.__("Remember me")},null,8,["model-value","label"]),f.supportsPasswordReset||!1!==f.forgotPasswordPath?((0,o.openBlock)(),(0,o.createElementBlock)("div",u,[!1===f.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:f.forgotPasswordPath,class:"text-gray-500 font-bold no-underline",textContent:(0,o.toDisplayString)(e.__("Forgot your password?"))},null,8,h))])):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(w,{class:"w-full flex justify-center",type:"submit",loading:m.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"]])},73464:(e,t,r)=>{"use strict";r.d(t,{A:()=>n});var o=r(29726),i=r(24767),l=r(3056);const a=Object.assign({name:"Replicate",extends:l.A},{__name:"Replicate",props:(0,i.rr)(["resourceName","resourceId"]),setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("CreateForm");return(0,o.openBlock)(),(0,o.createBlock)(r,{mode:"form","resource-name":e.resourceName,"from-resource-id":e.resourceId,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"should-override-meta":"","form-unique-id":e.formUniqueId,onResourceCreated:e.handleResourceCreated,onCreateCancelled:e.cancelCreatingResource,onUpdateFormStatus:e.onUpdateFormStatus},null,8,["resource-name","from-resource-id","via-resource","via-resource-id","via-relationship","form-unique-id","onResourceCreated","onCreateCancelled","onUpdateFormStatus"])}});const n=(0,r(66262).A)(a,[["__file","Replicate.vue"]])},74234:(e,t,r)=>{"use strict";r.d(t,{A:()=>g});var o=r(29726),i=r(3526),l=r(74640),a=r(12215),n=r.n(a),s=r(65835);const c={class:"text-2xl text-center font-normal mb-6"},d={class:"mb-6"},u={class:"block mb-2",for:"email"},h={class:"mb-6"},p={class:"block mb-2",for:"password"},m={class:"mb-6"},f={class:"block mb-2",for:"password_confirmation"},v=Object.assign({layout:i.A},{__name:"ResetPassword",props:{email:{type:String,required:!1},token:{type:String,required:!0}},setup(e){const t=e,r=(0,o.reactive)(Nova.form({email:t.email,password:"",password_confirmation:"",token:t.token})),{__:i}=(0,s.B)();async function a(){const{message:e}=await r.post(Nova.url("/password/reset")),t={url:Nova.url("/"),remote:!0};n().set("token",Math.random().toString(36),{expires:365}),Nova.$toasted.show(e,{action:{onClick:()=>Nova.visit(t),text:i("Reload")},duration:null,type:"success"}),setTimeout((()=>Nova.visit(t)),5e3)}return(e,t)=>{const n=(0,o.resolveComponent)("Head"),s=(0,o.resolveComponent)("DividerLine"),v=(0,o.resolveComponent)("HelpText");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(n,{title:(0,o.unref)(i)("Reset Password")},null,8,["title"]),(0,o.createElementVNode)("form",{onSubmit:(0,o.withModifiers)(a,["prevent"]),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",c,(0,o.toDisplayString)((0,o.unref)(i)("Reset Password")),1),(0,o.createVNode)(s),(0,o.createElementVNode)("div",d,[(0,o.createElementVNode)("label",u,(0,o.toDisplayString)((0,o.unref)(i)("Email Address")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=e=>r.email=e),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",{"form-control-bordered-error":r.errors.has("email")}]),id:"email",type:"email",name:"email",required:"",autofocus:""},null,2),[[o.vModelText,r.email]]),r.errors.has("email")?((0,o.openBlock)(),(0,o.createBlock)(v,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.errors.first("email")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",h,[(0,o.createElementVNode)("label",p,(0,o.toDisplayString)((0,o.unref)(i)("Password")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[1]||(t[1]=e=>r.password=e),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",{"form-control-bordered-error":r.errors.has("password")}]),id:"password",type:"password",name:"password",required:""},null,2),[[o.vModelText,r.password]]),r.errors.has("password")?((0,o.openBlock)(),(0,o.createBlock)(v,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.errors.first("password")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",m,[(0,o.createElementVNode)("label",f,(0,o.toDisplayString)((0,o.unref)(i)("Confirm Password")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[2]||(t[2]=e=>r.password_confirmation=e),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",{"form-control-bordered-error":r.errors.has("password_confirmation")}]),id:"password_confirmation",type:"password",name:"password_confirmation",required:""},null,2),[[o.vModelText,r.password_confirmation]]),r.errors.has("password_confirmation")?((0,o.openBlock)(),(0,o.createBlock)(v,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.errors.first("password_confirmation")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)((0,o.unref)(l.Button),{class:"w-full flex justify-center",type:"submit",loading:r.processing},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)((0,o.unref)(i)("Reset Password")),1)])),_:1},8,["loading"])],32)])}}});const g=(0,r(66262).A)(v,[["__file","ResetPassword.vue"]])},19791:(e,t,r)=>{"use strict";r.d(t,{A:()=>v});var o=r(29726);const i={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},a={class:"block mb-2"},n={key:0,class:"mb-6"},s={class:"block mb-2",for:"code"},c={key:1,class:"mb-6"},d={class:"block mb-2",for:"recovery_code"},u={class:"flex mb-6"},h={class:"ml-auto"};var p=r(3526),m=r(74640);const f={layout:p.A,components:{Button:m.Button},data:()=>({form:Nova.form({code:"",recovery_code:""}),recovery:!1,completed:!1}),watch:{recovery(e){this.$nextTick((()=>{e?(this.$refs.recoveryCodeInput.focus(),this.form.code=""):(this.$refs.codeInput.focus(),this.form.recovery_code="")}))}},methods:{async attempt(){try{const{redirect:e}=await this.form.post(Nova.url("/user-security/two-factor-challenge"));this.completed=!0;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."))}},async toggleRecovery(){this.recovery^=!0}}};const v=(0,r(66262).A)(f,[["render",function(e,t,r,p,m,f){const v=(0,o.resolveComponent)("Head"),g=(0,o.resolveComponent)("DividerLine"),y=(0,o.resolveComponent)("HelpText"),b=(0,o.resolveComponent)("Button");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(v,{title:e.__("Two-factor Confirmation")},null,8,["title"]),(0,o.createElementVNode)("form",{onSubmit:t[2]||(t[2]=(0,o.withModifiers)(((...e)=>f.attempt&&f.attempt(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",i,(0,o.toDisplayString)(e.__("Two-factor Confirmation")),1),(0,o.createVNode)(g),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("p",a,(0,o.toDisplayString)(e.__(e.recovery?"Please confirm access to your account by entering one of your emergency recovery codes.":"Please confirm access to your account by entering the authentication code provided by your authenticator application.")),1)]),e.recovery?((0,o.openBlock)(),(0,o.createElementBlock)("div",c,[(0,o.createElementVNode)("label",d,(0,o.toDisplayString)(e.__("Recovery Code")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{ref:"recoveryCodeInput","onUpdate:modelValue":t[1]||(t[1]=t=>e.form.recovery_code=t),id:"recovery_code",type:"text",name:"recovery_code",autocomplete:"one-time-code",autofocus:"",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("code")}])},null,2),[[o.vModelText,e.form.recovery_code]]),e.form.errors.has("recovery_code")?((0,o.openBlock)(),(0,o.createBlock)(y,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.form.errors.first("recovery_code")),1)])),_:1})):(0,o.createCommentVNode)("",!0)])):((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("label",s,(0,o.toDisplayString)(e.__("Code")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{ref:"codeInput","onUpdate:modelValue":t[0]||(t[0]=t=>e.form.code=t),id:"code",type:"text",name:"code",inputmode:"numeric",autocomplete:"one-time-code",autofocus:"",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("code")}])},null,2),[[o.vModelText,e.form.code]]),e.form.errors.has("code")?((0,o.openBlock)(),(0,o.createBlock)(y,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.form.errors.first("code")),1)])),_:1})):(0,o.createCommentVNode)("",!0)])),(0,o.createElementVNode)("div",u,[(0,o.createElementVNode)("div",h,[(0,o.createVNode)(b,{type:"button",variant:"ghost",onClick:(0,o.withModifiers)(f.toggleRecovery,["prevent"]),class:"text-gray-500 font-bold no-underline"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__(e.recovery?"Use a recovery code":"Use an authentication code")),1)])),_:1},8,["onClick"])])]),(0,o.createVNode)(b,{loading:e.form.processing,disabled:e.completed,type:"submit",class:"w-full flex justify-center"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Log In")),1)])),_:1},8,["loading","disabled"])],32)])}],["__file","TwoFactorChallenge.vue"]])},59856:(e,t,r)=>{"use strict";r.d(t,{A:()=>k});var o=r(29726);const i=["data-form-unique-id"],l={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 n=r(74640),s=r(24767),c=r(66278),d=r(15101),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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?h(Object(r),!0).forEach((function(t){m(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):h(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function m(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const f={components:{Button:n.Button},mixins:[s.B5,s.qR,s.Ye,s.rd],provide(){return{removeFile:this.removeFile}},props:(0,s.rr)(["resourceName","resourceId","viaResource","viaResourceId","viaRelationship"]),data:()=>({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()},methods:p(p({},(0,c.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,await this.updateResource()},async submitViaUpdateResourceAndContinueEditing(e){e.preventDefault(),this.submittedViaUpdateResourceAndContinueEditing=!0,this.submittedViaUpdateResource=!1,await this.updateResource()},cancelUpdatingResource(){this.handleProceedingToPreviousPage(),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.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=>{Object.values(this.panels).forEach((t=>{Object.values(t.fields).forEach((t=>{t.fill(e)}))})),e.append("_method","PUT"),e.append("_retrieved_at",this.lastRetrievedAt)}))},updateLastRetrievedAtTimestamp(){this.lastRetrievedAt=Math.floor((new Date).getTime()/1e3)},onUpdateFormStatus(){}}),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 v=r(66262);const g=(0,v.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",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,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,i)):(0,o.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","Update.vue"]]);var y=r(25542);const b=Object.assign({name:"Update"},{__name:"Update",props:(0,s.rr)(["resourceName","resourceId","viaResource","viaResourceId","viaRelationship"]),setup(e){const t=(0,y.L)();return(e,r)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(g),{"resource-name":e.resourceName,"resource-id":e.resourceId,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"form-unique-id":(0,o.unref)(t)},null,8,["resource-name","resource-id","via-resource","via-resource-id","via-relationship","form-unique-id"]))}}),k=(0,v.A)(b,[["__file","Update.vue"]])},96731:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(29726),i=r(25542);const l=Object.assign({name:"UpdateAttached"},{__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}},setup(e){const t=(0,i.L)();return(r,i)=>{const l=(0,o.resolveComponent)("UpdateAttachedResource");return(0,o.openBlock)(),(0,o.createBlock)(l,{"resource-name":e.resourceName,"resource-id":e.resourceId,"related-resource-name":e.relatedResourceName,"related-resource-id":e.relatedResourceId,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"parent-resource":e.parentResource,"via-relationship":e.viaRelationship,"via-pivot-id":e.viaPivotId,polymorphic:e.polymorphic,"form-unique-id":(0,o.unref)(t)},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"])}}});const a=(0,r(66262).A)(l,[["__file","UpdateAttached.vue"]])},99962:(e,t,r)=>{"use strict";r.d(t,{A:()=>n});var o=r(29726);const i={class:"max-w-7xl mx-auto py-10 sm:px-6 lg:px-8"},l={class:"mb-10"},a=Object.assign({name:"UserSecurity"},{__name:"UserSecurity",props:{options:{type:Object,required:!0},user:{type:Object,required:!0}},setup(e){const t=(0,o.computed)((()=>Nova.config("fortifyFeatures")));return(r,a)=>{const n=(0,o.resolveComponent)("Head"),s=(0,o.resolveComponent)("Heading"),c=(0,o.resolveComponent)("UserSecurityUpdatePasswords"),d=(0,o.resolveComponent)("DividerLine"),u=(0,o.resolveComponent)("UserSecurityTwoFactorAuthentication");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createVNode)(n,{title:r.__("User Security")},null,8,["title"]),(0,o.createElementVNode)("div",l,[(0,o.createVNode)(s,{level:1,textContent:(0,o.toDisplayString)(r.__("User Security"))},null,8,["textContent"])]),(0,o.createElementVNode)("div",null,[t.value.includes("update-passwords")?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,user:e.user},null,8,["user"])):(0,o.createCommentVNode)("",!0),t.value.includes("update-passwords")&&t.value.includes("two-factor-authentication")?((0,o.openBlock)(),(0,o.createBlock)(d,{key:1})):(0,o.createCommentVNode)("",!0),t.value.includes("two-factor-authentication")?((0,o.openBlock)(),(0,o.createBlock)(u,{key:2,options:e.options["two-factor-authentication"]??{},user:e.user},null,8,["options","user"])):(0,o.createCommentVNode)("",!0)])])}}});const n=(0,r(66262).A)(a,[["__file","UserSecurity.vue"]])},3056:(e,t,r)=>{"use strict";r.d(t,{A:()=>c});var o=r(29726);var i=r(24767),l=r(25542);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 n(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))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:[i.rd,i.Uf],provide(){return{removeFile:this.removeFile}},props:function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?a(Object(r),!0).forEach((function(t){n(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):a(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({mode:{type:String,default:"form",validator:e=>["modal","form"].includes(e)}},(0,i.rr)(["resourceName","viaResource","viaResourceId","viaRelationship"])),data:()=>({formUniqueId:(0,l.L)()}),methods:{handleResourceCreated({redirect:e,id:t}){return"form"!==this.mode&&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()},cancelCreatingResource(){return"form"===this.mode?(this.handleProceedingToPreviousPage(),void this.proceedToPreviousPage(this.isRelation?`/resources/${this.viaResource}/${this.viaResourceId}`:`/resources/${this.resourceName}`)):(this.allowLeavingModal(),this.$emit("create-cancelled"))},onUpdateFormStatus(){"form"!==this.mode&&this.updateModalStatus()},removeFile(e){}},computed:{isRelation(){return Boolean(this.viaResourceId&&this.viaRelationship)}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("CreateForm");return(0,o.openBlock)(),(0,o.createBlock)(n,{onResourceCreated:a.handleResourceCreated,onResourceCreatedAndAddingAnother:a.handleResourceCreatedAndAddingAnother,onCreateCancelled:a.cancelCreatingResource,mode:r.mode,"resource-name":e.resourceName,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,onUpdateFormStatus:a.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":65215,"./AppLogo.vue":72172,"./Avatar.vue":39383,"./Backdrop.vue":62953,"./Badges/Badge.vue":57091,"./Badges/CircleBadge.vue":82958,"./BooleanOption.vue":95564,"./Buttons/CopyButton.vue":1780,"./Buttons/InertiaButton.vue":77518,"./Buttons/InvertedButton.vue":23105,"./Card.vue":61070,"./CardWrapper.vue":40506,"./Cards.vue":90581,"./Cards/HelpCard.vue":29433,"./Checkbox.vue":63136,"./CheckboxWithLabel.vue":35893,"./CollapseButton.vue":65764,"./ConfirmsPassword.vue":96813,"./Controls/MultiSelectControl.vue":89042,"./Controls/SelectControl.vue":99138,"./CreateForm.vue":72522,"./CreateResourceButton.vue":76037,"./DefaultField.vue":57199,"./DeleteMenu.vue":52613,"./DividerLine.vue":71786,"./DropZone/DropZone.vue":28213,"./DropZone/FilePreviewBlock.vue":84547,"./DropZone/SingleDropZone.vue":80636,"./Dropdowns/ActionDropdown.vue":46644,"./Dropdowns/DetailActionDropdown.vue":30013,"./Dropdowns/Dropdown.vue":36663,"./Dropdowns/DropdownMenu.vue":41600,"./Dropdowns/DropdownMenuHeading.vue":84787,"./Dropdowns/DropdownMenuItem.vue":73020,"./Dropdowns/InlineActionDropdown.vue":58909,"./Dropdowns/SelectAllDropdown.vue":81518,"./Dropdowns/ThemeDropdown.vue":32657,"./Excerpt.vue":30422,"./FadeTransition.vue":27284,"./FieldWrapper.vue":46854,"./FilterMenu.vue":15604,"./Filters/BooleanFilter.vue":10255,"./Filters/DateFilter.vue":2891,"./Filters/FilterContainer.vue":56138,"./Filters/SelectFilter.vue":84183,"./FormButton.vue":81433,"./FormLabel.vue":62415,"./GlobalSearch.vue":36623,"./Heading.vue":13750,"./HelpText.vue":91303,"./HelpTextTooltip.vue":6491,"./Icons/CopyIcon.vue":92407,"./Icons/Editor/IconBold.vue":74960,"./Icons/Editor/IconFullScreen.vue":76825,"./Icons/Editor/IconImage.vue":57404,"./Icons/Editor/IconItalic.vue":87446,"./Icons/Editor/IconLink.vue":48309,"./Icons/ErrorPageIcon.vue":49467,"./Icons/IconArrow.vue":21449,"./Icons/IconBoolean.vue":16018,"./Icons/IconBooleanOption.vue":18711,"./Icons/Loader.vue":47833,"./ImageLoader.vue":12617,"./IndexEmptyDialog.vue":73289,"./IndexErrorDialog.vue":96735,"./Inputs/CharacterCounter.vue":87853,"./Inputs/ComboBoxInput.vue":36706,"./Inputs/IndexSearchInput.vue":26762,"./Inputs/RoundInput.vue":40902,"./Inputs/SearchInput.vue":21760,"./Inputs/SearchInputResult.vue":76402,"./LensSelector.vue":24511,"./LicenseWarning.vue":99820,"./LoadingCard.vue":89204,"./LoadingView.vue":5983,"./Markdown/MarkdownEditor.vue":1085,"./Markdown/MarkdownEditorToolbar.vue":24143,"./Menu/Breadcrumbs.vue":25787,"./Menu/MainMenu.vue":43134,"./Menu/MenuGroup.vue":16839,"./Menu/MenuItem.vue":12899,"./Menu/MenuList.vue":21081,"./Menu/MenuSection.vue":84372,"./Metrics/Base/BasePartitionMetric.vue":29033,"./Metrics/Base/BaseProgressMetric.vue":39157,"./Metrics/Base/BaseTrendMetric.vue":28104,"./Metrics/Base/BaseValueMetric.vue":32983,"./Metrics/MetricTableRow.vue":99543,"./Metrics/PartitionMetric.vue":64903,"./Metrics/ProgressMetric.vue":98825,"./Metrics/TableMetric.vue":33796,"./Metrics/TrendMetric.vue":1740,"./Metrics/ValueMetric.vue":58937,"./MobileUserMenu.vue":61462,"./Modals/ConfirmActionModal.vue":75713,"./Modals/ConfirmUploadRemovalModal.vue":48619,"./Modals/ConfirmsPasswordModal.vue":80245,"./Modals/CreateRelationModal.vue":6347,"./Modals/DeleteResourceModal.vue":24916,"./Modals/Modal.vue":41488,"./Modals/ModalContent.vue":23772,"./Modals/ModalFooter.vue":51434,"./Modals/ModalHeader.vue":62532,"./Modals/PreviewResourceModal.vue":22308,"./Modals/RestoreResourceModal.vue":71368,"./Notifications/MessageNotification.vue":14197,"./Notifications/NotificationCenter.vue":70261,"./Notifications/NotificationList.vue":15001,"./Pagination/PaginationLinks.vue":84661,"./Pagination/PaginationLoadMore.vue":55623,"./Pagination/PaginationSimple.vue":9320,"./Pagination/ResourcePagination.vue":75268,"./PanelItem.vue":57228,"./PassthroughLogo.vue":29627,"./ProgressBar.vue":5112,"./RelationPeek.vue":84227,"./Repeater/RepeaterRow.vue":34324,"./ResourceTable.vue":55293,"./ResourceTableHeader.vue":50101,"./ResourceTableRow.vue":79344,"./ResourceTableToolbar.vue":15404,"./ScrollWrap.vue":96279,"./SortableIcon.vue":33025,"./Tags/TagGroup.vue":19078,"./Tags/TagGroupItem.vue":40229,"./Tags/TagList.vue":17039,"./Tags/TagListItem.vue":99973,"./Tooltip.vue":69793,"./TooltipContent.vue":18384,"./TrashedCheckbox.vue":25882,"./Trix.vue":46199,"./UserMenu.vue":60465,"./UserSecurity/UserSecurityTwoFactorAuthentication.vue":21073,"./UserSecurity/UserSecurityUpdatePasswords.vue":31465};function i(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]}i.keys=function(){return Object.keys(o)},i.resolve=l,e.exports=i,i.id=60630},11079:(e,t,r)=>{var o={"./AudioField.vue":2202,"./BadgeField.vue":77421,"./BelongsToField.vue":71818,"./BelongsToManyField.vue":40441,"./BooleanField.vue":3001,"./BooleanGroupField.vue":35336,"./CodeField.vue":35480,"./ColorField.vue":12310,"./CurrencyField.vue":43175,"./DateField.vue":46960,"./DateTimeField.vue":74405,"./EmailField.vue":69556,"./FileField.vue":92048,"./HasManyField.vue":87331,"./HasManyThroughField.vue":71819,"./HasOneField.vue":7746,"./HasOneThroughField.vue":8588,"./HeadingField.vue":26949,"./HiddenField.vue":41968,"./IdField.vue":13699,"./KeyValueField.vue":16979,"./MarkdownField.vue":21199,"./MorphToActionTargetField.vue":50769,"./MorphToField.vue":18318,"./MorphToManyField.vue":2981,"./MultiSelectField.vue":89535,"./Panel.vue":73437,"./PasswordField.vue":16181,"./RelationshipPanel.vue":63726,"./RepeaterField.vue":22092,"./SelectField.vue":89032,"./SlugField.vue":79175,"./SparklineField.vue":71788,"./StackField.vue":58403,"./StatusField.vue":12136,"./TabsPanel.vue":91167,"./TagField.vue":82141,"./TextField.vue":21738,"./TextareaField.vue":29765,"./TrixField.vue":96134,"./UrlField.vue":69928,"./VaporAudioField.vue":92135,"./VaporFileField.vue":57562};function i(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]}i.keys=function(){return Object.keys(o)},i.resolve=l,e.exports=i,i.id=11079},77978:(e,t,r)=>{var o={"./BelongsToField.vue":53941,"./BooleanField.vue":43460,"./BooleanGroupField.vue":28514,"./DateField.vue":78430,"./DateTimeField.vue":94299,"./EloquentField.vue":83240,"./EmailField.vue":34245,"./MorphToField.vue":86951,"./MultiSelectField.vue":33011,"./NumberField.vue":72482,"./SelectField.vue":71595,"./TextField.vue":85645};function i(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]}i.keys=function(){return Object.keys(o)},i.resolve=l,e.exports=i,i.id=77978},67970:(e,t,r)=>{var o={"./AudioField.vue":77054,"./BelongsToField.vue":59008,"./BooleanField.vue":36938,"./BooleanGroupField.vue":6461,"./CodeField.vue":35071,"./ColorField.vue":3210,"./CurrencyField.vue":72366,"./DateField.vue":18166,"./DateTimeField.vue":23019,"./EmailField.vue":6292,"./FileField.vue":22988,"./HasOneField.vue":58116,"./HeadingField.vue":79899,"./HiddenField.vue":6970,"./KeyValueField.vue":18053,"./KeyValueHeader.vue":99682,"./KeyValueItem.vue":78778,"./KeyValueTable.vue":83420,"./MarkdownField.vue":34583,"./MorphToField.vue":28920,"./MultiSelectField.vue":6629,"./Panel.vue":82437,"./PasswordField.vue":98755,"./RelationshipPanel.vue":52568,"./RepeaterField.vue":7275,"./SelectField.vue":98445,"./SlugField.vue":60674,"./StatusField.vue":24652,"./TabsPanel.vue":19736,"./TagField.vue":98007,"./TextField.vue":82942,"./TextareaField.vue":75649,"./TrixField.vue":98385,"./UrlField.vue":8981,"./VaporAudioField.vue":16192,"./VaporFileField.vue":50531};function i(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]}i.keys=function(){return Object.keys(o)},i.resolve=l,e.exports=i,i.id=67970},49020:(e,t,r)=>{var o={"./AudioField.vue":43032,"./BadgeField.vue":51086,"./BelongsToField.vue":99723,"./BooleanField.vue":95915,"./BooleanGroupField.vue":55371,"./ColorField.vue":84706,"./CurrencyField.vue":41129,"./DateField.vue":81871,"./DateTimeField.vue":9952,"./EmailField.vue":13785,"./FileField.vue":48242,"./HeadingField.vue":81173,"./HiddenField.vue":76439,"./IdField.vue":21451,"./LineField.vue":24549,"./MorphToActionTargetField.vue":25736,"./MorphToField.vue":59219,"./MultiSelectField.vue":8947,"./PasswordField.vue":46750,"./SelectField.vue":61775,"./SlugField.vue":42212,"./SparklineField.vue":46086,"./StackField.vue":95328,"./StatusField.vue":7187,"./TagField.vue":25565,"./TextField.vue":89250,"./UrlField.vue":51466,"./VaporAudioField.vue":35656,"./VaporFileField.vue":22104};function i(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]}i.keys=function(){return Object.keys(o)},i.resolve=l,e.exports=i,i.id=49020},87092:(e,t,r)=>{var o={"./HasOneField.vue":64087};function i(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]}i.keys=function(){return Object.keys(o)},i.resolve=l,e.exports=i,i.id=87092},74640:e=>{"use strict";e.exports=LaravelNovaUi},42634:()=>{}},e=>{var t=t=>e(e.s=t);e.O(0,[524,332],(()=>(t(8862),t(43478))));e.O()}]);
\ No newline at end of file
+(self.webpackChunklaravel_nova=self.webpackChunklaravel_nova||[]).push([[895],{12327:(e,t,r)=>{"use strict";var o=r(15542),i=r(50436),l=r(94335);function a(){const e=l.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(l.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(null!=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 n=r(15237),s=r.n(n);r(47216),r(16792),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);var c=r(59977);r(38221);var d=r(73333),u=r(13152),p=r.n(u);function h(e){return e&&(e=e.replace("_","-"),Object.values(p()).forEach((t=>{let r=t.languageTag;e!==r&&e!==r.substr(0,2)||d.A.registerLanguage(t)})),d.A.setLanguage(e)),d.A.setDefaults({thousandSeparated:!0}),d.A}var m=r(83488),f=r.n(m),v=r(71086),g=r.n(v);var y=r(29726),b=r(403),k=r(84058),w=r.n(k),C=r(55808),x=r.n(C);const N={class:"text-2xl"},B={class:"text-lg leading-normal"};const S={class:"flex justify-center h-screen"},V=["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"},E={class:"md:w-[20rem] md:shrink-0 space-y-2 md:space-y-4"},_=Object.assign({name:"ErrorLayout"},{__name:"ErrorLayout",props:{status:{type:String,default:"403"}},setup:e=>(t,r)=>{const o=(0,y.resolveComponent)("ErrorPageIcon"),i=(0,y.resolveComponent)("Link");return(0,y.openBlock)(),(0,y.createElementBlock)("div",S,[(0,y.createElementVNode)("div",{class:"z-50 flex items-center justify-center p-6",dusk:`${e.status}-error-page`},[(0,y.createElementVNode)("div",R,[(0,y.createVNode)(o,{class:"shrink-0 md:w-[20rem]"}),(0,y.createElementVNode)("div",E,[(0,y.renderSlot)(t.$slots,"default"),(0,y.createVNode)(i,{href:t.$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,y.withCtx)((()=>[(0,y.createTextVNode)((0,y.toDisplayString)(t.__("Go Home")),1)])),_:1},8,["href"])])])],8,V)])}});var O=r(66262);const F=(0,O.A)(_,[["__file","ErrorLayout.vue"]]),D={components:{ErrorLayout:F}},A=(0,O.A)(D,[["render",function(e,t,r,o,i,l){const a=(0,y.resolveComponent)("Head"),n=(0,y.resolveComponent)("ErrorLayout");return(0,y.openBlock)(),(0,y.createBlock)(n,{status:"404"},{default:(0,y.withCtx)((()=>[(0,y.createVNode)(a,{title:"Page Not Found"}),t[0]||(t[0]=(0,y.createElementVNode)("h1",{class:"text-[5rem] md:text-[4rem] font-normal leading-none"},"404",-1)),(0,y.createElementVNode)("p",N,(0,y.toDisplayString)(e.__("Whoops"))+"…",1),(0,y.createElementVNode)("p",B,(0,y.toDisplayString)(e.__("We're lost in space. The page you were trying to view does not exist.")),1)])),_:1})}],["__file","CustomError404.vue"]]),P={class:"text-2xl"},T={class:"text-lg leading-normal"};const I={components:{ErrorLayout:F}},M=(0,O.A)(I,[["render",function(e,t,r,o,i,l){const a=(0,y.resolveComponent)("Head"),n=(0,y.resolveComponent)("ErrorLayout");return(0,y.openBlock)(),(0,y.createBlock)(n,{status:"403"},{default:(0,y.withCtx)((()=>[(0,y.createVNode)(a,{title:"Forbidden"}),t[0]||(t[0]=(0,y.createElementVNode)("h1",{class:"text-[5rem] md:text-[4rem] font-normal leading-none"},"403",-1)),(0,y.createElementVNode)("p",P,(0,y.toDisplayString)(e.__("Hold Up!")),1),(0,y.createElementVNode)("p",T,(0,y.toDisplayString)(e.__("The government won't let us show you what's behind these doors"))+"… ",1)])),_:1})}],["__file","CustomError403.vue"]]),j={class:"text-[5rem] md:text-[4rem] font-normal leading-none"},$={class:"text-2xl"},z={class:"text-lg leading-normal"};const L={components:{ErrorLayout:F}},U=(0,O.A)(L,[["render",function(e,t,r,o,i,l){const a=(0,y.resolveComponent)("Head"),n=(0,y.resolveComponent)("ErrorLayout");return(0,y.openBlock)(),(0,y.createBlock)(n,null,{default:(0,y.withCtx)((()=>[(0,y.createVNode)(a,{title:"Error"}),(0,y.createElementVNode)("h1",j,(0,y.toDisplayString)(e.__(":-(")),1),(0,y.createElementVNode)("p",$,(0,y.toDisplayString)(e.__("Whoops"))+"…",1),(0,y.createElementVNode)("p",z,(0,y.toDisplayString)(e.__("Nova experienced an unrecoverable error.")),1)])),_:1})}],["__file","CustomAppError.vue"]]),q=["innerHTML"],H=["aria-label","aria-expanded"],K={class:"flex gap-2 mb-6"},W={key:1,class:"inline-flex items-center gap-2 ml-auto"};var G=r(53110),Q=r(35229),Z=r(30043),J=r(66278);function Y(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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?Y(Object(r),!0).forEach((function(t){ee(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):Y(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function ee(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const te={name:"ResourceIndex",mixins:[Q.pJ,Q.Tu,Q.k6,Q.Nw,Q.dn,Q.vS,Q.Kx,Q.Ye,Q.XJ,Q.IJ],props:{shouldOverrideMeta:{type:Boolean,default:!1},shouldEnableShortcut:{type:Boolean,default:!1}},data:()=>({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:X(X({},(0,J.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,Z.minimum)(Nova.request().get("/nova-api/"+this.resourceName,{params:this.resourceRequestQueryString,cancelToken:new G.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,G.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 G.qm((e=>{this.actionCanceller=e}))}).then((e=>{this.actions=e.data.actions,this.pivotActions=e.data.pivotActions,this.resourceHasSoleActions=e.data.counts.sole>0,this.resourceHasActions=e.data.counts.resource>0})).catch((e=>{if(!(0,G.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,Z.minimum)(Nova.request().get("/nova-api/"+this.resourceName,{params:X(X({},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?"&nbsp;":this.isRelation&&this.field?this.field.name:null!==this.resourceResponse?this.resourceResponse.label:this.resourceInformation.label}}},re=(0,O.A)(te,[["render",function(e,t,r,o,i,l){const a=(0,y.resolveComponent)("Head"),n=(0,y.resolveComponent)("Cards"),s=(0,y.resolveComponent)("CollapseButton"),c=(0,y.resolveComponent)("Heading"),d=(0,y.resolveComponent)("IndexSearchInput"),u=(0,y.resolveComponent)("ActionDropdown"),p=(0,y.resolveComponent)("CreateResourceButton"),h=(0,y.resolveComponent)("ResourceTableToolbar"),m=(0,y.resolveComponent)("IndexErrorDialog"),f=(0,y.resolveComponent)("IndexEmptyDialog"),v=(0,y.resolveComponent)("ResourceTable"),g=(0,y.resolveComponent)("ResourcePagination"),b=(0,y.resolveComponent)("LoadingView"),k=(0,y.resolveComponent)("Card");return(0,y.openBlock)(),(0,y.createBlock)(b,{loading:e.initialLoading,dusk:e.resourceName+"-index-component","data-relationship":e.viaRelationship},{default:(0,y.withCtx)((()=>[r.shouldOverrideMeta&&e.resourceInformation?((0,y.openBlock)(),(0,y.createBlock)(a,{key:0,title:e.__(`${e.resourceInformation.label}`)},null,8,["title"])):(0,y.createCommentVNode)("",!0),e.shouldShowCards?((0,y.openBlock)(),(0,y.createBlock)(n,{key:1,cards:e.cards,"resource-name":e.resourceName},null,8,["cards","resource-name"])):(0,y.createCommentVNode)("",!0),(0,y.createVNode)(c,{level:1,class:(0,y.normalizeClass)(["mb-3 flex items-center",{"mt-6":e.shouldShowCards&&e.cards.length>0}]),dusk:"index-heading"},{default:(0,y.withCtx)((()=>[(0,y.createElementVNode)("span",{innerHTML:l.headingTitle},null,8,q),!e.loading&&e.viaRelationship?((0,y.openBlock)(),(0,y.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,y.createVNode)(s,{collapsed:l.shouldBeCollapsed},null,8,["collapsed"])],8,H)):(0,y.createCommentVNode)("",!0)])),_:1},8,["class"]),l.shouldBeCollapsed?(0,y.createCommentVNode)("",!0):((0,y.openBlock)(),(0,y.createElementBlock)(y.Fragment,{key:2},[(0,y.createElementVNode)("div",K,[e.resourceInformation&&e.resourceInformation.searchable?((0,y.openBlock)(),(0,y.createBlock)(d,{key:0,searchable:e.resourceInformation&&e.resourceInformation.searchable,modelValue:e.search,"onUpdate:modelValue":t[1]||(t[1]=t=>e.search=t)},null,8,["searchable","modelValue"])):(0,y.createCommentVNode)("",!0),e.availableStandaloneActions.length>0||e.authorizedToCreate||e.authorizedToRelate?((0,y.openBlock)(),(0,y.createElementBlock)("div",W,[e.availableStandaloneActions.length>0?((0,y.openBlock)(),(0,y.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,y.createCommentVNode)("",!0),(0,y.createVNode)(p,{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,y.createCommentVNode)("",!0)]),(0,y.createVNode)(k,null,{default:(0,y.withCtx)((()=>[(0,y.createVNode)(h,{"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.shouldShowSelectAllCheckboxes,"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,y.createVNode)(b,{loading:e.loading,variant:e.resourceResponse?"overlay":"default"},{default:(0,y.withCtx)((()=>[null!=e.resourceResponseError?((0,y.openBlock)(),(0,y.createBlock)(m,{key:0,resource:e.resourceInformation,onClick:l.getResources},null,8,["resource","onClick"])):((0,y.openBlock)(),(0,y.createElementBlock)(y.Fragment,{key:1},[e.loading||e.resources.length?(0,y.createCommentVNode)("",!0):((0,y.openBlock)(),(0,y.createBlock)(f,{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,y.createVNode)(v,{"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,y.openBlock)(),(0,y.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,y.createCommentVNode)("",!0)],64))])),_:1},8,["loading","variant"])])),_:1})],64))])),_:1},8,["loading","dusk","data-relationship"])}],["__file","Index.vue"]]),oe={key:1},ie=["dusk"],le={key:0,class:"md:flex items-center mb-3"},ae={class:"flex flex-auto truncate items-center"},ne={class:"ml-auto flex items-center"};var se=r(74640);function ce(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 de(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?ce(Object(r),!0).forEach((function(t){ue(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):ce(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function ue(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const pe={components:{Button:se.Button},mixins:[Q.k6,Q.Ye],props:de({shouldOverrideMeta:{type:Boolean,default:!1},showViewLink:{type:Boolean,default:!1},shouldEnableShortcut:{type:Boolean,default:!1},showActionDropdown:{type:Boolean,default:!0}},(0,Q.rr)(["resourceName","resourceId","viaResource","viaResourceId","viaRelationship","relationshipType"])),data:()=>({initialLoading:!0,loading:!0,title:null,resource:null,panels:[],actions:[],actionValidationErrors:new Q.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:de(de({},(0,J.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,Z.minimum)(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){Nova.error(this.__("Unable to load actions for this resource"))}},async actionExecuted(){await this.getResource(),await this.getActions()},resolveComponentName:e=>null==e.prefixComponent||e.prefixComponent?"detail-"+e.component:e.component}),computed:de(de({},(0,J.L8)(["currentUser"])),{},{canBeImpersonated(){return this.currentUser.canImpersonate&&this.resource.authorizedToImpersonate},shouldShowActionDropdown(){return this.resource&&(this.actions.length>0||this.canModifyResource)&&this.showActionDropdown},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}}})},he=(0,O.A)(pe,[["render",function(e,t,r,o,i,l){const a=(0,y.resolveComponent)("Head"),n=(0,y.resolveComponent)("Cards"),s=(0,y.resolveComponent)("Heading"),c=(0,y.resolveComponent)("Badge"),d=(0,y.resolveComponent)("DetailActionDropdown"),u=(0,y.resolveComponent)("Button"),p=(0,y.resolveComponent)("Link"),h=(0,y.resolveComponent)("LoadingView"),m=(0,y.resolveDirective)("tooltip");return(0,y.openBlock)(),(0,y.createBlock)(h,{loading:e.initialLoading},{default:(0,y.withCtx)((()=>[r.shouldOverrideMeta&&e.resourceInformation&&e.title?((0,y.openBlock)(),(0,y.createBlock)(a,{key:0,title:e.__(":resource Details: :title",{resource:e.resourceInformation.singularLabel,title:e.title})},null,8,["title"])):(0,y.createCommentVNode)("",!0),e.shouldShowCards&&e.hasDetailOnlyCards?((0,y.openBlock)(),(0,y.createElementBlock)("div",oe,[e.cards.length>0?((0,y.openBlock)(),(0,y.createBlock)(n,{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,y.createCommentVNode)("",!0)])):(0,y.createCommentVNode)("",!0),(0,y.createElementVNode)("div",{class:(0,y.normalizeClass)({"mt-6":e.shouldShowCards&&e.hasDetailOnlyCards&&e.cards.length>0}),dusk:e.resourceName+"-detail-component"},[((0,y.openBlock)(!0),(0,y.createElementBlock)(y.Fragment,null,(0,y.renderList)(e.panels,(t=>((0,y.openBlock)(),(0,y.createBlock)((0,y.resolveDynamicComponent)(l.resolveComponentName(t)),{key:t.id,panel:t,resource:e.resource,"resource-id":e.resourceId,"resource-name":e.resourceName,class:(0,y.normalizeClass)({"mb-8":t.fields.length>0})},{default:(0,y.withCtx)((()=>[t.showToolbar?((0,y.openBlock)(),(0,y.createElementBlock)("div",le,[(0,y.createElementVNode)("div",ae,[(0,y.createVNode)(s,{level:1,textContent:(0,y.toDisplayString)(t.name),dusk:`${t.name}-detail-heading`},null,8,["textContent","dusk"]),e.resource.softDeleted?((0,y.openBlock)(),(0,y.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,y.createCommentVNode)("",!0)]),(0,y.createElementVNode)("div",ne,[l.shouldShowActionDropdown?((0,y.openBlock)(),(0,y.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,y.createCommentVNode)("",!0),r.showViewLink?(0,y.withDirectives)(((0,y.openBlock)(),(0,y.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,y.withCtx)((()=>[(0,y.createVNode)(u,{as:"span",variant:"ghost",icon:"eye"})])),_:1},8,["href"])),[[m,{placement:"bottom",distance:10,skidding:0,content:e.__("View")}]]):(0,y.createCommentVNode)("",!0),e.resource.authorizedToUpdate?(0,y.withDirectives)(((0,y.openBlock)(),(0,y.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,y.withCtx)((()=>[(0,y.createVNode)(u,{as:"span",variant:"ghost",icon:"pencil-square"})])),_:1},8,["href"])),[[m,{placement:"bottom",distance:10,skidding:0,content:e.__("Edit")}]]):(0,y.createCommentVNode)("",!0)])])):(0,y.createCommentVNode)("",!0)])),_:2},1032,["panel","resource","resource-id","resource-name","class"])))),128))],10,ie)])),_:1},8,["loading"])}],["__file","Detail.vue"]]),me=["data-form-unique-id"],fe={key:0,dusk:"via-resource-field",class:"field-wrapper flex flex-col md:flex-row border-b border-gray-100 dark:border-gray-700"},ve={class:"w-1/5 px-8 py-6"},ge=["for"],ye={class:"py-6 px-8 w-1/2"},be={class:"inline-block font-bold text-gray-500 pt-2"},ke={class:"flex items-center"},we={key:0,class:"flex items-center"},Ce={key:0,class:"mr-3"},xe=["src"],Ne={class:"flex items-center"},Be={key:0,class:"flex-none mr-3"},Se=["src"],Ve={class:"flex-auto"},Re={key:0},Ee={key:1},_e={value:"",disabled:"",selected:""},Oe={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(52191),De=r(15101),Ae=r.n(De);function Pe(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 Te(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?Pe(Object(r),!0).forEach((function(t){Ie(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):Pe(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function Ie(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const Me={components:{Button:se.Button},mixins:[Q.c_,Q.B5,Q.Bz,Q.zJ,Q.rd],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:()=>({initialLoading:!0,loading:!0,submittedViaAttachAndAttachAnother:!1,submittedViaAttachResource:!1,field:null,softDeletes:!1,fields:[],selectedResourceId:null,relationModalOpen:!1,initializingWithExistingResource:!1}),created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404")},mounted(){this.initializeComponent()},methods:Te(Te({},(0,J.i0)(["fetchPolicies"])),{},{initializeComponent(){this.softDeletes=!1,this.disableWithTrashed(),this.clearSelection(),this.getField(),this.getPivotFields(),this.resetErrors()},handlePivotFieldsLoaded(){this.loading=!1,Object.values(this.fields).forEach((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(),Fe.A.fetchAvailableResources(this.resourceName,this.resourceId,this.relatedResourceName,{params:{search:e,current:this.selectedResourceId,first:this.initializingWithExistingResource,withTrashed:this.withTrashed,component:this.field.component,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,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.handleOnCreateResponseError(e)}},async attachAndAttachAnother(){this.submittedViaAttachAndAttachAnother=!0;try{await this.attachRequest(),window.scrollTo(0,0),this.disableNavigateBackUsingHistory(),this.submittedViaAttachAndAttachAnother=!1,await this.fetchPolicies(),this.initializeComponent()}catch(e){this.submittedViaAttachAndAttachAnother=!1,this.handleOnCreateResponseError(e)}},cancelAttachingResource(){this.handleProceedingToPreviousPage(),this.proceedToPreviousPage(`/resources/${this.resourceName}/${this.resourceId}`)},attachRequest(){return Nova.request().post(this.attachmentEndpoint,this.attachmentFormData(),{params:{editing:!0,editMode:"attach"}})},attachmentFormData(){return Ae()(new FormData,(e=>{Object.values(this.fields).forEach((t=>{t.fill(e)})),this.selectedResourceId?e.append(this.relatedResourceName,this.selectedResourceId??""):e.append(this.relatedResourceName,""),e.append(this.relatedResourceName+"_trashed",this.withTrashed),e.append("viaRelationship",this.viaRelationship)}))},toggleWithTrashed(){this.withTrashed=!this.withTrashed,this.isSearchable||this.getAvailableResources()},onUpdateFormStatus(){},handleSetResource({id:e}){this.closeRelationModal(),this.selectedResourceId=e,this.initializingWithExistingResource=!0,this.getAvailableResources()},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())},isSelectedResourceId(e){return null!=e&&e?.toString()===this.selectedResourceId?.toString()}}),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)&&!this.field.readonly&&this.field.displaysWithTrashed},authorizedToCreate(){return Nova.config("resources").find((e=>e.uriKey==this.field.resourceName))?.authorizedToCreate||!1},canShowNewRelationModal(){return this.field.showCreateRelationButton&&this.authorizedToCreate},selectedResource(){return this.availableResources.find((e=>this.isSelectedResourceId(e.value)))}}},je=(0,O.A)(Me,[["render",function(e,t,r,o,i,l){const a=(0,y.resolveComponent)("Head"),n=(0,y.resolveComponent)("Heading"),s=(0,y.resolveComponent)("SearchInput"),c=(0,y.resolveComponent)("SelectControl"),d=(0,y.resolveComponent)("Button"),u=(0,y.resolveComponent)("CreateRelationModal"),p=(0,y.resolveComponent)("TrashedCheckbox"),h=(0,y.resolveComponent)("DefaultField"),m=(0,y.resolveComponent)("LoadingView"),f=(0,y.resolveComponent)("Card");return(0,y.openBlock)(),(0,y.createBlock)(m,{loading:e.initialLoading},{default:(0,y.withCtx)((()=>[l.relatedResourceLabel?((0,y.openBlock)(),(0,y.createBlock)(a,{key:0,title:e.__("Attach :resource",{resource:l.relatedResourceLabel})},null,8,["title"])):(0,y.createCommentVNode)("",!0),(0,y.createVNode)(n,{class:"mb-3",textContent:(0,y.toDisplayString)(e.__("Attach :resource",{resource:l.relatedResourceLabel})),dusk:"attach-heading"},null,8,["textContent"]),e.field?((0,y.openBlock)(),(0,y.createElementBlock)("form",{key:1,onSubmit:t[2]||(t[2]=(0,y.withModifiers)(((...e)=>l.attachResource&&l.attachResource(...e)),["prevent"])),onChange:t[3]||(t[3]=(...e)=>l.onUpdateFormStatus&&l.onUpdateFormStatus(...e)),"data-form-unique-id":e.formUniqueId,autocomplete:"off"},[(0,y.createVNode)(f,{class:"mb-8"},{default:(0,y.withCtx)((()=>[r.parentResource?((0,y.openBlock)(),(0,y.createElementBlock)("div",fe,[(0,y.createElementVNode)("div",ve,[(0,y.createElementVNode)("label",{for:r.parentResource.name,class:"inline-block text-gray-500 pt-2 leading-tight"},(0,y.toDisplayString)(r.parentResource.name),9,ge)]),(0,y.createElementVNode)("div",ye,[(0,y.createElementVNode)("span",be,(0,y.toDisplayString)(r.parentResource.display),1)])])):(0,y.createCommentVNode)("",!0),(0,y.createVNode)(h,{field:e.field,errors:e.validationErrors,"show-help-text":!0},{field:(0,y.withCtx)((()=>[(0,y.createElementVNode)("div",ke,[e.field.searchable?((0,y.openBlock)(),(0,y.createBlock)(s,{key:0,modelValue:e.selectedResourceId,"onUpdate:modelValue":t[0]||(t[0]=t=>e.selectedResourceId=t),onSelected:e.selectResource,onInput:e.performSearch,onClear:l.clearResourceSelection,options:e.availableResources,debounce:e.field.debounce,trackBy:"value",autocomplete:e.field.autocomplete,class:"w-full",dusk:`${e.field.resourceName}-search-input`},{option:(0,y.withCtx)((({selected:t,option:r})=>[(0,y.createElementVNode)("div",Ne,[r.avatar?((0,y.openBlock)(),(0,y.createElementBlock)("div",Be,[(0,y.createElementVNode)("img",{src:r.avatar,class:"w-8 h-8 rounded-full block"},null,8,Se)])):(0,y.createCommentVNode)("",!0),(0,y.createElementVNode)("div",Ve,[(0,y.createElementVNode)("div",{class:(0,y.normalizeClass)(["text-sm font-semibold leading-5",{"text-white":t}])},(0,y.toDisplayString)(r.display),3),e.field.withSubtitles?((0,y.openBlock)(),(0,y.createElementBlock)("div",{key:0,class:(0,y.normalizeClass)(["mt-1 text-xs font-semibold leading-5 text-gray-500",{"text-white":t}])},[r.subtitle?((0,y.openBlock)(),(0,y.createElementBlock)("span",Re,(0,y.toDisplayString)(r.subtitle),1)):((0,y.openBlock)(),(0,y.createElementBlock)("span",Ee,(0,y.toDisplayString)(e.__("No additional information...")),1))],2)):(0,y.createCommentVNode)("",!0)])])])),default:(0,y.withCtx)((()=>[l.selectedResource?((0,y.openBlock)(),(0,y.createElementBlock)("div",we,[l.selectedResource.avatar?((0,y.openBlock)(),(0,y.createElementBlock)("div",Ce,[(0,y.createElementVNode)("img",{src:l.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,xe)])):(0,y.createCommentVNode)("",!0),(0,y.createTextVNode)(" "+(0,y.toDisplayString)(l.selectedResource.display),1)])):(0,y.createCommentVNode)("",!0)])),_:1},8,["modelValue","onSelected","onInput","onClear","options","debounce","autocomplete","dusk"])):((0,y.openBlock)(),(0,y.createBlock)(c,{key:1,modelValue:e.selectedResourceId,"onUpdate:modelValue":t[1]||(t[1]=t=>e.selectedResourceId=t),onSelected:e.selectResource,options:e.availableResources,label:"display",class:(0,y.normalizeClass)(["w-full",{"form-control-bordered-error":e.validationErrors.has(e.field.attribute)}]),dusk:"attachable-select"},{default:(0,y.withCtx)((()=>[(0,y.createElementVNode)("option",_e,(0,y.toDisplayString)(e.__("Choose :resource",{resource:l.relatedResourceLabel})),1)])),_:1},8,["modelValue","onSelected","options","class"])),l.canShowNewRelationModal?((0,y.openBlock)(),(0,y.createBlock)(d,{key:2,ariant:"link",size:"small","leading-icon":"plus-circle",onClick:l.openRelationModal,class:"ml-2",dusk:`${e.field.attribute}-inline-create`},null,8,["onClick","dusk"])):(0,y.createCommentVNode)("",!0)]),(0,y.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"]),l.shouldShowTrashed?((0,y.openBlock)(),(0,y.createBlock)(p,{key:0,class:"mt-3","resource-name":e.field.resourceName,checked:e.withTrashed,onInput:l.toggleWithTrashed},null,8,["resource-name","checked","onInput"])):(0,y.createCommentVNode)("",!0)])),_:1},8,["field","errors"]),(0,y.createVNode)(m,{loading:e.loading},{default:(0,y.withCtx)((()=>[((0,y.openBlock)(!0),(0,y.createElementBlock)(y.Fragment,null,(0,y.renderList)(e.fields,(t=>((0,y.openBlock)(),(0,y.createElementBlock)("div",{key:t.uniqueKey},[((0,y.openBlock)(),(0,y.createBlock)((0,y.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,y.createElementVNode)("div",Oe,[(0,y.createVNode)(d,{dusk:"cancel-attach-button",onClick:l.cancelAttachingResource,label:e.__("Cancel"),variant:"ghost"},null,8,["onClick","label"]),(0,y.createVNode)(d,{dusk:"attach-and-attach-another-button",onClick:(0,y.withModifiers)(l.attachAndAttachAnother,["prevent"]),disabled:l.isWorking,loading:e.submittedViaAttachAndAttachAnother},{default:(0,y.withCtx)((()=>[(0,y.createTextVNode)((0,y.toDisplayString)(e.__("Attach & Attach Another")),1)])),_:1},8,["onClick","disabled","loading"]),(0,y.createVNode)(d,{type:"submit",dusk:"attach-button",disabled:l.isWorking,loading:e.submittedViaAttachResource},{default:(0,y.withCtx)((()=>[(0,y.createTextVNode)((0,y.toDisplayString)(e.__("Attach :resource",{resource:l.relatedResourceLabel})),1)])),_:1},8,["disabled","loading"])])],40,me)):(0,y.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","Attach.vue"]]),$e=["data-form-unique-id"],ze={key:0,dusk:"via-resource-field",class:"field-wrapper flex flex-col md:flex-row border-b border-gray-100 dark:border-gray-700"},Le={class:"w-1/5 px-8 py-6"},Ue=["for"],qe={class:"py-6 px-8 w-1/2"},He={class:"inline-block font-bold text-gray-500 pt-2"},Ke={value:"",disabled:"",selected:""},We={class:"flex flex-col mt-3 md:mt-6 md:flex-row items-center justify-center md:justify-end"};function Ge(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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?Ge(Object(r),!0).forEach((function(t){Ze(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):Ge(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function Ze(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const Je={components:{Button:se.Button},mixins:[Q.c_,Q.B5,Q.Bz,Q.zJ,Q.rd],provide(){return{removeFile:this.removeFile}},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:()=>({initialLoading:!0,loading:!0,submittedViaUpdateAndContinueEditing:!1,submittedViaUpdateAttachedResource:!1,field:null,softDeletes:!1,fields:[],selectedResourceId:null,lastRetrievedAt:null,title:null}),created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404")},mounted(){this.initializeComponent()},methods:Qe(Qe({},(0,J.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.updateLastRetrievedAtTimestamp()},removeFile(e){const{resourceName:t,resourceId:r,relatedResourceName:o,relatedResourceId:i,viaRelationship:l}=this;Nova.request().delete(`/nova-api/${t}/${r}/${o}/${i}/field/${e}?viaRelationship=${l}`)},handlePivotFieldsLoaded(){this.loading=!1,Object.values(this.fields).forEach((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=""){Nova.$progress.start();try{const t=await Fe.A.fetchAvailableResources(this.resourceName,this.resourceId,this.relatedResourceName,{params:{search:e,current:this.relatedResourceId,first:!0,withTrashed:this.withTrashed,component:this.field.component,viaRelationship:this.viaRelationship}});this.availableResources=t.data.resources,this.withTrashed=t.data.withTrashed,this.softDeletes=t.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 updateAttachedResource(){this.submittedViaUpdateAttachedResource=!0;try{await this.updateRequest(),this.submittedViaUpdateAttachedResource=!1,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.handleOnUpdateResponseError(e)}},async updateAndContinueEditing(){this.submittedViaUpdateAndContinueEditing=!0;try{await this.updateRequest(),window.scrollTo(0,0),this.disableNavigateBackUsingHistory(),this.submittedViaUpdateAndContinueEditing=!1,Nova.success(this.__("The resource was updated!")),this.initializeComponent()}catch(e){this.submittedViaUpdateAndContinueEditing=!1,this.handleOnUpdateResponseError(e)}},cancelUpdatingAttachedResource(){this.handleProceedingToPreviousPage(),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 Ae()(new FormData,(e=>{Object.values(this.fields).forEach((t=>{t.fill(e)})),e.append("viaRelationship",this.viaRelationship),this.selectedResourceId?e.append(this.relatedResourceName,this.selectedResourceId??""):e.append(this.relatedResourceName,""),e.append(this.relatedResourceName+"_trashed",this.withTrashed),e.append("_retrieved_at",this.lastRetrievedAt)}))},toggleWithTrashed(){this.withTrashed=!this.withTrashed,this.isSearchable||this.getAvailableResources()},updateLastRetrievedAtTimestamp(){this.lastRetrievedAt=Math.floor((new Date).getTime()/1e3)},onUpdateFormStatus(){},isSelectedResourceId(e){return null!=e&&e?.toString()===this.selectedResourceId?.toString()}}),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},selectedResource(){return this.availableResources.find((e=>this.isSelectedResourceId(e.value)))}}},Ye=(0,O.A)(Je,[["render",function(e,t,r,o,i,l){const a=(0,y.resolveComponent)("Head"),n=(0,y.resolveComponent)("Heading"),s=(0,y.resolveComponent)("SelectControl"),c=(0,y.resolveComponent)("DefaultField"),d=(0,y.resolveComponent)("LoadingView"),u=(0,y.resolveComponent)("Card"),p=(0,y.resolveComponent)("Button");return(0,y.openBlock)(),(0,y.createBlock)(d,{loading:e.initialLoading},{default:(0,y.withCtx)((()=>[l.relatedResourceLabel&&e.title?((0,y.openBlock)(),(0,y.createBlock)(a,{key:0,title:e.__("Update attached :resource: :title",{resource:l.relatedResourceLabel,title:e.title})},null,8,["title"])):(0,y.createCommentVNode)("",!0),l.relatedResourceLabel&&e.title?((0,y.openBlock)(),(0,y.createBlock)(n,{key:1,class:"mb-3"},{default:(0,y.withCtx)((()=>[(0,y.createTextVNode)((0,y.toDisplayString)(e.__("Update attached :resource: :title",{resource:l.relatedResourceLabel,title:e.title})),1)])),_:1})):(0,y.createCommentVNode)("",!0),e.field?((0,y.openBlock)(),(0,y.createElementBlock)("form",{key:2,onSubmit:t[1]||(t[1]=(0,y.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,y.createVNode)(u,{class:"mb-8"},{default:(0,y.withCtx)((()=>[r.parentResource?((0,y.openBlock)(),(0,y.createElementBlock)("div",ze,[(0,y.createElementVNode)("div",Le,[(0,y.createElementVNode)("label",{for:r.parentResource.name,class:"inline-block text-gray-500 pt-2 leading-tight"},(0,y.toDisplayString)(r.parentResource.name),9,Ue)]),(0,y.createElementVNode)("div",qe,[(0,y.createElementVNode)("span",He,(0,y.toDisplayString)(r.parentResource.display),1)])])):(0,y.createCommentVNode)("",!0),(0,y.createVNode)(c,{field:e.field,errors:e.validationErrors,"show-help-text":!0},{field:(0,y.withCtx)((()=>[(0,y.createVNode)(s,{modelValue:e.selectedResourceId,"onUpdate:modelValue":t[0]||(t[0]=t=>e.selectedResourceId=t),onSelected:e.selectResource,options:e.availableResources,disabled:"",label:"display",class:(0,y.normalizeClass)(["w-full",{"form-control-bordered-error":e.validationErrors.has(e.field.attribute)}]),dusk:"attachable-select"},{default:(0,y.withCtx)((()=>[(0,y.createElementVNode)("option",Ke,(0,y.toDisplayString)(e.__("Choose :field",{field:e.field.name})),1)])),_:1},8,["modelValue","onSelected","options","class"])])),_:1},8,["field","errors"]),(0,y.createVNode)(d,{loading:e.loading},{default:(0,y.withCtx)((()=>[((0,y.openBlock)(!0),(0,y.createElementBlock)(y.Fragment,null,(0,y.renderList)(e.fields,(t=>((0,y.openBlock)(),(0,y.createElementBlock)("div",{key:t.uniqueKey},[((0,y.openBlock)(),(0,y.createBlock)((0,y.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"]))])))),128))])),_:1},8,["loading"])])),_:1}),(0,y.createElementVNode)("div",We,[(0,y.createVNode)(p,{dusk:"cancel-update-attached-button",onClick:l.cancelUpdatingAttachedResource,label:e.__("Cancel"),variant:"ghost"},null,8,["onClick","label"]),(0,y.createVNode)(p,{class:"mr-3",dusk:"update-and-continue-editing-button",onClick:(0,y.withModifiers)(l.updateAndContinueEditing,["prevent"]),disabled:l.isWorking,loading:e.submittedViaUpdateAndContinueEditing},{default:(0,y.withCtx)((()=>[(0,y.createTextVNode)((0,y.toDisplayString)(e.__("Update & Continue Editing")),1)])),_:1},8,["onClick","disabled","loading"]),(0,y.createVNode)(p,{dusk:"update-button",type:"submit",disabled:l.isWorking,loading:e.submittedViaUpdateAttachedResource},{default:(0,y.withCtx)((()=>[(0,y.createTextVNode)((0,y.toDisplayString)(e.__("Update :resource",{resource:l.relatedResourceLabel})),1)])),_:1},8,["disabled","loading"])])],40,$e)):(0,y.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","UpdateAttached.vue"]]);function Xe(e,t,r){r.keys().forEach((o=>{const i=r(o),l=x()(w()(o.split("/").pop().replace(/\.\w+$/,"")));e.component(t+l,i.default||i)}))}var et=r(6411),tt=r.n(et),rt=r(70393);const ot={state:()=>({baseUri:"/nova",currentUser:null,currentUserPasswordConfirmed:null,mainMenu:[],userMenu:[],breadcrumbs:[],resources:[],version:"5.x",mainMenuShown:!1,canLeaveModal:!0,validLicense:!0,queryStringParams:{},compiledQueryStringParams:""}),getters:{currentUser:e=>e.currentUser,currentUserPasswordConfirmed:e=>e.currentUserPasswordConfirmed??!1,currentVersion:e=>e.version,mainMenu:e=>e.mainMenu,userMenu:e=>e.userMenu,breadcrumbs:e=>e.breadcrumbs,mainMenuShown:e=>e.mainMenuShown,canLeaveModal:e=>e.canLeaveModal,validLicense:e=>e.validLicense,queryStringParams:e=>e.queryStringParams},mutations:{allowLeavingModal(e){e.canLeaveModal=!0},preventLeavingModal(e){e.canLeaveModal=!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:i}){await Nova.request().post(Nova.url("/login"),{email:r,password:o,remember:i})},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 confirmedPasswordStatus({state:e,dispatch:t}){const{data:{confirmed:r}}=await Nova.request().get(Nova.url("/user-security/confirmed-password-status"));t(r?"passwordConfirmed":"passwordUnconfirmed")},async passwordConfirmed({state:e,dispatch:t}){e.currentUserPasswordConfirmed=!0,setTimeout((()=>t("passwordUnconfirmed")),5e5)},async passwordUnconfirmed({state:e}){e.currentUserPasswordConfirmed=!1},async assignPropsFromInertia({state:e,dispatch:t}){const r=(0,c.N5)().props;let o=r.novaConfig||Nova.appConfig,{resources:i,base:l,version:a,mainMenu:n,userMenu:s}=o,d=r.currentUser,u=r.validLicense,p=r.breadcrumbs;Nova.appConfig=o,e.breadcrumbs=p||[],e.currentUser=d,e.validLicense=u,e.resources=i,e.baseUri=l,e.version=a,e.mainMenu=n,e.userMenu=s,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=await c.QB.decryptHistory(),i=null;return Object.entries(t).forEach((([e,t])=>{(0,rt.A)(t)?r.set(e,t||""):r.delete(e)})),e.compiledQueryStringParams!==r.toString()&&(o.url!==`${window.location.pathname}?${r}`&&(i=`${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({searchParams:r,nextUrl:i,page:o})}))}}},it={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 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 at(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?lt(Object(r),!0).forEach((function(t){nt(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):lt(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function nt(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}var st=r(88055),ct=r.n(st),dt=r(76135),ut=r.n(dt),pt=r(7309),ht=r.n(pt),mt=r(87612),ft=r.n(mt),vt=r(40860),gt=r.n(vt),yt=r(21783);const bt={namespaced:!0,state:()=>({filters:[],originalFilters:[]}),getters:{filters:e=>e.filters,originalFilters:e=>e.originalFilters,hasFilters:e=>Boolean(e.filters.length>0),currentFilters:(e,t)=>ft()(e.filters).map((e=>({[e.class]:e.currentValue}))),currentEncodedFilters:(e,t)=>btoa((0,yt.L)(JSON.stringify(t.currentFilters))),filtersAreApplied:(e,t)=>t.activeFilterCount>0,activeFilterCount:(e,t)=>gt()(e.filters,((e,r)=>{const o=t.getOriginalFilter(r.class),i=JSON.stringify(o.currentValue);return JSON.stringify(r.currentValue)==i?e:e+1}),0),getFilter:e=>t=>ht()(e.filters,(e=>e.class==t)),getOriginalFilter:e=>t=>ht()(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 ht()(o.currentValue,((e,t)=>t==r))}},actions:{async fetchFilters({commit:e,state:t},r){let{resourceName:o,lens:i=!1}=r,{viaResource:l,viaResourceId:a,viaRelationship:n,relationshipType:s}=r,c={params:{viaResource:l,viaResourceId:a,viaRelationship:n,relationshipType:s}};const{data:d}=i?await Nova.request().get("/nova-api/"+o+"/lens/"+i+"/filters",c):await Nova.request().get("/nova-api/"+o+"/filters",c);e("storeFilters",d)},async resetFilterState({commit:e,getters:t}){ut()(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));ut()(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=ht()(e.filters,(e=>e.class==t));null!=o&&(o.currentValue=r)},storeFilters(e,t){e.filters=t,e.originalFilters=ct()(t)},clearFilters(e){e.filters=[],e.originalFilters=[]}}};var kt=r(63218),wt=r(44377),Ct=r.n(wt),xt=r(85015),Nt=r.n(xt),Bt=r(90179),St=r.n(Bt),Vt=r(52647),Rt=r(51504),Et=r.n(Rt),_t=r(65835),Ot=r(99820),Ft=r(5620);const Dt={class:"bg-white dark:bg-gray-800 flex items-center h-14 shadow-b dark:border-b dark:border-gray-700"},At={class:"hidden lg:w-60 shrink-0 md:flex items-center"},Pt={class:"flex flex-1 px-4 sm:px-8 lg:px-12"},Tt={class:"isolate relative flex items-center pl-6 ml-auto"},It={class:"relative z-50"},Mt={class:"relative z-[40] hidden md:flex ml-2"},jt={key:0,class:"lg:hidden w-60"},$t={class:"fixed inset-0 flex z-50"},zt={ref:"modalContent",class:"bg-white dark:bg-gray-800 relative flex flex-col max-w-xxs w-full"},Lt={class:"absolute top-0 right-0 -mr-12 pt-2"},Ut=["aria-label"],qt={class:"px-2 border-b border-gray-200 dark:border-gray-700"},Ht={class:"flex flex-col gap-2 justify-between h-full py-3 px-3 overflow-x-auto"},Kt={class:"py-1"},Wt={class:"mt-auto"},Gt={__name:"MainHeader",setup(e){const t=(0,J.Pj)(),r=(0,y.useTemplateRef)("modalContent"),{activate:o,deactivate:i}=(0,Ft.r)(r,{initialFocus:!0,allowOutsideClick:!1,escapeDeactivates:!1}),l=()=>t.commit("toggleMainMenu"),a=(0,y.computed)((()=>Nova.config("globalSearchEnabled"))),n=(0,y.computed)((()=>Nova.config("notificationCenterEnabled"))),s=(0,y.computed)((()=>t.getters.mainMenuShown)),c=(0,y.computed)((()=>Nova.config("appName")));return(0,y.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(),i()})),(0,y.onBeforeUnmount)((()=>{document.body.classList.remove("overflow-hidden"),Nova.resumeShortcuts(),i()})),(e,t)=>{const r=(0,y.resolveComponent)("AppLogo"),o=(0,y.resolveComponent)("Link"),i=(0,y.resolveComponent)("GlobalSearch"),d=(0,y.resolveComponent)("ThemeDropdown"),u=(0,y.resolveComponent)("NotificationCenter"),p=(0,y.resolveComponent)("UserMenu"),h=(0,y.resolveComponent)("MainMenu"),m=(0,y.resolveComponent)("MobileUserMenu");return(0,y.openBlock)(),(0,y.createElementBlock)("div",null,[(0,y.createElementVNode)("header",Dt,[(0,y.createVNode)((0,y.unref)(se.Button),{icon:"bars-3",class:"lg:hidden ml-1",variant:"action",onClick:(0,y.withModifiers)(l,["prevent"]),"aria-label":e.__("Toggle Sidebar"),"aria-expanded":s.value?"true":"false"},null,8,["aria-label","aria-expanded"]),(0,y.createElementVNode)("div",At,[(0,y.createVNode)(o,{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,y.withCtx)((()=>[(0,y.createVNode)(r,{class:"h-6"})])),_:1},8,["href","aria-label"]),(0,y.createVNode)((0,y.unref)(Ot.default))]),(0,y.createElementVNode)("div",Pt,[a.value?((0,y.openBlock)(),(0,y.createBlock)(i,{key:0,class:"relative",dusk:"global-search-component"})):(0,y.createCommentVNode)("",!0),(0,y.createElementVNode)("div",Tt,[(0,y.createVNode)(d),(0,y.createElementVNode)("div",It,[n.value?((0,y.openBlock)(),(0,y.createBlock)(u,{key:0})):(0,y.createCommentVNode)("",!0)]),(0,y.createElementVNode)("div",Mt,[(0,y.createVNode)(p)])])])]),((0,y.openBlock)(),(0,y.createBlock)(y.Teleport,{to:"body"},[(0,y.createVNode)(y.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,y.withCtx)((()=>[s.value?((0,y.openBlock)(),(0,y.createElementBlock)("div",jt,[(0,y.createElementVNode)("div",$t,[(0,y.createElementVNode)("div",{class:"fixed inset-0","aria-hidden":"true"},[(0,y.createElementVNode)("div",{onClick:l,class:"absolute inset-0 bg-gray-600/75 dark:bg-gray-900/75"})]),(0,y.createElementVNode)("div",zt,[(0,y.createElementVNode)("div",Lt,[(0,y.createElementVNode)("button",{onClick:(0,y.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")},t[0]||(t[0]=[(0,y.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,y.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M6 18L18 6M6 6l12 12"})],-1)]),8,Ut)]),(0,y.createElementVNode)("div",qt,[(0,y.createVNode)(o,{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,y.withCtx)((()=>[(0,y.createVNode)(r,{class:"h-6"})])),_:1},8,["href","aria-label"])]),(0,y.createElementVNode)("div",Ht,[(0,y.createElementVNode)("div",Kt,[(0,y.createVNode)(h,{"data-screen":"responsive"})]),(0,y.createElementVNode)("div",Wt,[(0,y.createVNode)(m)])]),t[1]||(t[1]=(0,y.createElementVNode)("div",{class:"shrink-0 w-14","aria-hidden":"true"},null,-1))],512)])])):(0,y.createCommentVNode)("",!0)])),_:1})]))])}}},Qt=(0,O.A)(Gt,[["__file","MainHeader.vue"]]),Zt=["innerHTML"],Jt=Object.assign({name:"Footer"},{__name:"Footer",setup(e){const t=(0,y.computed)((()=>Nova.config("footer")));return(e,r)=>((0,y.openBlock)(),(0,y.createElementBlock)("div",{class:"mt-8 leading-normal text-xs text-gray-500 space-y-1",innerHTML:t.value},null,8,Zt))}}),Yt=(0,O.A)(Jt,[["__file","Footer.vue"]]),Xt={id:"nova"},er={dusk:"content"},tr={class:"hidden lg:block lg:absolute left-0 bottom-0 lg:top-[56px] lg:bottom-auto w-60 px-3 py-8"},rr={class:"p-4 md:py-8 md:px-12 lg:ml-60 space-y-8"},or=Object.assign({name:"AppLayout"},{__name:"AppLayout",setup(e){const{__:t}=(0,_t.B)(),r=e=>{Nova.error(e)},o=()=>{Nova.$toasted.show(t("Sorry, your session has expired."),{action:{onClick:()=>Nova.redirectToLogin(),text:t("Reload")},duration:null,type:"error"}),setTimeout((()=>{Nova.redirectToLogin()}),5e3)},i=(0,y.computed)((()=>Nova.config("breadcrumbsEnabled")));return(0,y.onMounted)((()=>{Nova.$on("error",r),Nova.$on("token-expired",o)})),(0,y.onBeforeUnmount)((()=>{Nova.$off("error",r),Nova.$off("token-expired",o)})),(e,t)=>{const r=(0,y.resolveComponent)("MainMenu"),o=(0,y.resolveComponent)("Breadcrumbs"),l=(0,y.resolveComponent)("FadeTransition");return(0,y.openBlock)(),(0,y.createElementBlock)("div",Xt,[(0,y.createVNode)((0,y.unref)(Qt)),(0,y.createElementVNode)("div",er,[(0,y.createElementVNode)("div",tr,[(0,y.createVNode)(r,{class:"pb-24","data-screen":"desktop"})]),(0,y.createElementVNode)("div",rr,[i.value?((0,y.openBlock)(),(0,y.createBlock)(o,{key:0})):(0,y.createCommentVNode)("",!0),(0,y.createVNode)(l,null,{default:(0,y.withCtx)((()=>[(0,y.renderSlot)(e.$slots,"default")])),_:3}),(0,y.createVNode)((0,y.unref)(Yt))])])])}}}),ir=(0,O.A)(or,[["__file","AppLayout.vue"]]);var lr=r(91272),ar=r(80833);const{parseColor:nr}=r(50098);!function(){function e(e,t){clearTimeout(t.timeout),s().off(window,"mouseup",t.hurry),s().off(window,"keyup",t.hurry)}s().defineMode("htmltwig",(function(e,t){return s().overlayMode(s().getMode(e,t.backdrop||"text/html"),s().getMode(e,"twig"))})),s().defineOption("autoRefresh",!1,(function(t,r){t.state.autoRefresh&&(e(t,t.state.autoRefresh),t.state.autoRefresh=null),r&&0==t.display.wrapper.offsetHeight&&function(t,r){function o(){t.display.wrapper.offsetHeight?(e(t,r),t.display.lastWrapHeight!=t.display.wrapper.clientHeight&&t.refresh()):r.timeout=setTimeout(o,r.delay)}r.timeout=setTimeout(o,r.delay),r.hurry=function(){clearTimeout(r.timeout),r.timeout=setTimeout(o,50)},s().on(window,"mouseup",r.hurry),s().on(window,"keyup",r.hurry)}(t,t.state.autoRefresh={delay:r.delay||250})}))}();const sr=new(Et());class cr{constructor(e){this.bootingCallbacks=[],this.appConfig=e,this.useShortcuts=!0,this.pages={"Nova.Attach":r(35694).A,"Nova.ConfirmPassword":r(32987).A,"Nova.Create":r(86796).A,"Nova.Dashboard":r(95008).A,"Nova.Detail":r(46351).A,"Nova.EmailVerification":r(48199).A,"Nova.UserSecurity":r(99962).A,"Nova.Error":r(36653).A,"Nova.Error403":r(17922).A,"Nova.Error404":r(47873).A,"Nova.ForgotPassword":r(75203).A,"Nova.Index":r(85915).A,"Nova.Lens":r(79714).A,"Nova.Login":r(6511).A,"Nova.Replicate":r(73464).A,"Nova.ResetPassword":r(74234).A,"Nova.TwoFactorChallenge":r(19791).A,"Nova.Update":r(59856).A,"Nova.UpdateAttached":r(96731).A},this.$toasted=new Vt.A({theme:"nova",position:e.rtlEnabled?"bottom-left":"bottom-right",duration:6e3}),this.$progress={start:e=>(0,b.TI)(e),done:()=>(0,b.Cv)()},this.$router=c.QB,!0===e.debug&&(this.$testing={timezone:e=>{lr.wB.defaultZoneName=e}}),this.__started=!1,this.__booted=!1,this.__liftOff=!1}booting(e){this.bootingCallbacks.push(e)}boot(){if(!this.__started||!this.__liftOff||this.__booted)return;var e,t;this.debug("engage thrusters"),this.store=(0,J.y$)(at(at({},ot),{},{modules:{nova:{namespaced:!0,modules:{notifications:it}}}})),this.bootingCallbacks.forEach((e=>e(this.app,this.store))),this.bootingCallbacks=[],this.registerStoreModules(),this.app.mixin(o.A),e=this,t=this.store,document.addEventListener("inertia:before",(()=>{(async()=>{e.debug("Syncing Inertia props to the store via `inertia:before`..."),await t.dispatch("assignPropsFromInertia")})()})),document.addEventListener("inertia:navigate",(()=>{(async()=>{e.debug("Syncing Inertia props to the store via `inertia:navigate`..."),await t.dispatch("assignPropsFromInertia")})()})),this.app.mixin({methods:{$url:(e,t)=>this.url(e,t)}}),this.component("Link",c.N_),this.component("InertiaLink",c.N_),this.component("Head",c.p3),function(e){e.component("CustomError403",M),e.component("CustomError404",A),e.component("CustomAppError",U),e.component("ResourceIndex",re),e.component("ResourceDetail",he),e.component("AttachResource",je),e.component("UpdateAttachedResource",Ye);const t=r(60630);t.keys().forEach((r=>{const o=t(r),i=x()(w()(r.split("/").pop().replace(/\.\w+$/,"")));e.component(i,o.default||o)}))}(this),function(e){Xe(e,"Index",r(49020)),Xe(e,"Detail",r(11079)),Xe(e,"Form",r(67970)),Xe(e,"Filter",r(77978)),Xe(e,"Preview",r(87092))}(this),this.app.mount(this.mountTo);let i=tt().prototype.stopCallback;tt().prototype.stopCallback=(e,t,r)=>!this.useShortcuts||i.call(this,e,t,r),tt().init(),this.applyTheme(),this.log("All systems go..."),this.__booted=!0}booted(e){e(this.app,this.store)}async countdown(){this.log("Initiating Nova countdown...");const e=this.config("appName");await(0,c.sj)({title:t=>t?`${t} - ${e}`:e,progress:{delay:250,includeCSS:!1,showSpinner:!1},resolve:e=>{const t=null!=this.pages[e]?this.pages[e]:r(47873).A;return t.layout=t.layout||ir,t},setup:({el:e,App:t,props:r,plugin:o})=>{this.debug("engine start"),this.mountTo=e,this.app=(0,y.createApp)({render:()=>(0,y.h)(t,r)}),this.app.use(o),this.app.use(kt.Ay,{preventOverflow:!0,flip:!0,themes:{Nova:{$extend:"tooltip",triggers:["click"],autoHide:!0,placement:"bottom",html:!0}}})}}).then((()=>{this.__started=!0,this.debug("engine ready"),this.boot()}))}liftOff(){this.log("We have lift off!");let e=null;new MutationObserver((()=>{const t=document.documentElement.classList,r=t.contains("dark")?"dark":"light";r!==e&&(this.$emit("nova-theme-switched",{theme:r,element:t}),e=r)})).observe(document.documentElement,{attributes:!0,attributeOldValue:!0,attributeFilter:["class"]}),this.config("notificationCenterEnabled")&&(this.notificationPollingInterval=setInterval((()=>{document.hasFocus()&&this.$emit("refresh-notifications")}),this.config("notificationPollingInterval"))),this.__liftOff=!0,this.boot()}config(e){return this.appConfig[e]}form(e){return new i.l(e,{http:this.request()})}request(e=null){let t=a();return null!=e?t(e):t}url(e,t){return"/"===e&&(e=this.config("initialPath")),function(e,t,r){let o=new URLSearchParams(g()(r||{},f())).toString();return"/"==e&&t.startsWith("/")&&(e=""),e+t+(o.length>0?`?${o}`:"")}(this.config("base"),e,t)}hasSecurityFeatures(){const e=this.config("fortifyFeatures");return e.includes("update-passwords")||e.includes("two-factor-authentication")}$on(...e){sr.on(...e)}$once(...e){sr.once(...e)}$off(...e){sr.off(...e)}$emit(...e){sr.emit(...e)}missingResource(e){return null==this.config("resources").find((t=>t.uriKey===e))}addShortcut(e,t){tt().bind(e,t)}disableShortcut(e){tt().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,bt)}))}inertia(e,t){this.pages[e]=t}component(e,t){null==this.app._context.components[e]&&this.app.component(e,t)}hasComponent(e){return Boolean(null!=this.app._context.components[x()(w()(e))])}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){const r=h(document.querySelector('meta[name="locale"]').content)(e);return void 0!==t?r.format(t):r.format()}log(e,t="log"){console[t]("[NOVA]",e)}debug(e,t="log"){!0===(this.config("debug")??!1)&&("error"===t?console.error(e):this.log(e,t))}redirectToLogin(){const e=!this.config("withAuthentication")&&this.config("customLoginPath")?this.config("customLoginPath"):this.url("/login");this.visit({remote:!0,url:e})}visit(e,t={}){const r=t?.openInNewTab||null;if(Nt()(e))c.QB.visit(this.url(e),St()(t,["openInNewTab"]));else if(Nt()(e.url)&&e.hasOwnProperty("remote")){if(!0===e.remote)return void(!0===r?window.open(e.url,"_blank"):window.location=e.url);c.QB.visit(e.url,St()(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],i=nr(o);if(i){let e=nr(ar.GB.toRGBA(function(e){let t=Ct()(Array.from(e.mode).map(((t,r)=>[t,e.color[r]])));void 0!==e.alpha&&(t.a=e.alpha);return t}(i)));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(76486);window.Vue=r(29726),window.LaravelNova=r(80510),window.LaravelNovaUtil=r(30043),window.createNovaApp=e=>new cr(e)},65703:(e,t,r)=>{"use strict";r.d(t,{d:()=>f});var o=r(35229),i=r(29726),l=r(87612),a=r.n(l),n=r(23805),s=r.n(n),c=r(15101),d=r.n(c),u=r(44826),p=r.n(u),h=r(65835);const{__:m}=(0,h.B)();function f(e,t,r){const l=(0,i.reactive)({working:!1,errors:new o.I,actionModalVisible:!1,responseModalVisible:!1,selectedActionKey:"",endpoint:e.endpoint||`/nova-api/${e.resourceName}/action`,actionResponseData:null}),n=(0,i.computed)((()=>e.selectedResources)),c=(0,i.computed)((()=>{if(l.selectedActionKey)return u.value.find((e=>e.uriKey===l.selectedActionKey))})),u=(0,i.computed)((()=>e.actions.concat(e.pivotActions?.actions||[]))),h=(0,i.computed)((()=>r.getters[`${e.resourceName}/currentEncodedFilters`])),f=(0,i.computed)((()=>e.viaRelationship?e.viaRelationship+"_search":e.resourceName+"_search")),v=(0,i.computed)((()=>r.getters.queryStringParams[f.value]||"")),g=(0,i.computed)((()=>e.viaRelationship?e.viaRelationship+"_trashed":e.resourceName+"_trashed")),y=(0,i.computed)((()=>r.getters.queryStringParams[g.value]||"")),b=(0,i.computed)((()=>e.actions.filter((e=>n.value.length>0&&!e.standalone)))),k=(0,i.computed)((()=>e.pivotActions?e.pivotActions.actions.filter((e=>0!==n.value.length||e.standalone)):[])),w=(0,i.computed)((()=>k.value.length>0)),C=(0,i.computed)((()=>w.value&&Boolean(e.pivotActions.actions.find((e=>e===c.value))))),x=(0,i.computed)((()=>({action:l.selectedActionKey,pivotAction:C.value,search:v.value,filters:h.value,trashed:y.value,viaResource:e.viaResource,viaResourceId:e.viaResourceId,viaRelationship:e.viaRelationship}))),N=(0,i.computed)((()=>d()(new FormData,(e=>{if("all"===n.value)e.append("resources","all");else{let t=a()(n.value.map((e=>s()(e)?e.id.pivotValue:null)));n.value.forEach((t=>e.append("resources[]",s()(t)?t.id.value:t))),"all"!==n.value&&!0===C.value&&t.length>0&&t.forEach((t=>e.append("pivots[]",t)))}c.value.fields.forEach((t=>{t.fill(e)}))}))));function B(){c.value.withoutConfirmation?O():S()}function S(){l.actionModalVisible=!0}function V(){l.actionModalVisible=!1}function R(){l.responseModalVisible=!0}function E(e){t("actionExecuted"),Nova.$emit("action-executed"),"function"==typeof e&&e()}function _(e){if(e.danger)return Nova.error(e.danger);Nova.success(e.message||m("The action was executed successfully."))}function O(e){l.working=!0,Nova.$progress.start();let t=c.value.responseType??"json";Nova.request({method:"post",url:l.endpoint,params:x.value,data:N.value,responseType:t}).then((async t=>{V(),F(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(m("There was a problem executing the action.")))})).finally((()=>{l.working=!1,Nova.$progress.done()}))}function F(e,t,r){let o=t["content-disposition"];if(e instanceof Blob&&null==o&&"application/json"===e.type)e.text().then((e=>{F(JSON.parse(e),t)}));else{if(e instanceof Blob)return E((async()=>{let t="unknown";if(o){let e=o.split(";")[1].match(/filename=(.+)/);2===e.length&&(t=p()(e[1],'"'))}await(0,i.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)}))}));if(e.modal)return l.actionResponseData=e,_(e),R();if(e.download)return E((async()=>{_(e),await(0,i.nextTick)((()=>{let t=document.createElement("a");t.href=e.download,t.download=e.name,document.body.appendChild(t),t.click(),document.body.removeChild(t)}))}));if(e.deleted)return E((()=>_(e)));if(e.redirect){if(e.openInNewTab)return E((()=>window.open(e.redirect,"_blank")));window.location=e.redirect}if(e.visit)return _(e),Nova.visit({url:Nova.url(e.visit.path,e.visit.options),remote:!1});E((()=>_(e)))}}return{errors:(0,i.computed)((()=>l.errors)),working:(0,i.computed)((()=>l.working)),actionModalVisible:(0,i.computed)((()=>l.actionModalVisible)),responseModalVisible:(0,i.computed)((()=>l.responseModalVisible)),selectedActionKey:(0,i.computed)((()=>l.selectedActionKey)),determineActionStrategy:B,setSelectedActionKey:function(e){l.selectedActionKey=e},openConfirmationModal:S,closeConfirmationModal:V,openResponseModal:R,closeResponseModal:function(){l.responseModalVisible=!1},handleActionClick:function(e){l.selectedActionKey=e,B()},selectedAction:c,allActions:u,availableActions:b,availablePivotActions:k,executeAction:O,actionResponseData:(0,i.computed)((()=>l.actionResponseData))}}},10646:(e,t,r)=>{"use strict";r.d(t,{g:()=>i});var o=r(29726);function i(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)}}}},65835:(e,t,r)=>{"use strict";r.d(t,{B:()=>i});var o=r(42740);function i(){return{__:(e,t)=>(0,o.A)(e,t)}}},38402:(e,t,r)=>{"use strict";r.d(t,{y:()=>i});var o=r(29726);function i(e={attribute:"default",fields:[]},t=null){const r={},i=(0,o.ref)(0);e.fields.forEach((e=>{r[e.attribute]=e.visible}));const l=e=>{i.value=Object.values(e).filter((e=>!0===e)).length};return l(r),{handleFieldShown:e=>{r[e]=!0,null!==t&&t("field-shown",e),l(r)},handleFieldHidden:e=>{r[e]=!1,null!==t&&t("field-shown",e),l(r)},visibleFieldsCount:i}}},96040:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});class o{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 null!=r&&r.length>0?`${this.attribute}[${t}][${r.join("[")}`:`${this.attribute}[${e}]`}slug(e){return`${this.attribute}.${e}`}}},43665:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});const o={emits:["actionExecuted"],props:["resourceName","resourceId","resource","panel"],methods:{actionExecuted(){this.$emit("actionExecuted")}}}},70821:(e,t,r)=>{"use strict";r.d(t,{A:()=>l,T:()=>i});const o={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()}}}};function i(){return{copyValueToClipboard:e=>o.methods.copyValueToClipboard(e)}}const l=o},67564:(e,t,r)=>{"use strict";r.d(t,{A:()=>x});var o=r(53110),i=r(38221),l=r.n(i),a=r(52420),n=r.n(a),s=r(58156),c=r.n(s),d=r(83488),u=r.n(d),p=r(62193),h=r.n(p),m=r(71086),f=r.n(m),v=r(19377),g=r(87941),y=r(70393),b=r(21783);function k(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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?k(Object(r),!0).forEach((function(t){C(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):k(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function C(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const x={extends:v.A,emits:["field-shown","field-hidden"],props:w(w({},(0,g.r)(["shownViaNewRelationModal","field","viaResource","viaResourceId","viaRelationship","resourceName","resourceId","relatedResourceName","relatedResourceId"])),{},{syncEndpoint:{type:String,required:!1}}),data:()=>({dependentFieldDebouncer:null,canceller:null,watchedFields:{},watchedEvents:{},syncedField:null,pivot:!1,editMode:"create"}),created(){this.dependentFieldDebouncer=l()((e=>e()),50)},mounted(){(0,y.A)(this.relatedResourceName)?(this.pivot=!0,(0,y.A)(this.relatedResourceId)?this.editMode="update-attached":this.editMode="attach"):(0,y.A)(this.resourceId)&&(this.editMode="update"),h()(this.dependsOn)||n()(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(),h()(this.watchedEvents)||n()(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:f()({editing:!0,editMode:this.editMode,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,field:this.fieldAttribute,inline:this.shownViaNewRelationModal,component:this.field.dependentComponentKey},u()),cancelToken:new o.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),null==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,o.FZ)(e))throw e}))},revertSyncedFieldToPreviousValue(e){},onSyncedField(){},emitOnSyncedFieldValueChange(){this.emitFieldValueChange(this.field.attribute,this.currentField.value)},syncedFieldValueHasNotChanged(){const e=this.currentField.value;return(0,y.A)(e)?!(0,y.A)(this.value):null!=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||c()(this.syncedField,"extraAttributes.readonly")):Boolean(this.field.readonly||c()(this.field,"extraAttributes.readonly"))},dependsOn(){return this.field.dependsOn||[]},currentFieldValues(){return{[this.fieldAttribute]:this.value}},dependentFieldValues(){return w(w({},this.currentFieldValues),this.watchedFields)},encodedDependentFieldValues(){return btoa((0,b.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`}}}},33362:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(70393),i=r(56449),l=r.n(i);const a={props:["field"],methods:{isEqualsToValue(e){return l()(this.field.value)&&(0,o.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,o.A)(this.field.value)},usesCustomizedDisplay(){return this.field.usesCustomizedDisplay&&(0,o.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}}}},98868:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});const o={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 null!=this.formUniqueId&&""!==this.formUniqueId},fieldAttributeValueEventName(){return this.getFieldAttributeValueEventName(this.fieldAttribute)},fieldAttributeChangeEventName(){return this.getFieldAttributeChangeEventName(this.fieldAttribute)}}}},19377:(e,t,r)=>{"use strict";r.d(t,{A:()=>s});var o=r(58156),i=r.n(o),l=r(87941);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 n(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const s={extends:r(98868).A,props:function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?a(Object(r),!0).forEach((function(t){n(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):a(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({},(0,l.r)(["nested","shownViaNewRelationModal","field","viaResource","viaResourceId","viaRelationship","resourceName","resourceId","showHelpText","mode"])),emits:["field-changed"],data(){return{value:this.fieldDefaultValue()}},created(){this.setInitialValue()},mounted(){this.field.fill=this.fill,Nova.$on(this.fieldAttributeValueEventName,this.listenToValueChanges)},beforeUnmount(){Nova.$off(this.fieldAttributeValueEventName,this.listenToValueChanges)},methods:{setInitialValue(){this.value=void 0!==this.field.value&&null!==this.field.value?this.field.value:this.fieldDefaultValue()},fieldDefaultValue:()=>"",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||i()(this.field,"extraAttributes.readonly"))},isActionRequest(){return["action-fullscreen","action-modal"].includes(this.mode)}}}},45506:(e,t,r)=>{"use strict";r.d(t,{A:()=>l});var o=r(87941),i=r(50436);const l={emits:["file-upload-started","file-upload-finished"],props:(0,o.r)(["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 l=new FormData;if(l.append("Content-Type",e.type),l.append("attachment",e),l.append("draftId",this.draftId),null==t&&(t=()=>{}),null==o&&(o=()=>{}),null==r)throw"Missing onCompleted parameter";this.$emit("file-upload-started"),Nova.request().post(`/nova-api/${this.resourceName}/field-attachment/${this.fieldAttribute}`,l,{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 i.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=>{Nova.debug("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(null!=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)}}}},38019:(e,t,r)=>{"use strict";r.d(t,{A:()=>l});var o=r(87941),i=r(70393);const l={props:(0,o.r)(["field","resourceName","resourceId","viaResource","viaResourceId","viaRelationship","relatedResourceName","relatedResourceId","mode"]),methods:{async fetchPreviewContent(e){Nova.$progress.start();let t=null==this.resourceId?"create":"update",r=null==this.resourceId?`/nova-api/${this.resourceName}/field/${this.field.attribute}/preview`:`/nova-api/${this.resourceName}/${this.resourceId}/field/${this.field.attribute}/preview`;(0,i.A)(this.relatedResourceName)&&(t=null==this.relatedResourceId?"attach":"update-attached",r=`${r}/${this.relatedResourceName}`);const{data:{preview:o}}=await Nova.request().post(r,{value:e},{params:{editing:!0,editMode:t,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship}});return Nova.$progress.done(),o}}}},27409:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(50436);const i={props:{formUniqueId:{type:String}},data:()=>({validationErrors:new o.I}),methods:{handleResponseError(e){Nova.debug(e,"error"),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 o.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 o.I}}}},24852:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(38402);const i={emits:["field-shown","field-hidden"],data:()=>({visibleFieldsForPanel:null}),created(){this.visibleFieldsForPanel=(0,o.y)(this.panel,this.$emit)},methods:{handleFieldShown(e){this.visibleFieldsForPanel.handleFieldShown(e)},handleFieldHidden(e){this.visibleFieldsForPanel.handleFieldHidden(e)}},computed:{visibleFieldsCount(){return this.visibleFieldsForPanel.visibleFieldsCount}}}},64116:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});const o={data:()=>({isWorking:!1,fileUploadsCount:0}),methods:{handleFileUploadFinished(){this.fileUploadsCount--,this.fileUploadsCount<1&&(this.fileUploadsCount=0,this.isWorking=!1)},handleFileUploadStarted(){this.isWorking=!0,this.fileUploadsCount++}}}},95816:(e,t,r)=>{"use strict";r.d(t,{A:()=>n});var o=r(87941),i=r(50436);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 a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n={props:function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?l(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):l(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({errors:{default:()=>new i.I}},(0,o.r)(["field"])),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}`}}}},65256:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});const o={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 this.cards.filter((e=>1==e.onlyOnDetail)).length>0},extraCardParams:()=>null}}},48016:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});const o={computed:{resourceInformation(){return Nova.config("resources").find((e=>e.uriKey===this.resourceName))||null},viaResourceInformation(){if(this.viaResource)return Nova.config("resources").find((e=>e.uriKey===this.viaResource))||null},authorizedToCreate(){return!(["hasOneThrough","hasManyThrough"].indexOf(this.relationshipType)>=0)&&(this.resourceInformation?.authorizedToCreate||!1)}}}},15542:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(42740);const i={methods:{__:(e,t)=>(0,o.A)(e,t)}}},47965:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(86681);const i={props:{card:{type:Object,required:!0},dashboard:{type:String,required:!1},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},lens:{type:String,default:""}},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)},methods:{fetch(){this.loading=!0,(0,o.A)(Nova.request().get(this.metricEndpoint,this.metricPayload)).then(this.handleFetchCallback())},handleFetchCallback:()=>()=>{}},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/dashboards/cards/${this.dashboard}/metrics/${this.card.uriKey}`},metricPayload:()=>({})}}},79497:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(70393);const i={data:()=>({navigateBackUsingHistory:!0}),methods:{enableNavigateBackUsingHistory(){this.navigateBackUsingHistory=!1},disableNavigateBackUsingHistory(){this.navigateBackUsingHistory=!1},handleProceedingToPreviousPage(e=!1){e&&this.navigateBackUsingHistory&&window.history.back()},proceedToPreviousPage(e){(0,o.A)(e)?Nova.visit(e):Nova.visit("/")}}}},95094:(e,t,r)=>{"use strict";r.d(t,{A:()=>n});var o=r(66278);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 l(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n={props:{show:{type:Boolean,default:!1}},methods:l(l({},(0,o.PY)(["allowLeavingModal","preventLeavingModal"])),{},{updateModalStatus(){this.preventLeavingModal()},handlePreventModalAbandonment(e,t){if(!this.canLeaveModal)return window.confirm(this.__("Do you really want to leave? You have unsaved changes."))?(this.allowLeavingModal(),void e()):void t();e()}}),computed:l({},(0,o.L8)(["canLeaveModal"]))}},35229:(e,t,r)=>{"use strict";r.d(t,{x7:()=>i.A,pJ:()=>E,nl:()=>l.A,Tu:()=>h,Gj:()=>v.A,I:()=>me.I,IR:()=>K,S0:()=>W.A,pF:()=>Y,c_:()=>O.A,zB:()=>F.A,Qy:()=>D.A,Vo:()=>A.A,B5:()=>g.A,sK:()=>X.A,qR:()=>y.A,_w:()=>P.A,k6:()=>z.A,Kx:()=>he,Z4:()=>k,XJ:()=>V,Ye:()=>R.A,vS:()=>T,je:()=>_.A,Nw:()=>ee,dn:()=>te,Bz:()=>$,rd:()=>a.A,Uf:()=>n.A,IJ:()=>re,zJ:()=>I,rr:()=>o.r});var o=r(87941),i=r(43665),l=r(70821),a=r(79497),n=r(95094),s=r(87612),c=r.n(s);function d(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 u(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?d(Object(r),!0).forEach((function(t){p(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):d(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function p(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const h={methods:{openDeleteModal(){this.deleteModalOpen=!0},deleteResources(e,t=null){return this.viaManyToMany?this.detachResources(e):Nova.request({url:"/nova-api/"+this.resourceName,method:"delete",params:u(u({},this.deletableQueryString),{resources:m(e)})}).then(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:u(u({},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:u(u(u({},this.deletableQueryString),{resources:m(e)}),{pivots:f(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:u(u({},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:u(u({},this.deletableQueryString),{resources:m(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:u(u({},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:u(u({},this.deletableQueryString),{resources:m(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:u(u({},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 m(e){return e.map((e=>e.id.value))}function f(e){return c()(e.map((e=>e.id.pivotValue)))}var v=r(67564),g=r(27409),y=r(64116),b=r(30043);const k={computed:{userTimezone:()=>Nova.config("userTimezone")||Nova.config("timezone"),usesTwelveHourTime(){let e=(new Intl.DateTimeFormat).resolvedOptions().locale;return 12===(0,b.hourCycle)(e)}}};var w=r(66278),C=r(5187),x=r.n(C);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 B(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?N(Object(r),!0).forEach((function(t){S(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):N(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function S(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const V={async created(){this.syncQueryString()},methods:B(B({},(0,w.i0)(["syncQueryString","updateQueryString"])),{},{pushAfterUpdatingQueryString(e){return this.updateQueryString(e).then((({searchParams:e,nextUrl:t,page:r})=>(x()(t)||Nova.$router.push({component:r.component,url:t,encryptHistory:r.encryptHistory,reserveScroll:!0,preserveState:!0}),new Promise(((o,i)=>{o({searchParams:e,nextUrl:t,page:r})})))))},visitAfterUpdatingQueryString(e){return this.updateQueryString(e).then((({searchParams:e,nextUrl:t})=>(x()(t)||Nova.$router.visit(t),new Promise(((r,o)=>{r({searchParams:e,nextUrl:t,page})})))))}}),computed:(0,w.L8)(["queryStringParams"])};var R=r(48016);r(15542);const E={props:{collapsable:{type:Boolean,default:!0}},data:()=>({collapsed:!1}),created(){const e=localStorage.getItem(this.localStorageKey);"undefined"!==e&&!0===this.collapsable&&(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}};var _=r(47965),O=r(98868),F=r(19377),D=r(45506),A=r(38019),P=r(95816);const T={props:(0,o.r)(["resourceName","viaRelationship"]),computed:{localStorageKey(){let e=this.resourceName;return this.viaRelationship&&(e=`${e}.${this.viaRelationship}`),`nova.resources.${e}.collapsed`}}},I={data:()=>({withTrashed:!1}),methods:{toggleWithTrashed(){this.withTrashed=!this.withTrashed},enableWithTrashed(){this.withTrashed=!0},disableWithTrashed(){this.withTrashed=!1}}};var M=r(38221),j=r.n(M);const $={data:()=>({search:"",selectedResourceId:null,availableResources:[]}),methods:{selectResource(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.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:j()((e=>e()),500)}};var z=r(65256),L=r(42194),U=r.n(L);function q(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){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const K={computed:{suggestionsId(){return`${this.fieldAttribute}-list`},suggestions(){let e=null!=this.syncedField?this.syncedField:this.field;return null==e.suggestions?[]:e.suggestions},suggestionsAttributes(){return function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?q(Object(r),!0).forEach((function(t){H(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):q(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({},U()({list:this.suggestions.length>0?this.suggestionsId:null},(e=>null==e)))}}};var W=r(33362),G=r(83488),Q=r.n(G),Z=r(71086),J=r.n(Z);const Y={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.pushAfterUpdatingQueryString({[this.pageParameter]:1,[this.filterParameter]:""}),Nova.$emit("filter-reset")},filterChanged(){(this.$store.getters[`${this.resourceName}/filtersAreApplied`]||this.filterIsActive)&&(this.filterIsActive=!0,this.pushAfterUpdatingQueryString({[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`,J()({resourceName:this.resourceName,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,relationshipType:this.relationshipType,lens:e},Q())),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 X=r(24852);const ee={methods:{selectPreviousPage(){this.pushAfterUpdatingQueryString({[this.pageParameter]:this.currentPage-1})},selectNextPage(){this.pushAfterUpdatingQueryString({[this.pageParameter]:this.currentPage+1})}},computed:{currentPage(){return parseInt(this.queryStringParams[this.pageParameter]||1)}}},te={data:()=>({perPage:25}),methods:{initializePerPageFromQueryString(){this.perPage=this.currentPerPage},perPageChanged(){this.pushAfterUpdatingQueryString({[this.perPageParameter]:this.perPage})}},computed:{currentPerPage(){return this.queryStringParams[this.perPageParameter]||25}}},re={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(29726),ie=r(7309),le=r.n(ie),ae=r(79859),ne=r.n(ae),se=r(55808),ce=r.n(se);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 ue(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?de(Object(r),!0).forEach((function(t){pe(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):de(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function pe(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const he={mixins:[Y,V],props:ue(ue({},(0,o.r)(["resourceName","viaResource","viaResourceId","viaRelationship","relationshipType","disablePagination"])),{},{field:{type:Object},initialPerPage:{type:Number,required:!1}}),provide(){return{resourceHasId:(0,oe.computed)((()=>this.resourceHasId)),authorizedToViewAnyResources:(0,oe.computed)((()=>this.authorizedToViewAnyResources)),authorizedToUpdateAnyResources:(0,oe.computed)((()=>this.authorizedToUpdateAnyResources)),authorizedToDeleteAnyResources:(0,oe.computed)((()=>this.authorizedToDeleteAnyResources)),authorizedToRestoreAnyResources:(0,oe.computed)((()=>this.authorizedToRestoreAnyResources)),selectedResourcesCount:(0,oe.computed)((()=>this.selectedResources.length)),selectAllChecked:(0,oe.computed)((()=>this.selectAllChecked)),selectAllMatchingChecked:(0,oe.computed)((()=>this.selectAllMatchingChecked)),selectAllOrSelectAllMatchingChecked:(0,oe.computed)((()=>this.selectAllOrSelectAllMatchingChecked)),selectAllAndSelectAllMatchingChecked:(0,oe.computed)((()=>this.selectAllAndSelectAllMatchingChecked)),selectAllIndeterminate:(0,oe.computed)((()=>this.selectAllIndeterminate)),orderByParameter:(0,oe.computed)((()=>this.orderByParameter)),orderByDirectionParameter:(0,oe.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,resourceHasSoleActions:!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=j()((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(ne()(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.pushAfterUpdatingQueryString({[this.orderByParameter]:e.sortableUriKey,[this.orderByDirectionParameter]:t})},resetOrderBy(e){this.pushAfterUpdatingQueryString({[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.pushAfterUpdatingQueryString({[this.trashedParameter]:this.trashed})},updatePerPageChanged(e){this.perPage=e,this.perPageChanged()},selectPage(e){this.pushAfterUpdatingQueryString({[this.pageParameter]:e})},initializePerPageFromQueryString(){this.perPage=this.queryStringParams[this.perPageParameter]||this.initialPerPage||this.resourceInformation?.perPageOptions[0]||null},closeDeleteModal(){this.deleteModalOpen=!1},performSearch(){this.pushAfterUpdatingQueryString({[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 this.selectedResources.map((e=>e.id.value))},selectedPivotIds(){return this.selectedResources.map((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?ce()(this.field.singularLabel):this.resourceInformation?ce()(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)},shouldShowSelectAllCheckboxes(){return!1!==this.hasResources&&(!1!==this.resourceHasId&&(!(!this.authorizedToDeleteAnyResources&&!this.canShowDeleteMenu)||(!0===this.resourceHasActions||void 0)))},shouldShowCheckboxes(){return this.hasResources&&this.resourceHasId&&Boolean(this.resourceHasActions||this.resourceHasSoleActions||this.authorizedToDeleteAnyResources||this.canShowDeleteMenu)},shouldShowDeleteMenu(){return Boolean(this.selectedResources.length>0)&&this.canShowDeleteMenu},authorizedToDeleteSelectedResources(){return Boolean(le()(this.selectedResources,(e=>e.authorizedToDelete)))},authorizedToForceDeleteSelectedResources(){return Boolean(le()(this.selectedResources,(e=>e.authorizedToForceDelete)))},authorizedToViewAnyResources(){return this.resources.length>0&&this.resourceHasId&&Boolean(le()(this.resources,(e=>e.authorizedToView)))},authorizedToUpdateAnyResources(){return this.resources.length>0&&this.resourceHasId&&Boolean(le()(this.resources,(e=>e.authorizedToUpdate)))},authorizedToDeleteAnyResources(){return this.resources.length>0&&this.resourceHasId&&Boolean(le()(this.resources,(e=>e.authorizedToDelete)))},authorizedToForceDeleteAnyResources(){return this.resources.length>0&&this.resourceHasId&&Boolean(le()(this.resources,(e=>e.authorizedToForceDelete)))},authorizedToRestoreSelectedResources(){return this.resourceHasId&&Boolean(le()(this.selectedResources,(e=>e.authorizedToRestore)))},authorizedToRestoreAnyResources(){return this.resources.length>0&&this.resourceHasId&&Boolean(le()(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 this.allActions.filter((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}}};var me=r(50436)},80510:(e,t,r)=>{"use strict";r.r(t),r.d(t,{BehavesAsPanel:()=>n.A,CopiesToClipboard:()=>i.A,DependentFormField:()=>s.A,Errors:()=>C.I,FieldValue:()=>m.A,FormEvents:()=>f.A,FormField:()=>v.A,HandlesFieldAttachments:()=>g.A,HandlesFieldPreviews:()=>y.A,HandlesFormRequest:()=>c.A,HandlesPanelVisibility:()=>w.A,HandlesUploads:()=>d.A,HandlesValidationErrors:()=>b.A,HasCards:()=>k.A,InteractsWithResourceInformation:()=>u.A,Localization:()=>p.A,MetricBehavior:()=>h.A,PreventsFormAbandonment:()=>l.A,PreventsModalAbandonment:()=>a.A,mapProps:()=>o.r,useCopyValueToClipboard:()=>i.T,useLocalization:()=>x.B});var o=r(87941),i=r(70821),l=r(79497),a=r(95094),n=r(43665),s=r(67564),c=r(27409),d=r(64116),u=r(48016),p=r(15542),h=r(47965),m=r(33362),f=r(98868),v=r(19377),g=r(45506),y=r(38019),b=r(95816),k=r(65256),w=r(24852),C=r(50436),x=r(65835)},87941:(e,t,r)=>{"use strict";r.d(t,{r:()=>a});var o=r(44383),i=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 a(e){return i()(l,e)}},1242:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});const o={fetchAvailableResources:(e,t,r)=>Nova.request().get(`/nova-api/${e}/associatable/${t}`,r),determineIfSoftDeletes:e=>Nova.request().get(`/nova-api/${e}/soft-deletes`)}},52191:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(70393);const i={fetchAvailableResources(e,t,r,i){const l=(0,o.A)(t)?`/nova-api/${e}/${t}/attachable/${r}`:`/nova-api/${e}/attachable/${r}`;return Nova.request().get(l,i)},determineIfSoftDeletes:e=>Nova.request().get(`/nova-api/${e}/soft-deletes`)}},25019:(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`)}},50436:(e,t,r)=>{"use strict";r.d(t,{I:()=>p,l:()=>u});const o=["__http","__options","__validateRequestType","clear","data","delete","errors","getError","getErrors","hasError","initial","onFail","only","onSuccess","patch","populate","post","processing","successful","put","reset","submit","withData","withErrors","withOptions"];function i(e){if(-1!==o.indexOf(e))throw new Error(`Field name ${e} isn't allowed to be used in a Form or Errors instance.`)}function l(e){return e instanceof File||e instanceof FileList}function a(e,t){for(const r in t)e[r]=n(t[r])}function n(e){if(null===e)return null;if(l(e))return e;if(Array.isArray(e)){const t=[];for(const r in e)e.hasOwnProperty(r)&&(t[r]=n(e[r]));return t}if("object"==typeof e){const t={};for(const r in e)e.hasOwnProperty(r)&&(t[r]=n(e[r]));return t}return e}function s(e,t=new FormData,r=null){if(null===e||"undefined"===e||0===e.length)return t.append(r,e);for(const o in e)e.hasOwnProperty(o)&&d(t,c(r,o),e[o]);return t}function c(e,t){return e?e+"["+t+"]":t}function d(e,t,r){return r instanceof Date?e.append(t,r.toISOString()):r instanceof File?e.append(t,r,r.name):"boolean"==typeof r?e.append(t,r?"1":"0"):null===r?e.append(t,""):"object"!=typeof r?e.append(t,r):void s(r,e,t)}class u{constructor(e={},t={}){this.processing=!1,this.successful=!1,this.withData(e).withOptions(t).withErrors({})}withData(e){var t;t=e,"[object Array]"===Object.prototype.toString.call(t)&&(e=e.reduce(((e,t)=>(e[t]="",e)),{})),this.setInitialValues(e),this.errors=new p,this.processing=!1,this.successful=!1;for(const t in e)i(t),this[t]=e[t];return this}withErrors(e){return this.errors=new p(e),this}withOptions(e){this.__options={resetOnSuccess:!0},e.hasOwnProperty("resetOnSuccess")&&(this.__options.resetOnSuccess=e.resetOnSuccess),e.hasOwnProperty("onSuccess")&&(this.onSuccess=e.onSuccess),e.hasOwnProperty("onFail")&&(this.onFail=e.onFail);const t="undefined"!=typeof window&&window.axios;if(this.__http=e.http||t||r(86425),!this.__http)throw new Error("No http library provided. Either pass an http option, or install axios.");return this}data(){const e={};for(const t in this.initial)e[t]=this[t];return e}only(e){return e.reduce(((e,t)=>(e[t]=this[t],e)),{})}reset(){a(this,this.initial),this.errors.clear()}setInitialValues(e){this.initial={},a(this.initial,e)}populate(e){return Object.keys(e).forEach((t=>{i(t),this.hasOwnProperty(t)&&a(this,{[t]:e[t]})})),this}clear(){for(const e in this.initial)this[e]="";this.errors.clear()}post(e){return this.submit("post",e)}put(e){return this.submit("put",e)}patch(e){return this.submit("patch",e)}delete(e){return this.submit("delete",e)}submit(e,t){return this.__validateRequestType(e),this.errors.clear(),this.processing=!0,this.successful=!1,new Promise(((r,o)=>{this.__http[e](t,this.hasFiles()?s(this.data()):this.data()).then((e=>{this.processing=!1,this.onSuccess(e.data),r(e.data)})).catch((e=>{this.processing=!1,this.onFail(e),o(e)}))}))}hasFiles(){for(const e in this.initial)if(this.hasFilesDeep(this[e]))return!0;return!1}hasFilesDeep(e){if(null===e)return!1;if("object"==typeof e)for(const t in e)if(e.hasOwnProperty(t)&&this.hasFilesDeep(e[t]))return!0;if(Array.isArray(e))for(const t in e)if(e.hasOwnProperty(t))return this.hasFilesDeep(e[t]);return l(e)}onSuccess(e){this.successful=!0,this.__options.resetOnSuccess&&this.reset()}onFail(e){this.successful=!1,e.response&&e.response.data.errors&&this.errors.record(e.response.data.errors)}hasError(e){return this.errors.has(e)}getError(e){return this.errors.first(e)}getErrors(e){return this.errors.get(e)}__validateRequestType(e){const t=["get","delete","head","post","put","patch"];if(-1===t.indexOf(e))throw new Error(`\`${e}\` is not a valid request type, must be one of: \`${t.join("`, `")}\`.`)}static create(e={}){return(new u).withData(e)}}class p{constructor(e={}){this.record(e)}all(){return this.errors}has(e){let t=this.errors.hasOwnProperty(e);if(!t){t=Object.keys(this.errors).filter((t=>t.startsWith(`${e}.`)||t.startsWith(`${e}[`))).length>0}return t}first(e){return this.get(e)[0]}get(e){return this.errors[e]||[]}any(e=[]){if(0===e.length)return Object.keys(this.errors).length>0;let t={};return e.forEach((e=>t[e]=this.get(e))),t}record(e={}){this.errors=e}clear(e){if(!e)return void(this.errors={});let t=Object.assign({},this.errors);Object.keys(t).filter((t=>t===e||t.startsWith(`${e}.`)||t.startsWith(`${e}[`))).forEach((e=>delete t[e])),this.errors=t}}},21783:(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})},70393:(e,t,r)=>{"use strict";function o(e){return Boolean(null!=e&&""!==e)}r.d(t,{A:()=>o})},30043:(e,t,r)=>{"use strict";r.r(t),r.d(t,{filled:()=>o.A,hourCycle:()=>i,increaseOrDecrease:()=>l,minimum:()=>a.A,singularOrPlural:()=>u});var o=r(70393);function i(e){let t=Intl.DateTimeFormat(e,{hour:"numeric"}).resolvedOptions().hourCycle;return"h23"==t||"h24"==t?24:12}function l(e,t){return 0===t?null:e>t?(e-t)/Math.abs(t)*100:(t-e)/Math.abs(t)*-100}var a=r(86681),n=r(23727),s=r.n(n),c=r(85015),d=r.n(c);function u(e,t){return d()(t)&&null==t.match(/^(.*)[A-Za-zÀ-ÖØ-öø-ÿ]$/)?t:e>1||0==e?s().pluralize(t):s().singularize(t)}},42740:(e,t,r)=>{"use strict";function o(e,t){let r=Nova.config("translations")[e]?Nova.config("translations")[e]:e;return Object.entries(t??{}).forEach((([e,t])=>{if(e=new String(e),null===t)return void console.error(`Translation '${r}' for key '${e}' contains a null replacement.`);t=new String(t);const o=[":"+e,":"+e.toUpperCase(),":"+e.charAt(0).toUpperCase()+e.slice(1)],i=[t,t.toUpperCase(),t.charAt(0).toUpperCase()+t.slice(1)];for(let e=o.length-1;e>=0;e--)r=r.replace(o[e],i[e])})),r}r.d(t,{A:()=>o})},86681:(e,t,r)=>{"use strict";function o(e,t=100){return Promise.all([e,new Promise((e=>{setTimeout((()=>e()),t)}))]).then((e=>e[0]))}r.d(t,{A:()=>o})},43478:()=>{},65215:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726),i=r(65703),l=r(66278);const a={value:"",disabled:"",selected:""},n={__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=t,n=e,s=(0,o.ref)(""),c=(0,l.Pj)(),{errors:d,actionModalVisible:u,responseModalVisible:p,openConfirmationModal:h,closeConfirmationModal:m,closeResponseModal:f,handleActionClick:v,selectedAction:g,setSelectedActionKey:y,determineActionStrategy:b,working:k,executeAction:w,availableActions:C,availablePivotActions:x,actionResponseData:N}=(0,i.d)(n,r,c);(0,o.watch)(s,(e=>{""!=e&&(y(e),b(),(0,o.nextTick)((()=>s.value="")))}));const B=(0,o.computed)((()=>[...C.value.map((e=>({value:e.uriKey,label:e.name,disabled:!1===e.authorizedToRun}))),...x.value.map((e=>({group:n.pivotName,value:e.uriKey,label:e.name,disabled:!1===e.authorizedToRun})))]));return(t,r)=>{const i=(0,o.resolveComponent)("SelectControl");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[B.value.length>0?((0,o.openBlock)(),(0,o.createBlock)(i,(0,o.mergeProps)({key:0},t.$attrs,{ref:"actionSelectControl",modelValue:s.value,"onUpdate:modelValue":r[0]||(r[0]=e=>s.value=e),options:B.value,size:"xs",class:{"max-w-[6rem]":"auto"===e.width,"w-full":"full"===e.width},dusk:"action-select","aria-label":t.__("Select Action")}),{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",a,(0,o.toDisplayString)(t.__("Actions")),1)])),_:1},16,["modelValue","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)(k),"selected-resources":e.selectedResources,"resource-name":e.resourceName,action:(0,o.unref)(g),errors:(0,o.unref)(d),onConfirm:(0,o.unref)(w),onClose:(0,o.unref)(m)},null,40,["show","working","selected-resources","resource-name","action","errors","onConfirm","onClose"])):(0,o.createCommentVNode)("",!0),(0,o.unref)(p)?((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)((0,o.unref)(N)?.modal),{key:2,show:(0,o.unref)(p),onConfirm:(0,o.unref)(f),onClose:(0,o.unref)(f),data:(0,o.unref)(N)},null,40,["show","onConfirm","onClose","data"])):(0,o.createCommentVNode)("",!0)],64)}}};const s=(0,r(66262).A)(n,[["__file","ActionSelector.vue"]])},72172:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i=Object.assign({inheritAttrs:!1},{__name:"AppLogo",setup(e){const t=(0,o.computed)((()=>Nova.config("logo")));return(e,r)=>{const i=(0,o.resolveComponent)("PassthroughLogo");return t.value?((0,o.openBlock)(),(0,o.createBlock)(i,{key:0,logo:t.value,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"},r[0]||(r[0]=[(0,o.createStaticVNode)('<defs><radialGradient cx="-4.619%" cy="6.646%" fx="-4.619%" fy="6.646%" r="101.342%" gradientTransform="matrix(.8299 .53351 -.5579 .79363 .03 .038)" id="a"><stop stop-color="#00FFC4" offset="0%"></stop><stop stop-color="#00E1FF" offset="100%"></stop></radialGradient></defs><g fill-rule="nonzero" fill="none"><path d="M30.343 9.99a14.757 14.757 0 0 1 .046 20.972 18.383 18.383 0 0 1-13.019 5.365A18.382 18.382 0 0 1 3.272 29.79c7.209 5.955 17.945 5.581 24.713-1.118a11.477 11.477 0 0 0 0-16.345c-4.56-4.514-11.953-4.514-16.513 0a4.918 4.918 0 0 0 0 7.006 5.04 5.04 0 0 0 7.077 0 1.68 1.68 0 0 1 2.359 0 1.639 1.639 0 0 1 0 2.333 8.4 8.4 0 0 1-11.794 0 8.198 8.198 0 0 1 0-11.674c5.861-5.805 15.366-5.805 21.229 0ZM17.37 0a18.38 18.38 0 0 1 14.097 6.538C24.257.583 13.52.958 6.756 7.653v.002a11.477 11.477 0 0 0 0 16.346c4.558 4.515 11.95 4.515 16.51 0a4.918 4.918 0 0 0 0-7.005 5.04 5.04 0 0 0-7.077 0 1.68 1.68 0 0 1-2.358 0 1.639 1.639 0 0 1 0-2.334 8.4 8.4 0 0 1 11.794 0 8.198 8.198 0 0 1 0 11.674c-5.862 5.805-15.367 5.805-21.23 0a14.756 14.756 0 0 1-.02-20.994A18.383 18.383 0 0 1 17.37 0Z" fill="url(#a)"></path><path d="M59.211 27.49a1.68 1.68 0 0 0 1.69-1.69 1.68 1.68 0 0 0-1.69-1.69h-6.88V12.306c0-1.039-.82-1.86-1.86-1.86-1.037 0-1.858.821-1.858 1.86v13.325c0 1.039.82 1.858 1.859 1.858h8.74Zm9.318-13.084c2.004 0 3.453.531 4.37 1.448.965.967 1.4 2.39 1.4 4.13v5.888c0 .99-.798 1.763-1.787 1.763-1.062 0-1.763-.749-1.763-1.52v-.026c-.893.99-2.123 1.642-3.91 1.642-2.438 0-4.441-1.4-4.441-3.959v-.048c0-2.824 2.148-4.128 5.214-4.128a9.195 9.195 0 0 1 3.163.532v-.218c0-1.521-.944-2.366-2.777-2.366a8.416 8.416 0 0 0-2.535.361 1.525 1.525 0 0 1-.53.098c-.846 0-1.521-.652-1.521-1.496 0-.635.394-1.203.989-1.425 1.16-.435 2.414-.676 4.128-.676Zm-.05 7.387c-1.567 0-2.533.628-2.533 1.786v.047c0 .99.821 1.57 2.005 1.57h-.001l.195-.004c1.541-.066 2.59-.915 2.672-2.113l.005-.151v-.653c-.628-.289-1.448-.482-2.342-.482Zm10.817 5.842c1.014 0 1.833-.82 1.833-1.835v-3.428c0-2.607 1.04-4.03 2.898-4.465.748-.17 1.375-.75 1.375-1.714 0-1.04-.652-1.787-1.785-1.787-1.088 0-1.956 1.159-2.486 2.415v-.58a1.835 1.835 0 1 0-3.67 0v9.56c0 1.013.82 1.833 1.833 1.833l.002.001Zm13.01-13.229c2.005 0 3.453.531 4.37 1.448.965.967 1.4 2.39 1.4 4.13v5.888c0 .99-.797 1.763-1.786 1.763-1.063 0-1.763-.749-1.763-1.52v-.026c-.893.99-2.123 1.643-3.911 1.643-2.438-.001-4.44-1.401-4.44-3.96v-.048c0-2.824 2.148-4.128 5.214-4.128a9.195 9.195 0 0 1 3.162.532v-.218c0-1.521-.943-2.366-2.776-2.366a8.416 8.416 0 0 0-2.535.361 1.525 1.525 0 0 1-.53.098c-.847 0-1.522-.652-1.522-1.496 0-.635.395-1.203.99-1.425 1.16-.435 2.413-.676 4.127-.676Zm-.048 7.387c-1.568 0-2.534.628-2.534 1.786v.047c0 .99.821 1.57 2.003 1.57 1.714 0 2.872-.94 2.872-2.268v-.653c-.627-.289-1.447-.482-2.341-.482Zm14.17 5.963c.99 0 1.667-.653 2.076-1.593l3.959-9.15c.072-.169.194-.555.194-.869a1.736 1.736 0 0 0-1.764-1.738c-.965 0-1.472.628-1.712 1.255l-2.825 7.556-2.775-7.508c-.267-.748-.798-1.303-1.788-1.303-.989 0-1.786.845-1.786 1.714 0 .338.097.652.194.894l3.959 9.149c.41.965 1.086 1.593 2.075 1.593h.194-.001Zm13.977-13.447c4.321 0 6.228 3.55 6.228 6.228 0 1.063-.748 1.763-1.714 1.763h-7.265c.362 1.665 1.52 2.535 3.162 2.535a4.237 4.237 0 0 0 2.607-.87 1.37 1.37 0 0 1 .894-.29c.82 0 1.423.63 1.423 1.449 0 .483-.216.846-.483 1.086-1.134.967-2.607 1.57-4.49 1.57-3.886 0-6.758-2.728-6.758-6.687v-.047c0-3.695 2.63-6.737 6.396-6.737Zm0 2.945c-1.52 0-2.51 1.086-2.8 2.753h5.528c-.217-1.642-1.183-2.753-2.728-2.753Zm11.033 10.381c1.014 0 1.833-.82 1.833-1.835V11.556a1.834 1.834 0 0 0-3.668 0V25.8c0 1.014.82 1.833 1.833 1.833l.002.003Zm14.75 0c1.013 0 1.833-.82 1.833-1.835v-9.053l7.435 9.753c.507.653 1.039 1.086 1.93 1.086h.123c1.037 0 1.858-.82 1.858-1.858V12.283a1.835 1.835 0 0 0-3.67 0v8.713l-7.17-9.415c-.505-.651-1.037-1.086-1.93-1.086h-.386c-1.038 0-1.859.821-1.859 1.859v13.445c0 1.014.82 1.836 1.834 1.836h.001Zm23.244-13.326c4.007 0 6.976 2.97 6.976 6.687v.048c0 3.719-2.993 6.735-7.024 6.735-4.007 0-6.976-2.97-6.976-6.686v-.047c0-3.719 2.993-6.737 7.024-6.737Zm-.048 3.163c-2.1 0-3.355 1.617-3.355 3.524v.048c0 1.907 1.375 3.573 3.403 3.573 2.1 0 3.355-1.617 3.355-3.524v-.049c0-1.905-1.375-3.572-3.403-3.572Zm14.798 10.284c.99 0 1.664-.653 2.076-1.593l3.958-9.15c.072-.169.195-.555.195-.869a1.736 1.736 0 0 0-1.764-1.738c-.966 0-1.473.628-1.713 1.255l-2.825 7.556-2.777-7.508c-.264-.748-.796-1.303-1.786-1.303-.989 0-1.786.845-1.786 1.714 0 .338.097.652.194.894l3.959 9.149c.41.965 1.086 1.593 2.075 1.593h.194Zm13.76-13.35c2.003 0 3.451.531 4.368 1.448.967.967 1.4 2.39 1.4 4.13v5.888c0 .99-.796 1.763-1.786 1.763-1.061 0-1.761-.749-1.761-1.52v-.026c-.894.99-2.126 1.642-3.91 1.642-2.44 0-4.444-1.4-4.444-3.959v-.048c0-2.824 2.149-4.128 5.215-4.128a9.195 9.195 0 0 1 3.162.532v-.218c0-1.521-.942-2.366-2.776-2.366a8.416 8.416 0 0 0-2.535.361 1.52 1.52 0 0 1-.53.098c-.845 0-1.522-.652-1.522-1.496 0-.636.395-1.204.99-1.425 1.159-.435 2.415-.676 4.129-.676Zm-.049 7.387c-1.57 0-2.535.628-2.535 1.786v.047c0 .99.821 1.57 2.004 1.57 1.714 0 2.873-.94 2.873-2.268v-.653c-.628-.289-1.449-.482-2.342-.482Z" class="fill-current text-gray-600 dark:text-white"></path></g>',2)]),2))}}});const l=(0,r(66262).A)(i,[["__file","AppLogo.vue"]])},39383:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["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,i))}};const a=(0,r(66262).A)(l,[["__file","Avatar.vue"]])},62953:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i=Object.assign({inheritAttrs:!1},{__name:"Backdrop",props:{show:{type:Boolean,default:!1}},setup(e){const t=(0,o.ref)(),r=()=>{t.value=window.scrollY};return(0,o.onMounted)((()=>{r(),document.addEventListener("scroll",r)})),(0,o.onBeforeUnmount)((()=>{document.removeEventListener("scroll",r)})),(r,i)=>(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("div",(0,o.mergeProps)(r.$attrs,{class:"absolute inset-0 h-full",style:{top:`${t.value}px`}}),null,16)),[[o.vShow,e.show]])}});const l=(0,r(66262).A)(i,[["__file","Backdrop.vue"]])},57091:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={__name:"Badge",props:{label:{type:[Boolean,String],required:!1},extraClasses:{type:[Array,String],required:!1}},setup:e=>(t,r)=>((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",e.extraClasses])},[(0,o.renderSlot)(t.$slots,"icon"),(0,o.renderSlot)(t.$slots,"default",{},(()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.label),1)]))],2))};const l=(0,r(66262).A)(i,[["__file","Badge.vue"]])},82958:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={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={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("span",i,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","CircleBadge.vue"]])},95564:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);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 l(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n={emits:["change"],props:{resourceName:{type:String,required:!0},filter:Object,option:Object,label:{default:"name"}},methods:{labelFor(e){return e[this.label]||""},updateCheckedState(e,t){let r=l(l({},this.filter.currentValue),{},{[e]:t});this.$store.commit(`${this.resourceName}/updateFilterState`,{filterClass:this.filter.class,value:r}),this.$emit("change")}},computed:{isChecked(){return 1==this.$store.getters[`${this.resourceName}/filterOptionValue`](this.filter.class,this.option.value)}}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("CheckboxWithLabel");return(0,o.openBlock)(),(0,o.createBlock)(n,{dusk:`${r.option.value}-checkbox`,checked:a.isChecked,onInput:t[0]||(t[0]=e=>a.updateCheckedState(r.option.value,e.target.checked))},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.labelFor(r.option)),1)])),_:1},8,["dusk","checked"])}],["__file","BooleanOption.vue"]])},1780:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726),i=r(38221),l=r.n(i);const a={__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});return(i,l)=>{const a=(0,o.resolveComponent)("CopyIcon");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onClick:l[0]||(l[0]=(...e)=>(0,o.unref)(r)&&(0,o.unref)(r)(...e)),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)(i.$slots,"default"),e.withIcon?((0,o.openBlock)(),(0,o.createBlock)(a,{key:0,copied:t.value},null,8,["copied"])):(0,o.createCommentVNode)("",!0)],2)}}};const n=(0,r(66262).A)(a,[["__file","CopyButton.vue"]])},77518:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);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 l(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n=Object.assign({inheritAttrs:!1},{__name:"InertiaButton",props:{size:{type:String,default:"md",validator:e=>["sm","md"].includes(e)},variant:{type:String,default:"button",validator:e=>["button","outline"].includes(e)}},setup(e){const t=e,r=(0,o.computed)((()=>"button"===t.variant?{"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":!0,"px-4 h-9 text-sm":"md"===t.size,"px-3 h-7 text-xs":"sm"===t.size}:"focus:outline-none ring-primary-200 dark:ring-gray-600 focus:ring-2 rounded border-2 border-gray-200 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"));return(e,t)=>{const i=(0,o.resolveComponent)("Link");return(0,o.openBlock)(),(0,o.createBlock)(i,(0,o.mergeProps)(l(l({},e.$props),e.$attrs),{class:r.value}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},16,["class"])}}});const s=(0,r(66262).A)(n,[["__file","InertiaButton.vue"]])},23105:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726),i=r(74640);const l={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"},a={__name:"InvertedButton",props:{iconType:{type:String,default:"plus-circle"}},setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("button",l,[(0,o.createVNode)((0,o.unref)(i.Icon),{name:e.iconType,class:"inline-block"},null,8,["name"]),(0,o.createElementVNode)("span",null,[(0,o.renderSlot)(t.$slots,"default")])]))};const n=(0,r(66262).A)(a,[["__file","InvertedButton.vue"]])},61070:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"relative overflow-hidden bg-white dark:bg-gray-800 rounded-lg shadow"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","Card.vue"]])},40506:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:{card:{type:Object,required:!0},resource:{type:Object,required:!1},dashboard:{type:String,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)(i,[["render",function(e,t,r,i,l,a){return(0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(r.card.component),{class:(0,o.normalizeClass)([[a.widthClass,a.heightClass],"h-full"]),key:`${r.card.component}.${r.card.uriKey}`,card:r.card,dashboard:r.dashboard,resource:r.resource,resourceName:r.resourceName,resourceId:r.resourceId,lens:r.lens},null,8,["class","card","dashboard","resource","resourceName","resourceId","lens"])}],["__file","CardWrapper.vue"]])},90581:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:1,class:"grid md:grid-cols-12 gap-6"};var l=r(35229),a=r(70393);const n={mixins:[l.pJ],props:{cards:Array,resource:{type:Object,required:!1},dashboard:{type:String,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?this.cards.filter((e=>1==e.onlyOnDetail)):this.cards.filter((e=>0==e.onlyOnDetail))},localStorageKey(){let e=this.resourceName;return e=(0,a.A)(this.dashboard)?`dashboard.${this.dashboard}`:(0,a.A)(this.lens)?`lens.${e}.${this.lens}`:(0,a.A)(this.resourceId)?`resource.${e}.${this.resourceId}`:`resource.${e}`,`nova.cards.${e}.collapsed`}}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,l,a,n){const s=(0,o.resolveComponent)("CollapseButton"),c=(0,o.resolveComponent)("CardWrapper");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[n.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),n.filteredCards.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(n.filteredCards,(t=>(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(c,{card:t,dashboard:r.dashboard,resource:r.resource,"resource-name":r.resourceName,"resource-id":r.resourceId,key:`${t.component}.${t.uriKey}`,lens:r.lens},null,8,["card","dashboard","resource","resource-name","resource-id","lens"])),[[o.vShow,!e.collapsed]]))),128))])):(0,o.createCommentVNode)("",!0)])}],["__file","Cards.vue"]])},29433:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>k});var o=r(29726);const i={class:"flex justify-center items-center"},l={class:"w-full"},a={class:"md:grid md:grid-cols-2"},n={class:"border-r border-b border-gray-200 dark:border-gray-700"},s=["href"],c={class:"border-b border-gray-200 dark:border-gray-700"},d=["href"],u={class:"border-r border-b border-gray-200 dark:border-gray-700"},p=["href"],h={class:"border-b border-gray-200 dark:border-gray-700"},m=["href"],f={class:"border-r md:border-b-0 border-b border-gray-200 dark:border-gray-700"},v=["href"],g={class:"md:border-b-0 border-b border-gray-200 dark:border-gray-700"},y=["href"],b=Object.assign({name:"Help"},{__name:"HelpCard",props:{card:Object},setup(e){const t=(0,o.computed)((()=>{const e=Nova.config("version").split(".");return e.splice(-2),`${e}.0`}));function r(e){return`https://nova.laravel.com/docs/${t.value}/${e}`}return(e,t)=>{const b=(0,o.resolveComponent)("Heading"),k=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(b,null,{default:(0,o.withCtx)((()=>t[0]||(t[0]=[(0,o.createTextVNode)("Get Started")]))),_:1}),t[19]||(t[19]=(0,o.createElementVNode)("p",{class:"leading-tight mt-3"}," Welcome to Nova! Get familiar with Nova and explore its features in the documentation: ",-1)),(0,o.createVNode)(k,{class:"mt-8"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("a",{href:r("resources"),class:"no-underline flex p-6"},[t[3]||(t[3]=(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)),(0,o.createElementVNode)("div",null,[(0,o.createVNode)(b,{level:3},{default:(0,o.withCtx)((()=>t[1]||(t[1]=[(0,o.createTextVNode)("Resources")]))),_:1}),t[2]||(t[2]=(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))])],8,s)]),(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("a",{href:r("actions/defining-actions.html"),class:"no-underline flex p-6"},[t[6]||(t[6]=(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)),(0,o.createElementVNode)("div",null,[(0,o.createVNode)(b,{level:3},{default:(0,o.withCtx)((()=>t[4]||(t[4]=[(0,o.createTextVNode)("Actions")]))),_:1}),t[5]||(t[5]=(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))])],8,d)]),(0,o.createElementVNode)("div",u,[(0,o.createElementVNode)("a",{href:r("filters/defining-filters.html"),class:"no-underline flex p-6"},[t[9]||(t[9]=(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)),(0,o.createElementVNode)("div",null,[(0,o.createVNode)(b,{level:3},{default:(0,o.withCtx)((()=>t[7]||(t[7]=[(0,o.createTextVNode)("Filters")]))),_:1}),t[8]||(t[8]=(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))])],8,p)]),(0,o.createElementVNode)("div",h,[(0,o.createElementVNode)("a",{href:r("lenses/defining-lenses.html"),class:"no-underline flex p-6"},[t[12]||(t[12]=(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)),(0,o.createElementVNode)("div",null,[(0,o.createVNode)(b,{level:3},{default:(0,o.withCtx)((()=>t[10]||(t[10]=[(0,o.createTextVNode)("Lenses")]))),_:1}),t[11]||(t[11]=(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))])],8,m)]),(0,o.createElementVNode)("div",f,[(0,o.createElementVNode)("a",{href:r("metrics/defining-metrics.html"),class:"no-underline flex p-6"},[t[15]||(t[15]=(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)),(0,o.createElementVNode)("div",null,[(0,o.createVNode)(b,{level:3},{default:(0,o.withCtx)((()=>t[13]||(t[13]=[(0,o.createTextVNode)("Metrics")]))),_:1}),t[14]||(t[14]=(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))])],8,v)]),(0,o.createElementVNode)("div",g,[(0,o.createElementVNode)("a",{href:r("customization/cards.html"),class:"no-underline flex p-6"},[t[18]||(t[18]=(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)),(0,o.createElementVNode)("div",null,[(0,o.createVNode)(b,{level:3},{default:(0,o.withCtx)((()=>t[16]||(t[16]=[(0,o.createTextVNode)("Cards")]))),_:1}),t[17]||(t[17]=(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))])],8,y)])])])),_:1})])])}}});const k=(0,r(66262).A)(b,[["__file","HelpCard.vue"]])},63136:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["disabled","checked"],l={__name:"Checkbox",props:{checked:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1}},emits:["input"],setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("input",{type:"checkbox",class:"checkbox",disabled:e.disabled,checked:e.checked,onChange:r[0]||(r[0]=e=>t.$emit("input",e)),onClick:r[1]||(r[1]=(0,o.withModifiers)((()=>{}),["stop"]))},null,40,i))};const a=(0,r(66262).A)(l,[["__file","Checkbox.vue"]])},35893:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={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 a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){const s=(0,o.resolveComponent)("Checkbox");return(0,o.openBlock)(),(0,o.createElementBlock)("label",i,[(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"]])},65764:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:{collapsed:{type:Boolean,default:!1}}};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("IconArrow");return(0,o.openBlock)(),(0,o.createBlock)(n,{class:(0,o.normalizeClass)(["transform",{"ltr:-rotate-90 rtl:rotate-90":r.collapsed}])},null,8,["class"])}],["__file","CollapseButton.vue"]])},96813:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726),i=r(66278),l=r(1882),a=r.n(l);const n={__name:"ConfirmsPassword",props:{modal:{default:"ConfirmsPasswordModal"},required:{type:Boolean,default:!0},mode:{type:String,default:"timeout",validator:(e,t)=>["always","timeout"].includes(e)},title:{type:[String,null],default:null},content:{type:[String,null],default:null},button:{type:[String,null],default:null}},emits:["confirmed"],setup(e,{emit:t}){const r=t,l=e,{confirming:n,confirmed:s,confirmingPassword:c,passwordConfirmed:d,cancelConfirming:u}=function(e){const t=(0,i.Pj)(),r=(0,o.ref)(!1),l=(0,o.computed)((()=>t.getters.currentUserPasswordConfirmed)),n=()=>{r.value=!1,e("confirmed"),t.dispatch("passwordConfirmed")};return{confirming:r,confirmed:l,confirmingPassword:({verifyUsing:e,confirmedUsing:o,mode:i,required:s})=>(null==l&&t.dispatch("confirmedPasswordStatus"),null==o&&(o=()=>n()),"always"===i?(r.value=!0,void(a()(e)&&e())):!1===s||!0===l.value?(r.value=!1,void(a()(o)&&o())):(r.value=!0,void(a()(e)&&e()))),passwordConfirmed:n,cancelConfirming:()=>{r.value=!1,t.dispatch("passwordUnconfirmed")}}}(r),p=e=>{c({mode:l.mode,required:l.required})};return(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("span",null,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.modal),{show:(0,o.unref)(n),title:e.title,content:e.content,button:e.button,onConfirm:(0,o.unref)(d),onClose:(0,o.unref)(u)},null,40,["show","title","content","button","onConfirm","onClose"])),!(0,o.unref)(s)&&!t.$slots.unconfirmed||(0,o.unref)(s)&&!t.$slots.confirmed?((0,o.openBlock)(),(0,o.createElementBlock)("span",{key:0,onClick:(0,o.withModifiers)(p,["stop"])},[(0,o.renderSlot)(t.$slots,"default")])):(0,o.createCommentVNode)("",!0),(0,o.unref)(s)?(0,o.renderSlot)(t.$slots,"confirmed",{key:2}):((0,o.openBlock)(),(0,o.createElementBlock)("span",{key:1,onClick:(0,o.withModifiers)(p,["stop"])},[(0,o.renderSlot)(t.$slots,"unconfirmed")]))]))}};const s=(0,r(66262).A)(n,[["__file","ConfirmsPassword.vue"]])},89042:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726),i=r(94394),l=r.n(i),a=r(90179),n=r.n(a);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function d(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u=["data-disabled"],p=["label"],h=["selected"],m=["selected"],f=Object.assign({inheritAttrs:!1},{__name:"MultiSelectControl",props:(0,o.mergeModels)({hasError:{type:Boolean,default:!1},label:{default:"label"},options:{type:Array,default:[]},disabled:{type:Boolean,default:!1},size:{type:String,default:"md",validator:e=>["xxs","xs","sm","md"].includes(e)}},{modelValue:{},modelModifiers:{}}),emits:(0,o.mergeModels)(["selected"],["update:modelValue"]),setup(e,{emit:t}){const r=t,i=e,a=(0,o.useModel)(e,"modelValue"),s=(0,o.useAttrs)(),d=((0,o.useTemplateRef)("selectControl"),e=>i.label instanceof Function?i.label(e):e[i.label]),f=e=>c(c({},e.attrs||{}),{value:e.value}),v=e=>a.value.indexOf(e.value)>-1,g=e=>{let t=Object.values(e.target.options).filter((e=>e.selected)).map((e=>e.value)),o=(i.options??[]).filter((e=>t.includes(e.value)||t.includes(e.value.toString())));a.value=o.map((e=>e.value)),r("selected",o)},y=(0,o.computed)((()=>n()(s,["class"]))),b=(0,o.computed)((()=>l()(i.options,(e=>e.group||""))));return(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex relative",t.$attrs.class])},[(0,o.createElementVNode)("select",(0,o.mergeProps)(y.value,{ref:"selectControl",onChange:g,class:["w-full min-h-[10rem] block form-control form-control-bordered form-input",{"h-8 text-xs":"sm"===e.size,"h-7 text-xs":"xs"===e.size,"h-6 text-xs":"xxs"===e.size,"form-control-bordered-error":e.hasError,"form-input-disabled":e.disabled}],multiple:"","data-disabled":e.disabled?"true":null}),[(0,o.renderSlot)(t.$slots,"default"),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(b.value,((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)({ref_for:!0},f(e),{key:e.value,selected:v(e)}),(0,o.toDisplayString)(d(e)),17,h)))),128))],8,p)):((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)({ref_for:!0},f(e),{key:e.value,selected:v(e)}),(0,o.toDisplayString)(d(e)),17,m)))),128))],64)))),256))],16,u)],2))}});const v=(0,r(66262).A)(f,[["__file","MultiSelectControl.vue"]])},99138:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>g});var o=r(29726),i=r(94394),l=r.n(i),a=r(90179),n=r.n(a);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function d(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u=["value","disabled","data-disabled"],p=["label"],h=["selected","disabled"],m=["selected","disabled"],f={class:"pointer-events-none absolute inset-y-0 right-[11px] flex items-center"},v=Object.assign({inheritAttrs:!1},{__name:"SelectControl",props:(0,o.mergeModels)({hasError:{type:Boolean,default:!1},label:{default:"label"},value:{default:null},options:{type:Array,default:[]},disabled:{type:Boolean,default:!1},size:{type:String,default:"md",validator:e=>["xxs","xs","sm","md"].includes(e)}},{modelValue:{},modelModifiers:{}}),emits:(0,o.mergeModels)(["selected"],["update:modelValue"]),setup(e,{expose:t,emit:r}){const i=r,a=e,s=(0,o.useModel)(e,"modelValue"),d=(0,o.useAttrs)(),v=(0,o.useTemplateRef)("selectControl");(0,o.onBeforeMount)((()=>{null==s.value&&null!=a.value&&(s.value=a.value)}));const g=e=>a.label instanceof Function?a.label(e):e[a.label],y=e=>c(c({},e.attrs||{}),{value:e.value}),b=e=>e.value==s.value,k=e=>!0===e.disabled,w=e=>{let t=e.target.value,r=a.options.find((e=>t===e.value||t===e.value.toString()));s.value=r?.value??a.value,i("selected",r)},C=(0,o.computed)((()=>n()(d,["class"]))),x=(0,o.computed)((()=>l()(a.options,(e=>e.group||""))));return t({resetSelection:()=>{v.value.selectedIndex=0}}),(t,r)=>{const i=(0,o.resolveComponent)("IconArrow");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex relative",t.$attrs.class])},[(0,o.createElementVNode)("select",(0,o.mergeProps)(C.value,{value:s.value,onChange:w,class:["w-full block form-control form-control-bordered form-input",{"h-8 text-xs":"sm"===e.size,"h-7 text-xs":"xs"===e.size,"h-6 text-xs":"xxs"===e.size,"form-control-bordered-error":e.hasError,"form-input-disabled":e.disabled}],ref:"selectControl",disabled:e.disabled,"data-disabled":e.disabled?"true":null}),[(0,o.renderSlot)(t.$slots,"default"),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(x.value,((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)({ref_for:!0},y(e),{key:e.value,selected:b(e),disabled:k(e)}),(0,o.toDisplayString)(g(e)),17,h)))),128))],8,p)):((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)({ref_for:!0},y(e),{key:e.value,selected:b(e),disabled:k(e)}),(0,o.toDisplayString)(g(e)),17,m)))),128))],64)))),256))],16,u),(0,o.createElementVNode)("span",f,[(0,o.createVNode)(i)])],2)}}});const g=(0,r(66262).A)(v,[["__file","SelectControl.vue"]])},72522:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726);const i=["data-form-unique-id"],l={class:"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 n=r(35229),s=r(66278),c=r(74640),d=r(15101),u=r.n(d);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 h(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?p(Object(r),!0).forEach((function(t){m(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):p(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function m(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const f={components:{Button:c.Button},emits:["resource-created","resource-created-and-adding-another","create-cancelled","update-form-status","finished-loading"],mixins:[n.B5,n.qR,n.Ye],props:h({mode:{type:String,default:"form",validator:e=>["modal","form"].includes(e)},fromResourceId:{default:null}},(0,n.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.allowLeavingModal()},methods:h(h(h({},(0,s.PY)(["allowLeavingModal","preventLeavingModal"])),(0,s.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.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.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 u()(new FormData,(e=>{this.panels.forEach((t=>{t.fields.forEach((t=>{t.fill(e)}))})),null!=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 v=(0,r(66262).A)(f,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("Head"),u=(0,o.resolveComponent)("Button"),p=(0,o.resolveComponent)("LoadingView");return(0,o.openBlock)(),(0,o.createBlock)(p,{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",a,[(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,i)):(0,o.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","CreateForm.vue"]])},76037:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726),i=r(65835);const l={key:0},a={class:"hidden md:inline-block"},n={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,i.B)(),r=e,d=(0,o.computed)((()=>["belongsToMany","morphToMany"].includes(r.relationshipType)&&r.authorizedToRelate)),u=(0,o.computed)((()=>r.authorizedToCreate&&r.authorizedToRelate&&!r.alreadyFilled)),p=(0,o.computed)((()=>d||u));return(r,i)=>{const h=(0,o.resolveComponent)("InertiaButton");return p.value?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[d.value?((0,o.openBlock)(),(0,o.createBlock)(h,{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",a,(0,o.toDisplayString)((0,o.unref)(t)("Attach :resource",{resource:e.singularName})),1),(0,o.createElementVNode)("span",n,(0,o.toDisplayString)((0,o.unref)(t)("Attach")),1)]))])),_:3},8,["href"])):u.value?((0,o.openBlock)(),(0,o.createBlock)(h,{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"]])},57199:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={key:0,class:"text-red-500 text-sm"};var l=r(35229);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 n(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))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;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?a(Object(r),!0).forEach((function(t){n(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):a(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({field:{type:Object,required:!0},fieldName:{type:String},showErrors:{type:Boolean,default:!0},fullWidthContent:{type:Boolean,default:!1},labelFor:{default:null}},(0,l.rr)(["showHelpText"])),computed:{fieldWrapperClasses(){return["space-y-2","md:flex @md/modal:flex","md:flex-row @md/modal:flex-row","md:space-y-0 @md/modal:space-y-0",this.field.withLabel&&!this.field.inline&&(this.field.compact?"py-3":"py-5"),this.field.stacked&&"md:flex-col @md/modal:flex-col md:space-y-2 @md/modal:space-y-2"]},labelClasses(){return["w-full",this.field.compact?"!px-3":"px-6",!this.field.stacked&&"md:mt-2 @md/modal:mt-2",this.field.stacked&&!this.field.inline&&"md:px-8 @md/modal:px-8",!this.field.stacked&&!this.field.inline&&"md:px-8 @md/modal:px-8",this.field.compact&&"md:!px-6 @md/modal:!px-6",!this.field.stacked&&!this.field.inline&&"md:w-1/5 @md/modal:w-1/5"]},controlWrapperClasses(){return["w-full space-y-2",this.field.compact?"!px-3":"px-6",this.field.compact&&"md:!px-4 @md/modal:!px-4",this.field.stacked&&!this.field.inline&&"md:px-8 @md/modal:px-8",!this.field.stacked&&!this.field.inline&&"md:px-8 @md/modal:px-8",!this.field.stacked&&!this.field.inline&&!this.field.fullWidth&&"md:w-3/5 @md/modal:w-3/5",this.field.stacked&&!this.field.inline&&!this.field.fullWidth&&"md:w-3/5 @md/modal:w-3/5",!this.field.stacked&&!this.field.inline&&this.field.fullWidth&&"md:w-4/5 @md/modal:w-4/5"]},fieldLabel(){return""===this.fieldName?"":this.fieldName||this.field.name||this.field.singularLabel},shouldShowHelpText(){return this.showHelpText&&this.field.helpText?.length>0}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,l,a,n){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)(n.fieldWrapperClasses)},[r.field.withLabel?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)(n.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":n.shouldShowHelpText}])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(n.fieldLabel),1),r.field.required?((0,o.openBlock)(),(0,o.createElementBlock)("span",i,(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)(n.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),n.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"]])},52613:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i={key:0,class:"h-9"},l={class:"py-1"},a=["textContent"];var n=r(74640),s=r(35229);const c={components:{Button:n.Button},emits:["close","deleteAllMatching","deleteSelected","forceDeleteAllMatching","forceDeleteSelected","restoreAllMatching","restoreSelected"],mixins:[s.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(null!=this.selectedResources.find((e=>e.softDeleted)))}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("Button"),u=(0,o.resolveComponent)("CircleBadge"),p=(0,o.resolveComponent)("DropdownMenuItem"),h=(0,o.resolveComponent)("DropdownMenu"),m=(0,o.resolveComponent)("Dropdown"),f=(0,o.resolveComponent)("DeleteResourceModal"),v=(0,o.resolveComponent)("ModalHeader"),g=(0,o.resolveComponent)("ModalContent"),y=(0,o.resolveComponent)("RestoreResourceModal");return c.hasDropDownMenuItems?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createVNode)(m,null,{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(h,{class:"px-1",width:"250"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("nav",l,[c.shouldShowDeleteItem?((0,o.openBlock)(),(0,o.createBlock)(p,{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)(p,{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)(p,{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)(f,{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)(f,{show:r.selectedResources.length>0&&e.forceDeleteSelectedModalOpen,mode:"delete",onClose:c.closeForceDeleteSelectedModal,onConfirm:c.forceDeleteSelectedResources},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(v,{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,a)])),_:1})])),_:1},8,["show","onClose","onConfirm"]),(0,o.createVNode)(y,{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"]])},71786:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"block mx-auto mb-6",xmlns:"http://www.w3.org/2000/svg",width:"100",height:"2",viewBox:"0 0 100 2"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",i,t[0]||(t[0]=[(0,o.createElementVNode)("path",{fill:"#D8E3EC",d:"M0 0h100v2H0z"},null,-1)]))}],["__file","DividerLine.vue"]])},28213:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(29726),i=r(74640),l=r(65835),a=r(10646);const n=["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"},p={class:"text-center pointer-events-none"},h={class:"pointer-events-none text-center text-sm text-gray-500 dark:text-gray-400 font-semibold"},m=Object.assign({inheritAttrs:!1},{__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=e,{__:f}=(0,l.B)(),{startedDrag:v,handleOnDragEnter:g,handleOnDragLeave:y}=(0,a.g)(r),b=(0,o.ref)([]),k=(0,o.ref)(),w=()=>k.value.click(),C=e=>{b.value=m.multiple?e.dataTransfer.files:[e.dataTransfer.files[0]],r("fileChanged",b.value)},x=()=>{b.value=m.multiple?k.value.files:[k.value.files[0]],r("fileChanged",b.value),k.value.files=null};return(t,l)=>{const a=(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)(x,["prevent"]),type:"file",ref_key:"fileInput",ref:k,multiple:e.multiple,accept:e.acceptedTypes,disabled:e.disabled,tabindex:"-1"},null,40,n),(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,((i,l)=>((0,o.openBlock)(),(0,o.createBlock)(a,{key:l,file:i,onRemoved:()=>(e=>{r("fileRemoved",e),k.value.files=null,k.value.value=null})(l),rounded:e.rounded,dusk:t.$attrs.dusk},null,8,["file","onRemoved","rounded","dusk"])))),128))])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",{tabindex:"0",role:"button",onClick:w,onKeydown:[(0,o.withKeys)((0,o.withModifiers)(w,["prevent"]),["space"]),(0,o.withKeys)((0,o.withModifiers)(w,["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)(v)}]),onDragenter:l[0]||(l[0]=(0,o.withModifiers)(((...e)=>(0,o.unref)(g)&&(0,o.unref)(g)(...e)),["prevent"])),onDragleave:l[1]||(l[1]=(0,o.withModifiers)(((...e)=>(0,o.unref)(y)&&(0,o.unref)(y)(...e)),["prevent"])),onDragover:l[2]||(l[2]=(0,o.withModifiers)((()=>{}),["prevent"])),onDrop:(0,o.withModifiers)(C,["prevent"])},[(0,o.createElementVNode)("div",u,[(0,o.createElementVNode)("p",p,[(0,o.createVNode)((0,o.unref)(i.Button),{as:"div","leading-icon":e.multiple?"arrow-up-on-square-stack":"arrow-up-tray"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.multiple?(0,o.unref)(f)("Choose Files"):(0,o.unref)(f)("Choose File")),1)])),_:1},8,["leading-icon"])]),(0,o.createElementVNode)("p",h,(0,o.toDisplayString)(e.multiple?(0,o.unref)(f)("Drop files or click to choose"):(0,o.unref)(f)("Drop file or click to choose")),1)])],42,d)])])}}});const f=(0,r(66262).A)(m,[["__file","DropZone.vue"]])},84547:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726),i=r(74640);var l=r(65835);const a={class:"h-full flex items-start justify-center"},n={class:"relative w-full"},s=["dusk"],c={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"},d={key:0,class:"absolute inset-0 flex items-center justify-center"},u=["src"],p={key:2},h={class:"rounded bg-gray-200 border-2 border-gray-200 p-4"},m={class:"font-semibold text-xs mt-1"},f=Object.assign({inheritAttrs:!1},{__name:"FilePreviewBlock",props:{file:{type:Object},removable:{type:Boolean,default:!0}},emits:["removed"],setup(e){const t=e,{__:r}=(0,l.B)(),f=(0,o.computed)((()=>t.file.processing?r("Uploading")+" ("+t.file.progress+"%)":t.file.name)),v=(0,o.computed)((()=>t.file.processing?t.file.progress:100)),{previewUrl:g,isImage:y}=function(e){const t=["image/avif","image/gif","image/jpeg","image/png","image/svg+xml","image/webp"],r=(0,o.computed)((()=>t.includes(e.value.type)?"image":"other")),i=(0,o.computed)((()=>URL.createObjectURL(e.value.originalFile))),l=(0,o.computed)((()=>"image"===r.value));return{imageTypes:t,isImage:l,type:r,previewUrl:i}}((0,o.toRef)(t,"file"));return(t,l)=>{const b=(0,o.resolveComponent)("ProgressBar"),k=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createElementVNode)("div",n,[e.removable?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,type:"button",class:"absolute z-20 top-[-10px] right-[-9px] rounded-full shadow bg-white dark:bg-gray-800 text-center flex items-center justify-center h-[20px] w-[21px]",onClick:l[0]||(l[0]=(0,o.withModifiers)((e=>t.$emit("removed")),["stop"])),dusk:t.$attrs.dusk},[(0,o.createVNode)((0,o.unref)(i.Icon),{name:"x-circle",type:"solid",class:"text-gray-800 dark:text-gray-200"})],8,s)),[[k,(0,o.unref)(r)("Remove")]]):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",c,[e.file.processing?((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[(0,o.createVNode)(b,{title:f.value,class:"mx-4",color:"bg-green-500",value:v.value},null,8,["title","value"]),l[1]||(l[1]=(0,o.createElementVNode)("div",{class:"bg-primary-900 opacity-5 absolute inset-0"},null,-1))])):(0,o.createCommentVNode)("",!0),(0,o.unref)(y)?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:1,src:(0,o.unref)(g),class:"aspect-square object-scale-down"},null,8,u)):((0,o.openBlock)(),(0,o.createElementBlock)("div",p,[(0,o.createElementVNode)("div",h,[(0,o.createVNode)((0,o.unref)(i.Icon),{name:"document-text",class:"!w-[50px] !h-[50px]"})])]))]),(0,o.createElementVNode)("p",m,(0,o.toDisplayString)(e.file.name),1)])])}}});const v=(0,r(66262).A)(f,[["__file","FilePreviewBlock.vue"]])},80636:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726),i=r(74640),l=r(65835),a=r(10646);const n={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"},p={__name:"SingleDropZone",props:{files:Array,handleClick:Function},emits:["fileChanged","fileRemoved"],setup(e,{emit:t}){const r=t,{__:p}=(0,l.B)(),{startedDrag:h,handleOnDragEnter:m,handleOnDragLeave:f,handleOnDrop:v}=(0,a.g)(r);return(t,l)=>{const a=(0,o.resolveComponent)("FilePreviewBlock");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[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)(a,{key:t,file:e,onRemoved:()=>function(e){r("fileRemoved",e)}(t)},null,8,["file","onRemoved"])))),128))])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",{onClick:l[0]||(l[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)(h)?"border-gray-300 dark:border-gray-600":"border-gray-200 dark:border-gray-700"]),onDragenter:l[1]||(l[1]=(0,o.withModifiers)(((...e)=>(0,o.unref)(m)&&(0,o.unref)(m)(...e)),["prevent"])),onDragleave:l[2]||(l[2]=(0,o.withModifiers)(((...e)=>(0,o.unref)(f)&&(0,o.unref)(f)(...e)),["prevent"])),onDragover:l[3]||(l[3]=(0,o.withModifiers)((()=>{}),["prevent"])),onDrop:l[4]||(l[4]=(0,o.withModifiers)(((...e)=>(0,o.unref)(v)&&(0,o.unref)(v)(...e)),["prevent"]))},[(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("p",d,[(0,o.createVNode)((0,o.unref)(i.Button),{as:"div"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)((0,o.unref)(p)("Choose a file")),1)])),_:1})]),(0,o.createElementVNode)("p",u,(0,o.toDisplayString)(t.multiple?(0,o.unref)(p)("Drop files or click to choose"):(0,o.unref)(p)("Drop file or click to choose")),1)])],34)])}}};const h=(0,r(66262).A)(p,[["__file","SingleDropZone.vue"]])},46644:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726),i=r(74640),l=r(66278),a=r(65703),n=r(84787);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:{resource:{},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=t,u=e,p=(0,l.Pj)(),{errors:h,actionModalVisible:m,responseModalVisible:f,openConfirmationModal:v,closeConfirmationModal:g,closeResponseModal:y,handleActionClick:b,selectedAction:k,working:w,executeAction:C,actionResponseData:x}=(0,a.d)(u,r,p),N=()=>C((()=>r("actionExecuted"))),B=()=>{y(),r("actionExecuted")},S=()=>{y(),r("actionExecuted")};return(t,r)=>{const l=(0,o.resolveComponent)("DropdownMenuItem"),a=(0,o.resolveComponent)("ScrollWrap"),u=(0,o.resolveComponent)("DropdownMenu"),p=(0,o.resolveComponent)("Dropdown"),v=(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)(k)?.component),{key:0,show:(0,o.unref)(m),class:"text-left",working:(0,o.unref)(w),"selected-resources":e.selectedResources,"resource-name":e.resourceName,action:(0,o.unref)(k),errors:(0,o.unref)(h),onConfirm:N,onClose:(0,o.unref)(g)},null,40,["show","working","selected-resources","resource-name","action","errors","onClose"])):(0,o.createCommentVNode)("",!0),(0,o.unref)(f)?((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)((0,o.unref)(x)?.modal),{key:1,show:(0,o.unref)(f),onConfirm:B,onClose:S,data:(0,o.unref)(x)},null,40,["show","data"])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(p,null,{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(t.$slots,"trigger",{},(()=>[(0,o.withDirectives)((0,o.createVNode)((0,o.unref)(i.Button),{onClick:r[0]||(r[0]=(0,o.withModifiers)((()=>{}),["stop"])),dusk:e.triggerDuskAttribute,variant:"ghost",icon:"ellipsis-horizontal"},null,8,["dusk"]),[[v,t.__("Actions")]])]))])),menu:(0,o.withCtx)((()=>[(0,o.createVNode)(u,{width:"auto"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{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)(n.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)(l,{key:e.uriKey,"data-action-id":e.uriKey,as:"button",class:"border-none",onClick:()=>(e=>{!1!==e.authorizedToRun&&b(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 p=(0,r(66262).A)(u,[["__file","ActionDropdown.vue"]])},30013:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i={key:0},l={class:"py-1"};var a=r(66278),n=r(35229);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function d(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u={emits:["actionExecuted","resource-deleted","resource-restored"],inheritAttrs:!1,mixins:[n.Tu,n.Ye],props:c({resource:{type:Object},actions:{type:Array},viaManyToMany:{type:Boolean}},(0,n.rr)(["resourceName","viaResource","viaResourceId","viaRelationship"])),data:()=>({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 p=(0,r(66262).A)(u,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("DropdownMenuHeading"),d=(0,o.resolveComponent)("DropdownMenuItem"),u=(0,o.resolveComponent)("ActionDropdown"),p=(0,o.resolveComponent)("DeleteResourceModal"),h=(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",i,[(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)(p,{show:e.deleteModalOpen,mode:"delete",onClose:s.closeDeleteModal,onConfirm:s.confirmDelete},null,8,["show","onClose","onConfirm"]),(0,o.createVNode)(h,{show:e.restoreModalOpen,onClose:s.closeRestoreModal,onConfirm:s.confirmRestore},null,8,["show","onClose","onConfirm"]),(0,o.createVNode)(p,{show:e.forceDeleteModalOpen,mode:"force delete",onClose:s.closeForceDeleteModal,onConfirm:s.confirmForceDelete},null,8,["show","onClose","onConfirm"])],64)}],["__file","DetailActionDropdown.vue"]])},36663:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(69956),i=r(18491),l=r(29726),a=r(5620);function n(e){return e?e.flatMap((e=>e.type===l.Fragment?n(e.children):[e])):[]}var s=r(96433);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?c(Object(r),!0).forEach((function(t){u(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):c(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function u(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const p={emits:["menu-opened","menu-closed"],inheritAttrs:!1,props:{offset:{type:[Number,String],default:5},placement:{type:String,default:"bottom-start"},boundary:{type:String,default:"viewPort"},dusk:{type:String,default:null},shouldCloseOnBlur:{type:Boolean,default:!0}},setup(e,{slots:t}){const r=(0,l.ref)(!1),c=(0,l.ref)(null),u=(0,l.ref)(null),p=(0,l.ref)(null),h=(0,l.useId)(),{activate:m,deactivate:f}=(0,a.r)(p,{initialFocus:!1,allowOutsideClick:!0}),v=(0,l.ref)(!0),g=(0,l.computed)((()=>!0===r.value&&!0===v.value)),y=()=>{v.value=!1},b=()=>{v.value=!0};var k;k=()=>r.value=!1,(0,s.MLh)(document,"keydown",(e=>{"Escape"===e.key&&k()}));const w=(0,l.computed)((()=>`nova-ui-dropdown-button-${h}`)),C=(0,l.computed)((()=>`nova-ui-dropdown-menu-${h}`)),x=(0,l.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)(c,p,{whileElementsMounted:i.ll,placement:x.value,middleware:[(0,i.cY)(e.offset),(0,i.UU)(),(0,i.BN)({padding:5}),(0,i.Ej)()]});return(0,l.watch)((()=>g),(async e=>{await(0,l.nextTick)(),e?m():f()})),(0,l.onMounted)((()=>{Nova.$on("disable-focus-trap",y),Nova.$on("enable-focus-trap",b)})),(0,l.onBeforeUnmount)((()=>{Nova.$off("disable-focus-trap",y),Nova.$off("enable-focus-trap",b),v.value=!1})),()=>{const o=n(t.default()),[i,...a]=o,s=(0,l.mergeProps)(d(d({},i.props),{id:w.value,"aria-expanded":!0===r.value?"true":"false","aria-haspopup":"true","aria-controls":C.value,onClick:(0,l.withModifiers)((()=>{r.value=!r.value}),["stop"])})),h=(0,l.cloneVNode)(i,s);for(const e in s)e.startsWith("on")&&(h.props||={},h.props[e]=s[e]);return(0,l.h)("div",{dusk:e.dusk},[(0,l.h)("span",{ref:c},h),(0,l.h)(l.Teleport,{to:"body"},(0,l.h)(l.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,l.h)("div",{ref:u,dusk:"dropdown-teleported"},[(0,l.h)("div",{ref:p,id:C.value,"aria-labelledby":w.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,l.h)("div",{class:"z-[69] fixed inset-0",dusk:"dropdown-overlay",onClick:()=>r.value=!1})]):null])))])}}};const h=(0,r(66262).A)(p,[["__file","Dropdown.vue"]])},41600:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={__name:"DropdownMenu",props:{width:{type:[Number,String],default:120}},setup(e){const t=e,r=(0,o.computed)((()=>({width:"auto"===t.width?"auto":`${t.width}px`})));return(t,i)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{style:(0,o.normalizeStyle)(r.value),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"===e.width}])},[(0,o.renderSlot)(t.$slots,"default")],6))}};const l=(0,r(66262).A)(i,[["__file","DropdownMenu.vue"]])},84787:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"mt-3 px-3 text-xs font-bold"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("h3",i,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","DropdownMenuHeading.vue"]])},73020:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);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 l(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n={props:{as:{type:String,default:"external",validator:e=>["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)(n,[["render",function(e,t,r,i,l,a){return(0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(a.component),(0,o.mergeProps)(a.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"]])},58909:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i={key:0},l={class:"py-1"};var a=r(35229),n=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){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const d={components:{Button:r(74640).Button},emits:["actionExecuted","show-preview"],props:function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){c(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({resource:{type:Object},actions:{type:Array},viaManyToMany:{type:Boolean}},(0,a.rr)(["resourceName","viaResource","viaResourceId","viaRelationship"])),methods:(0,n.i0)(["startImpersonating"]),computed:(0,n.L8)(["currentUser"])};const u=(0,r(66262).A)(d,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("Button"),d=(0,o.resolveComponent)("DropdownMenuHeading"),u=(0,o.resolveComponent)("DropdownMenuItem"),p=(0,o.resolveComponent)("ActionDropdown");return(0,o.openBlock)(),(0,o.createBlock)(p,{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[2]||(t[2]=t=>e.$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",i,[(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"]])},81518:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726),i=r(30043),l=r(74640);const a={key:0,ref:"selectedStatus",class:"rounded-lg h-9 inline-flex items-center text-gray-600 dark:text-gray-400"},n={class:"inline-flex items-center gap-1 pl-1"},s={class:"font-bold"},c={class:"p-4 flex flex-col items-start gap-4"},d={__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"),d=(0,o.inject)("selectAllMatchingChecked"),u=(0,o.inject)("selectAllAndSelectAllMatchingChecked"),p=(0,o.inject)("selectAllOrSelectAllMatchingChecked"),h=(0,o.inject)("selectAllIndeterminate");return(m,f)=>{const v=(0,o.resolveComponent)("CircleBadge"),g=(0,o.resolveComponent)("DropdownMenu"),y=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createBlock)(y,{placement:"bottom-start",dusk:"select-all-dropdown"},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(g,{direction:"ltr",width:"250"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",c,[(0,o.createVNode)((0,o.unref)(l.Checkbox),{onChange:f[1]||(f[1]=e=>m.$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)(m.__("Select this page")),1),(0,o.createVNode)(v,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.Checkbox),{onChange:f[2]||(f[2]=e=>m.$emit("toggle-select-all-matching")),"model-value":(0,o.unref)(d),dusk:"select-all-matching-button"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(m.__("Select all")),1),(0,o.createVNode)(v,{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)(l.Button),{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.Checkbox),{"aria-label":m.__("Select this page"),indeterminate:(0,o.unref)(h),"model-value":(0,o.unref)(u),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",n,[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(m.__(":amount selected",{amount:(0,o.unref)(d)?e.allMatchingResourceCount:(0,o.unref)(t),label:(0,o.unref)(i.singularOrPlural)((0,o.unref)(t),"resources")})),1)]),(0,o.createVNode)((0,o.unref)(l.Button),{onClick:f[0]||(f[0]=(0,o.withModifiers)((e=>m.$emit("deselect")),["stop"])),variant:"link",icon:"x-circle",size:"small",state:"mellow",class:"-mr-2","aria-label":m.__("Deselect All"),dusk:"deselect-all-button"},null,8,["aria-label"])],512)):(0,o.createCommentVNode)("",!0)])),_:1},8,["class"])])),_:1})}}};const u=(0,r(66262).A)(d,[["__file","SelectAllDropdown.vue"]])},32657:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={class:"flex flex-col py-1 px-1"};var l=r(74640);const a={components:{Button:l.Button,Icon:l.Icon},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 n=(0,r(66262).A)(a,[["render",function(e,t,r,l,a,n){const s=(0,o.resolveComponent)("Button"),c=(0,o.resolveComponent)("Icon"),d=(0,o.resolveComponent)("DropdownMenuItem"),u=(0,o.resolveComponent)("DropdownMenu"),p=(0,o.resolveComponent)("Dropdown");return n.themeSwitcherEnabled?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,placement:"bottom-end"},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(u,{width:"auto"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("nav",i,[(0,o.createVNode)(d,{as:"button",size:"small",class:"flex items-center gap-2",onClick:n.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:n.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:n.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:n.themeIcon,class:(0,o.normalizeClass)(n.themeColor)},null,8,["icon","class"])])),_:1})):(0,o.createCommentVNode)("",!0)}],["__file","ThemeDropdown.vue"]])},30422:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i={key:0,class:"break-normal"},l=["innerHTML"],a={key:1,class:"break-normal"},n=["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",i,[(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",a,[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,n)):(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"]])},27284:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={},l=(0,r(66262).A)(i,[["render",function(e,t){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"]])},46854:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={__name:"FieldWrapper",props:{stacked:{type:Boolean,default:!1}},setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex flex-col",{"md:flex-row":!e.stacked}])},[(0,o.renderSlot)(t.$slots,"default")],2))};const l=(0,r(66262).A)(i,[["__file","FieldWrapper.vue"]])},15604:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={class:"divide-y divide-gray-200 dark:divide-gray-800 divide-solid"},l={key:0,class:"bg-gray-100"};const a={components:{Button:r(74640).Button},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.debug(`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("trashed-changed",""),this.$emit("clear-selected-filters")}),500)}},computed:{filtersWithTrashedAreApplied(){return this.filtersAreApplied||""!==this.trashed},activeFilterWithTrashedCount(){const e=""!==this.trashed?1:0;return this.activeFilterCount+e},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 this.perPageOptions.map((e=>({value:e,label:e})))}}};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("Button"),d=(0,o.resolveComponent)("SelectControl"),u=(0,o.resolveComponent)("FilterContainer"),p=(0,o.resolveComponent)("ScrollWrap"),h=(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)(h,{width:"260",dusk:"filter-menu"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(p,{height:350,class:"bg-white dark:bg-gray-900"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[s.filtersWithTrashedAreApplied?((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,{modelValue:s.trashedValue,"onUpdate:modelValue":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"},null,8,["modelValue","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,{modelValue:s.perPageValue,"onUpdate:modelValue":t[2]||(t[2]=e=>s.perPageValue=e),options:s.perPageOptionsForFilter,dusk:"per-page-select",size:"sm"},null,8,["modelValue","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:s.filtersWithTrashedAreApplied?"solid":"ghost",dusk:"filter-selector-button",icon:"funnel","trailing-icon":"chevron-down",padding:"tight",label:s.activeFilterWithTrashedCount>0?s.activeFilterWithTrashedCount:"","aria-label":e.__("Filter Dropdown")},null,8,["variant","label","aria-label"])])),_:1})}],["__file","FilterMenu.vue"]])},10255:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"space-y-2 mt-2"};const l={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},options(){return this.$store.getters[`${this.resourceName}/getOptionsForFilter`](this.filterKey)}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(n.options,(i=>((0,o.openBlock)(),(0,o.createBlock)(s,{key:i.value,"resource-name":r.resourceName,filter:n.filter,option:i,label:"label",onChange:t[0]||(t[0]=t=>e.$emit("change")),dusk:`${n.filter.uniqueKey}-${i.value}-option`},null,8,["resource-name","filter","option","dusk"])))),128))])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(n.filter.name),1)])),_:1})}],["__file","BooleanFilter.vue"]])},2891:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["value","placeholder","dusk"];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;this.$store.commit(`${this.resourceName}/updateFilterState`,{filterClass:this.filterKey,value:t}),this.$emit("change")}},computed:{placeholder(){return this.filter.placeholder||this.__("Choose date")},filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},value(){return this.filter.currentValue},options(){return this.$store.getters[`${this.resourceName}/getOptionsForFilter`](this.filterKey)}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){const s=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(s,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("input",{ref:"dateField",onChange:t[0]||(t[0]=(...e)=>n.handleChange&&n.handleChange(...e)),type:"date",name:"date-filter",value:n.value,autocomplete:"off",class:"w-full h-8 flex form-control form-input form-control-bordered text-xs",placeholder:n.placeholder,dusk:n.filter.uniqueKey},null,40,i)])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(n.filter.name),1)])),_:1})}],["__file","DateFilter.vue"]])},56138:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={class:"pt-2 pb-3"},l={class:"px-3 text-xs uppercase font-bold tracking-wide"},a={class:"mt-1 px-3"};const n={},s=(0,r(66262).A)(n,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("h3",l,[(0,o.renderSlot)(e.$slots,"default")]),(0,o.createElementVNode)("div",a,[(0,o.renderSlot)(e.$slots,"filter")])])}],["__file","FilterContainer.vue"]])},84183:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i={key:0,class:"flex items-center"},l={class:"flex items-center"},a={class:"flex-auto"},n=["selected"];var s=r(38221),c=r.n(s);const d={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedEventEmitter:null,search:"",availableOptions:[]}),created(){this.debouncedEventEmitter=c()((()=>this.emitFilterChange()),500),this.initializeComponent(),Nova.$on("filter-active",this.handleClosingInactiveSearchInputs)},mounted(){Nova.$on("filter-reset",this.handleFilterReset)},beforeUnmount(){Nova.$off("filter-active",this.handleClosingInactiveSearchInputs),Nova.$off("filter-reset",this.handleFilterReset)},watch:{value(){this.debouncedEventEmitter()}},methods:{initializeComponent(){this.filter.currentValue&&this.setCurrentFilterValue()},setCurrentFilterValue(){this.value=this.filter.currentValue},emitFilterChange(){this.$store.commit(`${this.resourceName}/updateFilterState`,{filterClass:this.filterKey,value:this.value??""}),this.$emit("change")},handleShowingActiveSearchInput(){Nova.$emit("filter-active",this.filterKey)},closeSearchableRef(){this.$refs.searchable&&this.$refs.searchable.close()},handleClosingInactiveSearchInputs(e){e!==this.filterKey&&this.closeSearchableRef()},handleClearSearchInput(){this.clearSelection()},handleFilterReset(){""==this.filter.currentValue&&(this.clearSelection(),this.closeSearchableRef(),this.initializeComponent())},clearSelection(){this.value=null,this.availableOptions=[]},performSearch(e){this.search=e;const t=e.trim();""!=t&&this.searchOptions(t)},searchOptions(e){this.availableOptions=this.options.filter((t=>t.label?.includes(e)))},searchDebouncer:c()((e=>e()),500)},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},options(){return this.filter.options},isSearchable(){return this.filter.searchable},selectedOption(){return this.options.find((e=>this.value===e.value||this.value===e.value.toString()))}}};const u=(0,r(66262).A)(d,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("SearchInput"),p=(0,o.resolveComponent)("SelectControl"),h=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(h,null,{filter:(0,o.withCtx)((()=>[d.isSearchable?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,ref:"searchable",modelValue:e.value,"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),onInput:d.performSearch,onClear:d.handleClearSearchInput,onShown:d.handleShowingActiveSearchInput,options:e.availableOptions,clearable:!0,trackBy:"value",mode:"modal",class:"w-full",dusk:`${d.filter.uniqueKey}-search-input`},{option:(0,o.withCtx)((({selected:e,option:t})=>[(0,o.createElementVNode)("div",l,[(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}])},(0,o.toDisplayString)(t.label),3)])])])),default:(0,o.withCtx)((()=>[d.selectedOption?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,(0,o.toDisplayString)(d.selectedOption.label),1)):(0,o.createCommentVNode)("",!0)])),_:1},8,["modelValue","onInput","onClear","onShown","options","dusk"])):d.options.length>0?((0,o.openBlock)(),(0,o.createBlock)(p,{key:1,modelValue:e.value,"onUpdate:modelValue":t[1]||(t[1]=t=>e.value=t),options:d.options,size:"sm",label:"label",class:"w-full block",dusk:d.filter.uniqueKey},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""==e.value},(0,o.toDisplayString)(e.__("—")),9,n)])),_:1},8,["modelValue","options","dusk"])):(0,o.createCommentVNode)("",!0)])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(d.filter.name),1)])),_:1})}],["__file","SelectFilter.vue"]])},81433:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["action"],l=["name","value"],a=["value"],n=Object.assign({inheritAttrs:!1},{__name:"FormButton",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"}},setup(e){const t=e;function r(e){null!=t.headers&&(e.preventDefault(),Nova.$router.visit(t.href,{method:t.method,data:t.data,headers:t.headers}))}return(t,n)=>((0,o.openBlock)(),(0,o.createElementBlock)("form",{action:e.href,method:"POST",onSubmit:r,dusk:"form-button"},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.data,((e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("input",{type:"hidden",name:t,value:e},null,8,l)))),256)),"POST"!==e.method?((0,o.openBlock)(),(0,o.createElementBlock)("input",{key:0,type:"hidden",name:"_method",value:e.method},null,8,a)):(0,o.createCommentVNode)("",!0),((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),(0,o.mergeProps)(t.$attrs,{type:"submit"}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(t.$slots,"default")])),_:3},16))],40,i))}});const s=(0,r(66262).A)(n,[["__file","FormButton.vue"]])},62415:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["for"],l={__name:"FormLabel",props:{labelFor:{type:String,required:!1}},setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("label",{for:e.labelFor,class:"inline-block leading-tight"},[(0,o.renderSlot)(t.$slots,"default")],8,i))};const a=(0,r(66262).A)(l,[["__file","FormLabel.vue"]])},36623:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>R});var o=r(29726);const i={class:"flex items-center w-full max-w-xs h-12"},l={class:"flex-1 relative"},a={class:"relative z-10",ref:"searchInput"},n=["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"},p=["dusk","onClick"],h=["src"],m={class:"flex-auto text-left"},f={key:0,class:"text-xs mt-1"},v={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 y=r(98234),b=r(53110),k=r(74640),w=r(38221),C=r.n(w),x=r(50014),N=r.n(x);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 S(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const V={components:{Icon:k.Icon},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,y.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 b.qm((e=>t(e)))}));this.results=r,this.loading=!1}catch(e){if((0,b.FZ)(e))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<this.results.length&&(this.selected=t,this.updateScrollPosition())}},updateScrollPosition(){const e=this.$refs.selected,t=this.$refs.container;this.$nextTick((()=>{e&&(e[0].offsetTop>t.scrollTop+t.clientHeight-e[0].clientHeight&&(t.scrollTop=e[0].offsetTop+e[0].clientHeight-t.clientHeight),e[0].offsetTop<t.scrollTop&&(t.scrollTop=e[0].offsetTop))}))},goToCurrentlySelectedResource(e){if(!e.isComposing&&229!==e.keyCode&&""!==this.searchTerm){const e=this.indexedResults.find((e=>e.index===this.selected));this.goToSelectedResource(e,!1)}},goToSelectedResource(e,t=!1){if(null!==this.canceller&&this.canceller(),this.closeSearch(),null==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 this.results.map(((e,t)=>function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?B(Object(r),!0).forEach((function(t){S(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):B(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({index:t},e)))},formattedGroups(){return N()(this.indexedResults.map((e=>({resourceName:e.resourceName,resourceTitle:e.resourceTitle}))),"resourceName")},formattedResults(){return this.formattedGroups.map((e=>({resourceName:e.resourceName,resourceTitle:e.resourceTitle,items:this.indexedResults.filter((t=>t.resourceName===e.resourceName))})))}}};const R=(0,r(66262).A)(V,[["render",function(e,t,r,y,b,k){const w=(0,o.resolveComponent)("Icon"),C=(0,o.resolveComponent)("Loader"),x=(0,o.resolveComponent)("Backdrop");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("div",a,[(0,o.createVNode)(w,{name:"magnifying-glass",type:"mini",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)=>k.goToCurrentlySelectedResource&&k.goToCurrentlySelectedResource(...e)),["stop"]),["enter"])),t[1]||(t[1]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>k.closeSearch&&k.closeSearch(...e)),["stop"]),["esc"])),t[2]||(t[2]=(0,o.withKeys)((0,o.withModifiers)((e=>k.move(1)),["prevent"]),["down"])),t[3]||(t[3]=(0,o.withKeys)((0,o.withModifiers)((e=>k.move(-1)),["prevent"]),["up"]))],"onUpdate:modelValue":t[4]||(t[4]=t=>e.searchTerm=t),onFocus:t[5]||(t[5]=(...e)=>k.focusSearch&&k.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,n),[[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)(C,{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)(k.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=>k.goToSelectedResource(t,!1)),["exact"]),(0,o.withModifiers)((e=>k.goToSelectedResource(t,!0)),["ctrl"]),(0,o.withModifiers)((e=>k.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,h)):(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",f,(0,o.toDisplayString)(t.subTitle),1)):(0,o.createCommentVNode)("",!0)])],10,p)])))),128))])])))),128))],512)):(0,o.createCommentVNode)("",!0),e.loading||0!==e.results.length?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("div",v,[(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)(x,{onClick:k.closeSearch,show:e.showOverlay,class:"bg-gray-500/75 dark:bg-gray-900/75 z-0"},null,8,["onClick","show"])])),_:1})]))])])}],["__file","GlobalSearch.vue"]])},13750:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={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 i[this.level]}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,i,l,a){return(0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(a.component),{class:(0,o.normalizeClass)(a.classes),dusk:r.dusk},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},8,["class","dusk"])}],["__file","Heading.vue"]])},91303:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"help-text"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("p",i,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","HelpText.vue"]])},6491:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726),i=r(74640);const l={key:0,class:"absolute right-0 bottom-0 p-2 z-20"},a=["innerHTML"],n={__name:"HelpTextTooltip",props:{text:{type:String},width:{type:[Number,String]}},setup:e=>(t,r)=>{const n=(0,o.resolveComponent)("TooltipContent"),s=(0,o.resolveComponent)("Tooltip");return e.text?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("span",{class:"sr-only",innerHTML:e.text},null,8,a),(0,o.createVNode)(s,{triggers:["click"],placement:"top-start"},{content:(0,o.withCtx)((()=>[(0,o.createVNode)(n,{innerHTML:e.text,"max-width":e.width},null,8,["innerHTML","max-width"])])),default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(i.Icon),{name:"question-mark-circle",type:"mini",class:"cursor-pointer text-gray-400 dark:text-gray-500"})])),_:1})])):(0,o.createCommentVNode)("",!0)}};const s=(0,r(66262).A)(n,[["__file","HelpTextTooltip.vue"]])},92407:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726),i=r(74640);const l={__name:"CopyIcon",props:{copied:{type:Boolean,default:!1}},setup(e){const t=e,r=(0,o.computed)((()=>!0===t.copied?"check-circle":"clipboard")),l=(0,o.computed)((()=>!0===t.copied?"text-green-500":"text-gray-400 dark:text-gray-500"));return(e,t)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(i.Icon),{name:r.value,type:"micro",class:(0,o.normalizeClass)(["!w-3 !h-3",l.value])},null,8,["name","class"]))}};const a=(0,r(66262).A)(l,[["__file","CopyIcon.vue"]])},74960:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",i,t[0]||(t[0]=[(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)]))}],["__file","IconBold.vue"]])},76825:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",i,t[0]||(t[0]=[(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)]))}],["__file","IconFullScreen.vue"]])},57404:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",i,t[0]||(t[0]=[(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)]))}],["__file","IconImage.vue"]])},87446:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",i,t[0]||(t[0]=[(0,o.createElementVNode)("path",{d:"M8 1h9v2H8V1zm3 2h3L8 17H5l6-14zM2 17h9v2H2v-2z"},null,-1)]))}],["__file","IconItalic.vue"]])},48309:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",i,t[0]||(t[0]=[(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)]))}],["__file","IconLink.vue"]])},49467:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 530 560"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",i,t[0]||(t[0]=[(0,o.createStaticVNode)('<g fill="none" fill-rule="evenodd" transform="translate(4 10)"><path fill="#DDE4EB" d="M0 185a19.4 19.4 0 0 1 19.4-19.4h37.33a19.4 19.4 0 0 0 0-38.8H45.08a19.4 19.4 0 1 1 0-38.8h170.84a19.4 19.4 0 0 1 0 38.8h-6.87a19.4 19.4 0 0 0 0 38.8h42.55a19.4 19.4 0 0 1 0 38.8H19.4A19.4 19.4 0 0 1 0 185z"></path><g stroke-width="2" transform="rotate(-30 383.9199884 -24.79114317)"><rect width="32.4" height="9.19" x="12.47" y="3.8" fill="#FFF" stroke="#0D2B3E" rx="4.6"></rect><rect width="32.4" height="14.79" x="1" y="1" fill="#FFF" stroke="#0D2B3E" rx="7.39"></rect><ellipse cx="8.6" cy="8.39" stroke="#4A90E2" rx="7.6" ry="7.39" style="mix-blend-mode:multiply;"></ellipse></g><path fill="#E0EEFF" d="M94 198.256L106.6 191l22.4 16.744L116.4 215zM48 164.256L60.6 157 83 173.744 70.4 181z" opacity=".58"></path><path stroke="#0D2B3E" stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M88 188l9 7-9-7zm-15-11l5 3-5-3z"></path><path stroke="#4A90E2" stroke-width="2" d="M92.82 198.36l20.65 15.44 10.71-6.16-20.65-15.44-10.71 6.16zM119 211l-22-17 22 17zm-72.18-46.64l20.65 15.44 10.71-6.16-20.65-15.44-10.71 6.16zM73 178l-22-17 22 17z"></path><path stroke="#8DDCFF" stroke-linecap="round" stroke-width="2" d="M117 176a14 14 0 0 0-14-14m10 15a10 10 0 0 0-10-10"></path><ellipse cx="258" cy="441" fill="#FFF" rx="250" ry="90"></ellipse><path fill="#FFF" fill-rule="nonzero" stroke="#0D2B3E" stroke-width="2" d="M195.95992276 433.88207738c-.7613033-1.55811337-1.97677352-5.39619.01107483-6.1324365 1.97685786-.72734656 2.77032762 2.34241006 4.31210683 4.22387675 2.92231431 3.57504952 6.28818967 5.22592295 11.14145652 5.73602185 1.77024897.18606067 3.51532102.0376574 5.19229942-.41955529a3.17 3.17 0 0 1 3.89461497 2.16898002 3.12 3.12 0 0 1-2.19463454 3.85169823c-2.43329264.66931826-4.97971626.88432232-7.54558275.61463889-7.06110546-.7421521-11.79595772-3.81390631-14.81133528-10.04322395z"></path><g stroke="#0D2B3E" stroke-width="2"><path fill="#FFF" fill-rule="nonzero" d="M228.66635404 453.35751889l3.48444585 6.7411525a11.71 11.71 0 0 0-3.36066168 18.19840799l3.157266 3.1573203-8.52104352 8.55618006-.29468882-6.6673277a19.31 19.31 0 0 1 5.53468217-29.98573315z"></path><path d="M221.75370493 481.33823157l5.9097851-4.56727928"></path></g><g stroke="#0D2B3E" stroke-width="2"><path fill="#FFF" fill-rule="nonzero" d="M217.43675157 454.38903415l-.38056208 7.58726384a10.25 10.25 0 0 0-10.62036709 8.5642456l.04580558 4.00318647-11.36366293-.10613565 3.84834642-5.16425501a17.82 17.82 0 0 1 18.46098491-14.88104957z"></path><path d="M199.40986905 468.0735658l7.07551171 1.72015522"></path></g><path fill="#E5F7FF" d="M233.41788355 435.98904264l3.14268919.33030994-3.01041974 28.64223059-3.1426892-.33030995z"></path><path stroke="#7ED7FF" stroke-width="2" d="M218.1633805 433.70198413l13.07796292 1.37454929 1.09127716-10.38280859a6.575 6.575 0 0 0-13.07796293-1.37454929l-1.09127715 10.38280859z"></path><path fill="#FFF" stroke="#0D2B3E" stroke-width="2" d="M221.02136188 434.25374714l.64389533-6.12625487a3.59 3.59 0 1 1 7.130722.74946908l-.64389534 6.12625488"></path><path stroke="#0D2B3E" stroke-width="2" d="M235.80327328 436.92350283l-20.28824667-2.13238065-2.86721575 27.27973559 20.28824667 2.13238065 2.86721575-27.2797356z"></path><path fill="#FFF" stroke="#0D2B3E" stroke-width="2" d="M215.51502661 434.79112218l-2.86721575 27.27973559 17.1555027 1.80311599 2.86721575-27.2797356-17.1555027-1.80311598z"></path><path fill="#FFF" stroke="#0D2B3E" stroke-width="2" d="M214.36589556 440.07997818l-1.09905036.88999343-1.17489993 11.1784261 11.15853567 1.17280937 1.09905036-.88999344 1.17385464-11.16848088-11.16848088-1.17385464z"></path><path fill="#FFF" fill-rule="nonzero" stroke="#0D2B3E" stroke-width="2" d="M245.62684398 462.24908175c-.41742893 1.6755456-1.95466376 5.39523768-3.94116941 4.68369338-1.99645087-.71258958-.63076284-3.56546466-.5955535-6.00514913.06313174-4.61870267-1.45795198-8.03642184-4.8492445-11.55015704-1.23234204-1.2858589-2.67505657-2.29217634-4.24858182-3.01059006a3.17 3.17 0 0 1-1.5730205-4.16725407 3.12 3.12 0 0 1 4.14422777-1.54527542c2.29328456 1.04544055 4.3804078 2.52169139 6.1770892 4.36961887 4.93145874 5.12354512 6.58580412 10.52606688 4.87526226 17.2340134z"></path><path stroke="#233242" stroke-width="2" d="M518 372.93A1509.66 1509.66 0 0 0 261 351c-87.62 0-173.5 7.51-257 21.93"></path><circle cx="51" cy="107" r="6" fill="#9AC2F0"></circle><path stroke="#031836" stroke-linecap="round" stroke-width="2" d="M48 116a6 6 0 1 0-6-6"></path><circle cx="501" cy="97" r="6" fill="#9AC2F0"></circle><path stroke="#031836" stroke-linecap="round" stroke-width="2" d="M498 106a6 6 0 1 0-6-6"></path><path fill="#031836" d="M305.75 0h.5a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1h-.5a1 1 0 0 1-1-1V1a1 1 0 0 1 1-1zM321 14.75v.5a1 1 0 0 1-1 1h-8a1 1 0 0 1-1-1v-.5a1 1 0 0 1 1-1h8a1 1 0 0 1 1 1zM306.25 30h-.5a1 1 0 0 1-1-1v-8a1 1 0 0 1 1-1h.5a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1zM291 15.25v-.5a1 1 0 0 1 1-1h8a1 1 0 0 1 1 1v.5a1 1 0 0 1-1 1h-8a1 1 0 0 1-1-1z"></path><path fill="#DDE4EB" d="M446 107.5a16.5 16.5 0 0 0 16.5 16.5h44a16.5 16.5 0 0 1 0 33h-143a16.5 16.5 0 0 1 0-33 16.5 16.5 0 0 0 0-33h-66a16.5 16.5 0 0 1 0-33h165a16.5 16.5 0 0 1 0 33 16.5 16.5 0 0 0-16.5 16.5z"></path><circle cx="458" cy="186" r="4" fill="#031836"></circle><circle cx="138" cy="16" r="4" fill="#031836"></circle><path stroke="#233242" stroke-width="2" d="M58 364.86l67.93-67.93a10 10 0 0 1 14.14 0L196 352.86m139-18l36.93-36.93a10 10 0 0 1 14.14 0L451 362.86"></path><path stroke="#233242" stroke-width="2" d="M176 332.86l70.93-71.84a10 10 0 0 1 14.19-.05L345 344.86"></path><g stroke-width="2" transform="rotate(-87 355.051 43.529)"><ellipse cx="10.28" cy="27.49" fill="#FFF" stroke="#0D2B3E" rx="9.21" ry="19.26"></ellipse><path fill="#FFF" stroke="#0D2B3E" d="M25.66 54.03c-7.52 0-13.62-12.1-13.62-27.02S18.14 0 25.66 0H96.1c7.22 0 14.15 2.85 19.26 7.91l19.26 19.1-19.26 19.1a27.35 27.35 0 0 1-19.26 7.92H25.66z"></path><path fill="#FFF" stroke="#4A90E2" d="M98.09 54.22c-7.52 0-13.62-12.1-13.62-27.02s6.1-27 13.62-27"></path><ellipse cx="59.59" cy="27.27" stroke="#4A90E2" rx="16.34" ry="16.21"></ellipse><ellipse cx="59.59" cy="27.27" fill="#FFF" stroke="#0D2B3E" rx="12.26" ry="12.16"></ellipse></g><g stroke="#233242" stroke-width="2" transform="translate(456 396)"><ellipse cx="30" cy="10" rx="20" ry="10"></ellipse><path d="M0 15c0 8.28 13.43 15 30 15m12.39-1.33C52.77 26.3 60 21.07 60 15"></path></g><g stroke="#233242" stroke-width="2" transform="translate(276 520)"><ellipse cx="20" cy="6.67" rx="13.33" ry="6.67"></ellipse><path d="M0 10c0 5.52 8.95 10 20 10m8.26-.89C35.18 17.54 40 14.05 40 10"></path></g><g stroke="#233242" stroke-width="2" transform="translate(186 370)"><ellipse cx="15" cy="5" rx="10" ry="5"></ellipse><path d="M0 7.5C0 11.64 6.72 15 15 15m6.2-.67c5.19-1.18 8.8-3.8 8.8-6.83"></path></g><ellipse cx="58" cy="492" fill="#202C3A" rx="3" ry="2"></ellipse><ellipse cx="468" cy="492" fill="#202C3A" rx="3" ry="2"></ellipse><ellipse cx="388" cy="392" fill="#202C3A" rx="3" ry="2"></ellipse><ellipse cx="338" cy="452" fill="#202C3A" rx="3" ry="2"></ellipse><g stroke="#233242" stroke-width="2" transform="translate(46 406)"><ellipse cx="40" cy="13.33" rx="26.67" ry="13.33"></ellipse><path d="M0 20c0 11.05 17.9 20 40 20m16.51-1.78C70.37 35.08 80 28.1 80 20"></path></g><g stroke="#0D2B3E" stroke-width="2"><path d="M299 378l-21 42m35-36l-21 42m4-42l14 6m-17 0l14 6m-17 0l14 6m-17 0l14 6m-17 0l14 6m-17 0l14 6"></path></g><circle cx="341" cy="155" r="25" stroke="#233242" stroke-width="2"></circle><circle cx="342" cy="156" r="20" fill="#FFF"></circle><path stroke="#233242" stroke-width="2" d="M321.56 140.5c-7.66.32-13 2.37-13.97 6-1.78 6.66 11.9 16.12 30.58 21.13 18.67 5 35.25 3.65 37.04-3.02.96-3.58-2.54-7.96-8.88-12.03"></path></g>',1)]))}],["__file","ErrorPageIcon.vue"]])},21449:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726),i=r(74640);const l={__name:"IconArrow",setup:e=>(e,t)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(i.Icon),{class:"shrink-0 text-gray-700 dark:text-gray-400",name:"chevron-down",type:"mini"}))};const a=(0,r(66262).A)(l,[["__file","IconArrow.vue"]])},16018:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726),i=r(74640);const l={__name:"IconBoolean",props:{value:{type:Boolean,default:!1},nullable:{type:Boolean,default:!1},type:{type:String,default:"solid",required:!1}},setup(e){const t=e,r=(0,o.computed)((()=>!0===t.value?"check-circle":null===t.value&&!0===t.nullable?"minus-circle":"x-circle")),l=(0,o.computed)((()=>!0===t.value?"text-green-500":null===t.value&&!0===t.nullable?"text-gray-200 dark:text-gray-800":"text-red-500"));return(t,a)=>((0,o.openBlock)(),(0,o.createElementBlock)("span",null,[(0,o.createVNode)((0,o.unref)(i.Icon),{name:r.value,type:e.type,class:(0,o.normalizeClass)(l.value)},null,8,["name","type","class"])]))}};const a=(0,r(66262).A)(l,[["__file","IconBoolean.vue"]])},18711:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={class:"ml-2"};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 a(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?l(Object(r),!0).forEach((function(t){n(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):l(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function n(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const s={props:{resourceName:{type:String,required:!0},filter:Object,option:Object,label:{default:"name"}},methods:{labelFor(e){return e[this.label]||""},updateCheckedState(e,t){let r=a(a({},this.filter.currentValue),{},{[e]:t});this.$store.commit(`${this.resourceName}/updateFilterState`,{filterClass:this.filter.class,value:r}),this.$emit("change")}},computed:{currentValue(){let e=this.$store.getters[`${this.resourceName}/filterOptionValue`](this.filter.class,this.option.value);return null!=e?e:null},isChecked(){return 1==this.currentValue},nextValue(){let e=this.currentValue;return!0!==e&&(!1!==e||null)}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,l,a,n){const s=(0,o.resolveComponent)("IconBoolean");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"flex items-center",onClick:t[0]||(t[0]=e=>n.updateCheckedState(r.option.value,n.nextValue))},[(0,o.createVNode)(s,{value:n.currentValue,nullable:!0},null,8,["value"]),(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(n.labelFor(r.option)),1)])}],["__file","IconBooleanOption.vue"]])},47833:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["fill"],l={__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},r[0]||(r[0]=[(0,o.createStaticVNode)('<circle cx="15" cy="15" r="15"><animate attributeName="r" from="15" to="15" begin="0s" dur="0.8s" values="15;9;15" calcMode="linear" repeatCount="indefinite"></animate><animate attributeName="fill-opacity" from="1" to="1" begin="0s" dur="0.8s" values="1;.5;1" calcMode="linear" repeatCount="indefinite"></animate></circle><circle cx="60" cy="15" r="9" fill-opacity="0.3"><animate attributeName="r" from="9" to="9" begin="0s" dur="0.8s" values="9;15;9" calcMode="linear" repeatCount="indefinite"></animate><animate attributeName="fill-opacity" from="0.5" to="0.5" begin="0s" dur="0.8s" values=".5;1;.5" calcMode="linear" repeatCount="indefinite"></animate></circle><circle cx="105" cy="15" r="15"><animate attributeName="r" from="15" to="15" begin="0s" dur="0.8s" values="15;9;15" calcMode="linear" repeatCount="indefinite"></animate><animate attributeName="fill-opacity" from="1" to="1" begin="0s" dur="0.8s" values="1;.5;1" calcMode="linear" repeatCount="indefinite"></animate></circle>',3)]),12,i))};const a=(0,r(66262).A)(l,[["__file","Loader.vue"]])},12617:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726),i=r(74640),l=r(65835);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 n(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?a(Object(r),!0).forEach((function(t){s(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):a(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function s(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const c={key:0},d=["src"],u=["href"],p=Object.assign({inheritAttrs:!1},{__name:"ImageLoader",props:{src:{type:String},maxWidth:{type:Number,default:320},rounded:{type:Boolean,default:!1},aspect:{type:String,default:"aspect-auto",validator:e=>["aspect-auto","aspect-square"].includes(e)}},setup(e){const{__:t}=(0,l.B)(),r=e,a=(0,o.ref)(!1),s=(0,o.ref)(!1),p=()=>a.value=!0,h=()=>{s.value=!0,Nova.log(`${t("The image could not be loaded.")}: ${r.src}`)},m=(0,o.computed)((()=>[r.rounded&&"rounded-full"])),f=(0,o.computed)((()=>n(n({"max-width":`${r.maxWidth}px`},"aspect-square"===r.aspect&&{width:`${r.maxWidth}px`}),"aspect-square"===r.aspect&&{height:`${r.maxWidth}px`})));return(r,l)=>{const a=(0,o.resolveDirective)("tooltip");return s.value?((0,o.openBlock)(),(0,o.createElementBlock)("a",{key:1,href:e.src},[(0,o.withDirectives)((0,o.createVNode)((0,o.unref)(i.Icon),{name:"exclamation-circle",class:"text-red-500"},null,512),[[a,(0,o.unref)(t)("The image could not be loaded.")]])],8,u)):((0,o.openBlock)(),(0,o.createElementBlock)("span",c,[(0,o.createElementVNode)("img",{class:(0,o.normalizeClass)(m.value),style:(0,o.normalizeStyle)(f.value),src:e.src,onLoad:p,onError:h},null,46,d)]))}}});const h=(0,r(66262).A)(p,[["__file","ImageLoader.vue"]])},73289:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726),i=r(65835);const l=["dusk"],a={class:"flex flex-col justify-center items-center px-6 space-y-3"},n={class:"text-base font-normal"},s={class:"hidden md:inline-block"},c={class:"inline-block md:hidden"},d={__name:"IndexEmptyDialog",props:["create-button-label","singularName","resourceName","viaResource","viaResourceId","viaRelationship","relationshipType","authorizedToCreate","authorizedToRelate"],setup(e){const{__:t}=(0,i.B)(),r=e,d=(0,o.computed)((()=>p.value||u.value)),u=(0,o.computed)((()=>("belongsToMany"===r.relationshipType||"morphToMany"===r.relationshipType)&&r.authorizedToRelate)),p=(0,o.computed)((()=>r.authorizedToCreate&&r.authorizedToRelate&&!r.alreadyFilled)),h=(0,o.computed)((()=>u.value?t("Attach :resource",{resource:r.singularName}):r.createButtonLabel)),m=(0,o.computed)((()=>u.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,i)=>{const p=(0,o.resolveComponent)("InertiaButton");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",a,[i[0]||(i[0]=(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)),(0,o.createElementVNode)("h3",n,(0,o.toDisplayString)((0,o.unref)(t)("No :resource matched the given criteria.",{resource:e.singularName})),1)]),d.value?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,variant:"outline",href:m.value,class:"shrink-0",dusk:"create-button"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(h.value),1),(0,o.createElementVNode)("span",c,(0,o.toDisplayString)(u.value?(0,o.unref)(t)("Attach"):(0,o.unref)(t)("Create")),1)])),_:1},8,["href"])):(0,o.createCommentVNode)("",!0)],8,l)}}};const u=(0,r(66262).A)(d,[["__file","IndexEmptyDialog.vue"]])},96735:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726),i=r(74640);const l={class:"text-base font-normal mt-3"},a={__name:"IndexErrorDialog",props:{resource:{type:Object,required:!0}},emits:["click"],setup:e=>(t,r)=>{const a=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createBlock)(a,{class:"flex flex-col justify-center items-center px-6 py-8"},{default:(0,o.withCtx)((()=>[r[1]||(r[1]=(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)),(0,o.createElementVNode)("h3",l,(0,o.toDisplayString)(t.__("Failed to load :resource!",{resource:t.__(`${e.resource.label}`)})),1),(0,o.createVNode)((0,o.unref)(i.Button),{class:"shrink-0 mt-6",onClick:r[0]||(r[0]=e=>t.$emit("click")),variant:"outline",label:t.__("Reload")},null,8,["label"])])),_:1})}};const n=(0,r(66262).A)(a,[["__file","IndexErrorDialog.vue"]])},87853:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"text-xs font-semibold text-gray-400 text-right space-x-1"},l={__name:"CharacterCounter",props:{count:{type:Number},limit:{type:Number}},setup(e){const t=e,r=(0,o.computed)((()=>t.count/t.limit)),l=(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",i,[(0,o.createElementVNode)("span",{class:(0,o.normalizeClass)({"text-red-500":a.value,"text-yellow-500":l.value})},(0,o.toDisplayString)(e.count),3),r[0]||(r[0]=(0,o.createElementVNode)("span",null,"/",-1)),(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.limit),1)]))}};const a=(0,r(66262).A)(l,[["__file","CharacterCounter.vue"]])},36706:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(29726),i=r(98234),l=r(38221),a=r.n(l),n=r(58156),s=r.n(n),c=r(96433);const d=["dusk"],u={class:"relative"},p=["onKeydown","disabled","placeholder","autocomplete","aria-expanded"],h=["dusk"],m=["dusk"],f={key:0,class:"px-3 py-2"},v=["dusk","onClick"],g=Object.assign({inheritAttrs:!1},{__name:"ComboBoxInput",props:(0,o.mergeModels)({autocomplete:{type:String,required:!1,default:null},dusk:{type:String},error:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1},placeholder:{type:String,default:"Search"},options:{type:Array,default:[]},loading:{type:Boolean,default:!1},debounce:{type:Number,default:500},trackBy:{type:String}},{modelValue:{type:Array,default:[]},modelModifiers:{}}),emits:(0,o.mergeModels)(["clear","input","selected"],["update:modelValue"]),setup(e,{expose:t,emit:r}){const l=r,n=e,g=a()((e=>e()),n.debounce),y=(0,o.useModel)(e,"modelValue"),b=(0,o.ref)(null),k=(0,o.useTemplateRef)("searchInput"),w=(0,o.useTemplateRef)("searchResultsContainer"),C=(0,o.useTemplateRef)("searchResultsDropdown"),x=(0,o.useTemplateRef)("searchInputContainer"),N=(0,o.useTemplateRef)("selectedOption"),B=(0,o.ref)(""),S=(0,o.ref)(!1),V=(0,o.ref)(0);(0,c.MLh)(document,"keydown",(e=>{S.value&&[9,27].includes(e.keyCode)?setTimeout((()=>O()),50):e.composed&&[13,229].includes(e.keyCode)&&(B.value=e.target.value)})),(0,o.watch)(B,(e=>{e&&(S.value=!0),V.value=0,w.value?w.value.scrollTop=0:(0,o.nextTick)((()=>w.value.scrollTop=0)),g((()=>l("input",e)))})),(0,o.watch)(S,(e=>!0===e?(0,o.nextTick)((()=>{b.value=(0,i.n4)(k.value,C.value,{placement:"bottom-start",onFirstUpdate:()=>{x.value.scrollTop=x.value.scrollHeight,P()}})})):b.value.destroy()));const R=(0,o.computed)((()=>k.value?.offsetWidth));function E(e){return s()(e,n.trackBy)}function _(){S.value=!0}function O(){S.value=!1}function F(e){let t=V.value+e;t>=0&&t<n.options.length&&(V.value=t,(0,o.nextTick)((()=>P())))}function D(e){const t=y.value.filter((t=>t.value===e.value));l("selected",e),(0,o.nextTick)((()=>O())),B.value="",0===t.length&&y.value.push(e)}function A(e){if(e.isComposing||229===e.keyCode)return;var t;D((t=V.value,n.options[t]))}function P(){N.value&&(N.value.offsetTop>w.value.scrollTop+w.value.clientHeight-N.value.clientHeight&&(w.value.scrollTop=N.value.offsetTop+N.value.clientHeight-w.value.clientHeight),N.value.offsetTop<w.value.scrollTop&&(w.value.scrollTop=N.value.offsetTop))}return t({open:_,close:O,choose:D,remove:function(e){y.value.splice(e,1)},clear:function(){V.value=null,O(),l("clear"),y.value=[]},move:F}),(t,r)=>{const i=(0,o.resolveComponent)("Loader"),l=(0,o.resolveComponent)("Backdrop");return(0,o.openBlock)(),(0,o.createElementBlock)("div",(0,o.mergeProps)({ref:"searchInputContainer"},t.$attrs,{dusk:e.dusk}),[(0,o.createElementVNode)("div",u,[(0,o.withDirectives)((0,o.createElementVNode)("input",{onClick:(0,o.withModifiers)(_,["stop"]),onKeydown:[(0,o.withKeys)((0,o.withModifiers)(A,["prevent"]),["enter"]),r[0]||(r[0]=(0,o.withKeys)((0,o.withModifiers)((e=>F(1)),["prevent"]),["down"])),r[1]||(r[1]=(0,o.withKeys)((0,o.withModifiers)((e=>F(-1)),["prevent"]),["up"]))],class:(0,o.normalizeClass)(["w-full block 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:"searchInput",tabindex:"0",type:"search",placeholder:t.__(e.placeholder),autocomplete:e.autocomplete,spellcheck:"false","aria-expanded":!0===S.value?"true":"false"},null,42,p),[[o.vModelText,B.value]])]),((0,o.openBlock)(),(0,o.createBlock)(o.Teleport,{to:"body"},[S.value?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,ref:"searchResultsDropdown",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:R.value+"px",zIndex:2e3})},[(0,o.createElementVNode)("div",{ref:"searchResultsContainer",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",f,[(0,o.createVNode)(i,{width:"30"})])):((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,{key:1},(0,o.renderList)(e.options,((r,i)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{dusk:`${e.dusk}-result-${i}`,onClick:(0,o.withModifiers)((e=>D(r)),["stop"]),ref_for:!0,ref:e=>function(e,t){V.value===e&&(N.value=t)}(i,e),key:E(r),class:(0,o.normalizeClass)(["px-3 py-1.5 cursor-pointer",{[`search-input-item-${i}`]:!0,"hover:bg-gray-100 dark:hover:bg-gray-800":i!==V.value,"bg-primary-500 text-white dark:text-gray-900":i===V.value}])},[(0,o.renderSlot)(t.$slots,"option",{option:r,selected:i===V.value,dusk:`${e.dusk}-result-${i}`})],10,v)))),128))],8,m)],4),[[o.vShow,e.loading||e.options.length>0]])],8,h)):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(l,{onClick:O,show:S.value,class:"z-[35]"},null,8,["show"])]))],16,d)}}});const y=(0,r(66262).A)(g,[["__file","ComboBoxInput.vue"]])},26762:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726),i=r(74640),l=r(65835);const a={class:"relative h-9 w-full md:w-1/3 md:shrink-0"},n={__name:"IndexSearchInput",props:{modelValue:{},modelModifiers:{}},emits:["update:modelValue"],setup(e){const{__:t}=(0,l.B)(),r=(0,o.useModel)(e,"modelValue");return(e,l)=>{const n=(0,o.resolveComponent)("RoundInput");return(0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createVNode)((0,o.unref)(i.Icon),{name:"magnifying-glass",type:"mini",class:"absolute ml-2 text-gray-400 top-[4px]"}),(0,o.createVNode)(n,{dusk:"search-input",class:"bg-white dark:bg-gray-800 shadow dark:focus:bg-gray-800",placeholder:(0,o.unref)(t)("Search"),type:"search",modelValue:r.value,"onUpdate:modelValue":l[0]||(l[0]=e=>r.value=e),spellcheck:"false","aria-label":(0,o.unref)(t)("Search"),"data-role":"resource-search-input"},null,8,["placeholder","modelValue","aria-label"])])}}};const s=(0,r(66262).A)(n,[["__file","IndexSearchInput.vue"]])},40902:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);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 l(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const a=Object.assign({inheritAttrs:!1},{__name:"RoundInput",props:{modelValue:{},modelModifiers:{}},emits:["update:modelValue"],setup(e){const t=(0,o.useModel)(e,"modelValue");return(e,r)=>(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("input",(0,o.mergeProps)(function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){l(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({},e.$attrs),{"onUpdate:modelValue":r[0]||(r[0]=e=>t.value=e),class:"appearance-none rounded-full h-8 pl-10 w-full focus:bg-white focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600"}),null,16)),[[o.vModelDynamic,t.value]])}});const n=(0,r(66262).A)(a,[["__file","RoundInput.vue"]])},21760:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>B});var o=r(29726),i=r(98234),l=r(38221),a=r.n(l),n=r(58156),s=r.n(n),c=r(24713),d=r.n(c),u=r(35229),p=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 m(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const f=["dusk"],v=["onKeydown","tabindex","aria-expanded","dusk"],g={key:0,class:"pointer-events-none absolute inset-y-0 right-[11px] flex items-center"},y={class:"text-gray-400 dark:text-gray-400"},b=["dusk"],k=["dusk"],w=["disabled","onKeydown","autocomplete","placeholder"],C=["dusk"],x=["dusk","onClick"],N=Object.assign({inheritAttrs:!1},{__name:"SearchInput",props:(0,o.mergeModels)(function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?h(Object(r),!0).forEach((function(t){m(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):h(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({autocomplete:{type:String,required:!1,default:null},dusk:{type:String,required:!0},disabled:{type:Boolean,default:!1},readOnly:{type:Boolean,default:!1},options:{},trackBy:{type:String,required:!0},error:{type:Boolean,default:!1},boundary:{},debounce:{type:Number,default:500},clearable:{type:Boolean,default:!0}},(0,u.rr)(["mode"])),{modelValue:{},modelModifiers:{}}),emits:(0,o.mergeModels)(["clear","input","shown","closed","selected"],["update:modelValue"]),setup(e,{expose:t,emit:r}){const l=r,n=e,c=(0,o.useModel)(e,"modelValue"),u=a()((e=>e()),n.debounce),h=(0,o.ref)(!1),m=(0,o.ref)(""),N=(0,o.ref)(0),B=(0,o.ref)(null),S=(0,o.ref)(null),V=(0,o.useTemplateRef)("container"),R=(0,o.useTemplateRef)("dropdown"),E=(0,o.useTemplateRef)("input"),_=(0,o.useTemplateRef)("search"),O=(0,o.useTemplateRef)("selected");function F(e){return s()(e,n.trackBy)}function D(){n.disabled||n.readOnly||(h.value=!0,m.value="",l("shown"))}function A(){h.value=!1,l("closed")}function P(){n.disabled||(N.value=null,l("clear",null))}function T(e){let t=N.value+e;t>=0&&t<n.options.length&&(N.value=t,I())}function I(){(0,o.nextTick)((()=>{O.value&&O.value[0]&&(O.value[0].offsetTop>V.value.scrollTop+V.value.clientHeight-O.value[0].clientHeight&&(V.value.scrollTop=O.value[0].offsetTop+O.value[0].clientHeight-V.value.clientHeight),O.value[0].offsetTop<V.value.scrollTop&&(V.value.scrollTop=O.value[0].offsetTop))}))}function M(e){if(!e.isComposing&&229!==e.keyCode&&void 0!==n.options[N.value]){let e=n.options[N.value];c.value=F(e),l("selected",e),E.value.focus(),(0,o.nextTick)((()=>A()))}}(0,o.watch)(m,(e=>{N.value=0,V.value?V.value.scrollTop=0:(0,o.nextTick)((()=>{V.value.scrollTop=0})),u((()=>{l("input",e)}))})),(0,o.watch)(h,(e=>{if(e){let e=d()(n.options,[n.trackBy,s()(c.value,n.trackBy)]);-1!==e&&(N.value=e),S.value=E.value.offsetWidth,Nova.$emit("disable-focus-trap"),(0,o.nextTick)((()=>{B.value=(0,i.n4)(E.value,R.value,{placement:"bottom-start",onFirstUpdate:e=>{V.value.scrollTop=V.value.scrollHeight,I(),_.value.focus()}})}))}else B.value&&B.value.destroy(),Nova.$emit("enable-focus-trap"),E.value.focus()})),(0,p.MLh)(document,"keydown",(e=>{h.value&&[9,27].includes(e.keyCode)?setTimeout((()=>A()),50):e.composed&&[13,229].includes(e.keyCode)&&(m.value=e.target.value)}));const j=(0,o.computed)((()=>""==c.value||null==c.value||!n.clearable));return t({open:D,close:A,clear:P,move:T}),(t,r)=>{const i=(0,o.resolveComponent)("IconArrow"),a=(0,o.resolveComponent)("Backdrop");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[(0,o.createElementVNode)("div",(0,o.mergeProps)(t.$attrs,{class:"relative",dusk:e.dusk,ref:"searchInputContainer"}),[(0,o.createElementVNode)("div",{ref:"input",onClick:(0,o.withModifiers)(D,["stop"]),onKeydown:[(0,o.withKeys)((0,o.withModifiers)(D,["prevent"]),["space"]),(0,o.withKeys)((0,o.withModifiers)(D,["prevent"]),["down"]),(0,o.withKeys)((0,o.withModifiers)(D,["prevent"]),["up"])],class:(0,o.normalizeClass)([{"ring dark:border-gray-500 dark:ring-gray-700":h.value,"form-input-border-error":e.error,"bg-gray-50 dark:bg-gray-700":e.disabled||e.readOnly},"relative flex items-center form-control form-input form-control-bordered form-select pr-6"]),tabindex:h.value?-1:0,"aria-expanded":!0===h.value?"true":"false",dusk:`${e.dusk}-selected`},[j.value&&!e.disabled?((0,o.openBlock)(),(0,o.createElementBlock)("span",g,[(0,o.createVNode)(i)])):(0,o.createCommentVNode)("",!0),(0,o.renderSlot)(t.$slots,"default",{},(()=>[(0,o.createElementVNode)("div",y,(0,o.toDisplayString)(t.__("Click to choose")),1)]))],42,v),j.value||e.disabled?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,type:"button",onClick:P,tabindex:"-1",class:"absolute p-2 inline-block right-[4px]",style:{top:"6px"},dusk:`${e.dusk}-clear-button`},r[3]||(r[3]=[(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)]),8,b))],16,f),((0,o.openBlock)(),(0,o.createBlock)(o.Teleport,{to:"body"},[h.value?((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:S.value+"px",zIndex:2e3}),dusk:`${e.dusk}-dropdown`},[(0,o.withDirectives)((0,o.createElementVNode)("input",{disabled:e.disabled||e.readOnly,"onUpdate:modelValue":r[0]||(r[0]=e=>m.value=e),ref:"search",onKeydown:[(0,o.withKeys)((0,o.withModifiers)(M,["prevent"]),["enter"]),r[1]||(r[1]=(0,o.withKeys)((0,o.withModifiers)((e=>T(1)),["prevent"]),["down"])),r[2]||(r[2]=(0,o.withKeys)((0,o.withModifiers)((e=>T(-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",autocomplete:e.autocomplete,spellcheck:"false",placeholder:t.__("Search")},null,40,w),[[o.vModelText,m.value]]),(0,o.createElementVNode)("div",{ref:"container",class:"relative overflow-y-scroll text-sm",tabindex:"-1",style:{"max-height":"155px"},dusk:`${e.dusk}-results`},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.options,((r,i)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{dusk:`${e.dusk}-result-${i}`,key:F(r),ref_for:!0,ref:i===N.value?"selected":"unselected",onClick:(0,o.withModifiers)((e=>function(e){N.value=d()(n.options,[n.trackBy,s()(e,n.trackBy)]),c.value=F(e),l("selected",e),E.value.blur(),(0,o.nextTick)((()=>A()))}(r)),["stop"]),class:(0,o.normalizeClass)(["px-3 py-1.5 cursor-pointer z-[50]",{"border-t border-gray-100 dark:border-gray-700":0!==i,[`search-input-item-${i}`]:!0,"hover:bg-gray-100 dark:hover:bg-gray-800":i!==N.value,"bg-primary-500 text-white dark:text-gray-900":i===N.value}])},[(0,o.renderSlot)(t.$slots,"option",{option:r,selected:i===N.value})],10,x)))),128))],8,C)],12,k)):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(a,{onClick:A,show:h.value,style:{zIndex:1999}},null,8,["show"])]))],64)}}});const B=(0,r(66262).A)(N,[["__file","SearchInput.vue"]])},76402:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i={class:"flex items-center"},l={key:0,class:"flex-none mr-3"},a=["src"],n={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",i,[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,a)])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",n,[(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"]])},24511:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726),i=r(74640);const l={class:"py-1"},a={__name:"LensSelector",props:["resourceName","lenses"],setup:e=>(t,r)=>{const a=(0,o.resolveComponent)("DropdownMenuItem"),n=(0,o.resolveComponent)("ScrollWrap"),s=(0,o.resolveComponent)("DropdownMenu"),c=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createBlock)(c,{placement:"bottom-end"},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{class:"divide-y divide-gray-100 dark:divide-gray-800 divide-solid px-1",width:"auto"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(n,{height:250},{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)(a,{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})])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(i.Button),{variant:"ghost",padding:"tight",icon:"queue-list","trailing-icon":"chevron-down","aria-label":t.__("Lens Dropdown")},null,8,["aria-label"])])),_:1})}};const n=(0,r(66262).A)(a,[["__file","LensSelector.vue"]])},99820:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726),i=r(66278);const l={key:0,href:"https://nova.laravel.com/licenses",class:"inline-block text-red-500 text-xs font-bold mt-1 text-center uppercase"},a={__name:"LicenseWarning",setup(e){const t=(0,i.Pj)(),r=(0,o.computed)((()=>t.getters.validLicense));return(e,t)=>r.value?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("a",l,(0,o.toDisplayString)(e.__("Unregistered")),1))}};const n=(0,r(66262).A)(a,[["__file","LicenseWarning.vue"]])},89204:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"absolute inset-0 z-30 flex items-center justify-center rounded-lg bg-white dark:bg-gray-800"},l={__name:"LoadingCard",props:{loading:{type:Boolean,default:!0}},setup:e=>(t,r)=>{const l=(0,o.resolveComponent)("Loader"),a=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createBlock)(a,{class:"isolate"},{default:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createElementVNode)("div",i,[(0,o.createVNode)(l,{class:"text-gray-300",width:"30"})],512),[[o.vShow,e.loading]]),(0,o.renderSlot)(t.$slots,"default")])),_:3})}};const a=(0,r(66262).A)(l,[["__file","LoadingCard.vue"]])},5983:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={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",i)):(0,o.createCommentVNode)("",!0),(0,o.renderSlot)(t.$slots,"default")],64)):(0,o.createCommentVNode)("",!0)],2)}};const a=(0,r(66262).A)(l,[["__file","LoadingView.vue"]])},1085:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>B});var o=r(29726),i=r(10646),l=r(65835),a=r(15237),n=r.n(a),s=r(38221),c=r.n(s);function d(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 u(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?d(Object(r),!0).forEach((function(t){p(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):d(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function p(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const{__:h}=(0,l.B)(),m=(e,{props:t,emitter:r,isFocused:i,filesUploadingCount:l,filesUploadedCount:a,files:n})=>{const s=e.getDoc();return{setValue(e){s.setValue(e),this.refresh()},focus(){i.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(null!=t.uploader){l.value=l.value+1;const o=`![Uploading ${e.name}…]()`;this.insert(o),t.uploader(e,{onCompleted:(e,t)=>{let i=s.getValue();i=i.replace(o,`![${e}](${t})`),s.setValue(i),r("change",i),a.value=a.value+1},onFailure:e=>{l.value=l.value-1}})}}}},f=(e,t,{props:r,emitter:i,isFocused:l,files:a,filesUploadingCount:n,filesUploadedCount:s})=>{const d=e.getDoc(),u=/!\[[^\]]*\]\(([^\)]+)\)/gm;e.on("focus",(()=>l.value=!0)),e.on("blur",(()=>l.value=!1)),d.on("change",((e,t)=>{"setValue"!==t.origin&&i("change",e.getValue())})),d.on("change",c()(((e,t)=>{const r=[...e.getValue().matchAll(u)].map((e=>e[1])).filter((e=>{try{return new URL(e),!0}catch{return!1}}));a.value.filter((e=>!r.includes(e))).filter(((e,t,r)=>r.indexOf(e)===t)).forEach((e=>i("file-removed",e))),r.filter((e=>!a.value.includes(e))).filter(((e,t,r)=>r.indexOf(e)===t)).forEach((e=>i("file-added",e))),a.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<r.length;o++)-1!==r[o].type.indexOf("image")&&(t.uploadAttachment(r[o].getAsFile()),e.preventDefault())}})(r)})),(0,o.watch)(l,((t,r)=>{!0===t&&!1===r&&e.focus()}))},v=(e,{emitter:t,props:r,isEditable:o,isFocused:i,isFullScreen:l,filesUploadingCount:a,filesUploadedCount:s,files:c,unmountMarkdownEditor:d})=>{const p=n().fromTextArea(e.value,{tabSize:4,indentWithTabs:!0,lineWrapping:!0,mode:"markdown",viewportMargin:1/0,extraKeys:{Enter:"newlineAndIndentContinueMarkdownList"},readOnly:r.readonly,autoRefresh:!0}),h=(p.getDoc(),m(p,{props:r,emitter:t,isFocused:i,filesUploadingCount:a,filesUploadedCount:s,files:c})),v=((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"};Object.entries(r).forEach((([o,i])=>{const l=o.replace("Cmd-",n().keyMap.default==n().keyMap.macDefault?"Cmd-":"Ctrl-");e.options.extraKeys[l]=t[r[o]].bind(void 0)}))})(p,v),f(p,h,{props:r,emitter:t,isFocused:i,files:c,filesUploadingCount:a,filesUploadedCount:s}),h.refresh(),{editor:p,unmount:()=>{p.toTextArea(),d()},actions:u(u(u({},h),v),{},{handle(e,t){r.readonly||(i.value=!0,v[t].call(e))}})}};function g(e,t){const r=(0,o.ref)(!1),i=(0,o.ref)(!1),l=(0,o.ref)(""),a=(0,o.ref)("write"),n=(0,o.ref)(h("Attach files by dragging & dropping, selecting or pasting them.")),s=(0,o.ref)([]),c=(0,o.ref)(0),d=(0,o.ref)(0),u=(0,o.computed)((()=>t.readonly&&"write"==a.value)),p=()=>{r.value=!1,i.value=!1,a.value="write",l.value="",c.value=0,d.value=0,s.value=[]};return null!=t.uploader&&(0,o.watch)([d,c],(([e,t])=>{n.value=t>e?h("Uploading files... (:current/:total)",{current:e,total:t}):h("Attach files by dragging & dropping, selecting or pasting them.")})),{createMarkdownEditor:(o,l)=>v.call(o,l,{emitter:e,props:t,isEditable:u,isFocused:i,isFullScreen:r,filesUploadingCount:c,filesUploadedCount:d,files:s,unmountMarkdownEditor:p}),isFullScreen:r,isFocused:i,isEditable:u,visualMode:a,previewContent:l,statusContent:n,files:s}}const y=["dusk"],b={class:"w-full flex items-center content-center"},k=["dusk"],w={class:"p-4"},C=["dusk"],x=["dusk","innerHTML"],N={__name:"MarkdownEditor",props:{attribute:{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{__:a}=(0,l.B)(),n=r,s=e,{createMarkdownEditor:c,isFullScreen:d,isFocused:u,isEditable:p,visualMode:h,previewContent:m,statusContent:f}=g(n,s);let v=null;const N=(0,o.useTemplateRef)("theTextarea"),B=(0,o.useTemplateRef)("fileInput"),S=()=>B.value.click(),V=()=>{if(s.uploader&&v.actions){const e=B.value.files;for(let t=0;t<e.length;t++)v.actions.uploadAttachment(e[t]);B.value.files=null}},{startedDrag:R,handleOnDragEnter:E,handleOnDragLeave:_}=(0,i.g)(n),O=e=>{if(s.uploader&&v.actions){const t=e.dataTransfer.files;for(let e=0;e<t.length;e++)-1!==t[e].type.indexOf("image")&&v.actions.uploadAttachment(t[e])}};(0,o.onMounted)((()=>{v=c(this,N),n("initialize")})),(0,o.onBeforeUnmount)((()=>v.unmount()));const F=()=>{h.value="write",v.actions.refresh()},D=async()=>{m.value=await s.previewer(v.editor.getValue()??""),h.value="preview"},A=e=>{v.actions.handle(this,e)};return t({setValue(e){v?.actions&&v.actions.setValue(e)},setOption(e,t){v?.editor&&v.editor.setOption(e,t)}}),(t,r)=>{const i=(0,o.resolveComponent)("MarkdownEditorToolbar");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{dusk:e.attribute,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)(E)&&(0,o.unref)(E)(...e)),["prevent"])),onDragleave:r[2]||(r[2]=(0,o.withModifiers)(((...e)=>(0,o.unref)(_)&&(0,o.unref)(_)(...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)(h)},"ml-1 px-3 h-10 focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600"]),onClick:(0,o.withModifiers)(F,["stop"])},(0,o.toDisplayString)((0,o.unref)(a)("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)(h)},"px-3 h-10 focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600"]),onClick:(0,o.withModifiers)(D,["stop"])},(0,o.toDisplayString)((0,o.unref)(a)("Preview")),3)):(0,o.createCommentVNode)("",!0)]),e.readonly?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)(i,{key:0,onAction:A,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",w,[(0,o.createElementVNode)("textarea",{ref:"theTextarea",class:(0,o.normalizeClass)({"bg-gray-100":e.readonly})},null,2)]),e.uploader?((0,o.openBlock)(),(0,o.createElementBlock)("label",{key:0,onChange:(0,o.withModifiers)(S,["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.attribute}-file-picker`},[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)((0,o.unref)(f)),1),(0,o.createElementVNode)("input",{ref:"fileInput",type:"file",class:"hidden",accept:"image/*",multiple:!0,onChange:(0,o.withModifiers)(V,["prevent"])},null,544)],42,C)):(0,o.createCommentVNode)("",!0)],10,k),[[o.vShow,"write"==(0,o.unref)(h)]]),(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,x),[[o.vShow,"preview"==(0,o.unref)(h)]])],42,y)}}};const B=(0,r(66262).A)(N,[["__file","MarkdownEditor.vue"]])},24143:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={class:"flex items-center"},l=["onClick"],a={__name:"MarkdownEditorToolbar",emits:["action"],setup(e,{emit:t}){const r=t,a=(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",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(a.value,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:e.action,onClick:(0,o.withModifiers)((t=>{return o=e.action,void 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 n=(0,r(66262).A)(a,[["__file","MarkdownEditorToolbar.vue"]])},25787:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726),i=r(74640),l=r(66278);const a={key:0,class:"text-gray-500 font-semibold","aria-label":"breadcrumb",dusk:"breadcrumbs"},n={class:"flex items-center"},s={key:1},c={__name:"Breadcrumbs",setup(e){const t=(0,l.Pj)(),r=(0,o.computed)((()=>t.getters.breadcrumbs)),c=(0,o.computed)((()=>r.value.length>0));return(e,t)=>{const l=(0,o.resolveComponent)("Link");return c.value?((0,o.openBlock)(),(0,o.createElementBlock)("nav",a,[(0,o.createElementVNode)("ol",null,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.value,((t,a)=>((0,o.openBlock)(),(0,o.createElementBlock)("li",(0,o.mergeProps)({key:a,ref_for:!0},{"aria-current":a===r.value.length-1?"page":null},{class:"inline-block"}),[(0,o.createElementVNode)("div",n,[null!==t.path&&a<r.value.length-1?((0,o.openBlock)(),(0,o.createBlock)(l,{key:0,href:e.$url(t.path),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(t.name),1)])),_:2},1032,["href"])):((0,o.openBlock)(),(0,o.createElementBlock)("span",s,(0,o.toDisplayString)(t.name),1)),a<r.value.length-1?((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(i.Icon),{key:2,name:"chevron-right",type:"micro",class:"mx-2 text-gray-300 dark:text-gray-700"})):(0,o.createCommentVNode)("",!0)])],16)))),128))])])):(0,o.createCommentVNode)("",!0)}}};const d=(0,r(66262).A)(c,[["__file","Breadcrumbs.vue"]])},43134:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726),i=r(66278);const l={key:0,class:"sidebar-menu space-y-6",dusk:"sidebar-menu",role:"navigation"},a=Object.assign({name:"MainMenu"},{__name:"MainMenu",setup(e){const t=(0,i.Pj)(),r=(0,o.computed)((()=>t.getters.mainMenu)),a=(0,o.computed)((()=>r.value.length>0));return(e,t)=>a.value?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.value,((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)}});const n=(0,r(66262).A)(a,[["__file","MainMenu.vue"]])},16839:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={key:0},l={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"},n={key:0};const s={mixins:[r(35229).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 c=(0,r(66262).A)(s,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("CollapseButton");return r.item.items.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("h4",{onClick:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>d.handleClick&&d.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":d.displayAsButton,"font-bold text-primary-500 dark:text-primary-500":r.item.active}])},[t[1]||(t[1]=(0,o.createElementVNode)("span",{class:"inline-block shrink-0 w-6 h-6"},null,-1)),(0,o.createElementVNode)("span",l,(0,o.toDisplayString)(r.item.name),1),r.item.collapsable?((0,o.openBlock)(),(0,o.createElementBlock)("span",a,[(0,o.createVNode)(u,{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",n,[((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"]])},12899:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>g});var o=r(29726);const i={class:"flex-1 flex items-center w-full px-3 text-sm"},l={class:"inline-block h-6 shrink-0"};var a=r(83488),n=r.n(a),s=r(42194),c=r.n(s),d=r(71086),u=r.n(d),p=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 m(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?h(Object(r),!0).forEach((function(t){f(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):h(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function f(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const v={props:{item:{type:Object,required:!0}},methods:m(m({},(0,p.PY)(["toggleMainMenu"])),{},{handleClick(){this.mainMenuShown&&this.toggleMainMenu()}}),computed:m(m({},(0,p.L8)(["mainMenuShown"])),{},{requestMethod(){return this.item.method||"GET"},component(){return"GET"!==this.requestMethod?"FormButton":!0!==this.item.external?"Link":"a"},linkAttributes(){let e=this.requestMethod;return u()(c()({href:this.item.path,method:"GET"!==e?e:null,headers:this.item.headers||null,data:this.item.data||null,rel:"a"===this.component?"noreferrer noopener":null,target:this.item.target||null},(e=>null===e)),n())}})};const g=(0,r(66262).A)(v,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("Badge");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(s.component),(0,o.mergeProps)(s.linkAttributes,{class:["w-full flex min-h-8 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",{"font-bold text-primary-500 dark:text-primary-500":r.item.active}],"data-active-link":r.item.active,onClick:s.handleClick}),{default:(0,o.withCtx)((()=>[t[0]||(t[0]=(0,o.createElementVNode)("span",{class:"inline-block shrink-0 w-6 h-6"},null,-1)),(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(r.item.name),1),(0,o.createElementVNode)("span",l,[r.item.badge?((0,o.openBlock)(),(0,o.createBlock)(c,{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"]])},21081:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"sidebar-list"},l={__name:"MenuList",props:{item:{type:Object}},setup:e=>(t,r)=>{const l=(0,o.resolveComponent)("MenuItem");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.item.items,(e=>((0,o.openBlock)(),(0,o.createBlock)(l,{key:e.key,item:e},null,8,["item"])))),128))])}};const a=(0,r(66262).A)(l,[["__file","MenuList.vue"]])},84372:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>g});var o=r(29726);const i={key:0,class:"relative"},l={class:"inline-block shrink-0 w-6 h-6"},a={class:"flex-1 flex items-center w-full px-3 text-base"},n={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(74640),u=r(35229),p=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 m(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?h(Object(r),!0).forEach((function(t){f(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):h(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function f(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const v={components:{Icon:d.Icon},mixins:[u.pJ],props:{item:{type:Object,required:!0}},methods:m(m({},(0,p.PY)(["toggleMainMenu"])),{},{handleClick(){this.item.collapsable&&this.toggleCollapse(),this.mainMenuShown&&"button"!==this.component&&this.toggleMainMenu()}}),computed:m(m({},(0,p.L8)(["mainMenuShown"])),{},{component(){return this.item.path?"Link":this.item.items.length>0&&this.item.collapsable?"button":"h3"},displayAsButton(){return["Link","button"].includes(this.component)},collapsedByDefault(){return this.item?.collapsedByDefault??!1}})};const g=(0,r(66262).A)(v,[["render",function(e,t,r,d,u,p){const h=(0,o.resolveComponent)("Icon"),m=(0,o.resolveComponent)("Badge"),f=(0,o.resolveComponent)("CollapseButton");return r.item.path||r.item.items.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(p.component),{href:r.item.path??null,onClick:(0,o.withModifiers)(p.handleClick,["prevent"]),tabindex:p.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":p.displayAsButton,"font-bold text-primary-500 dark:text-primary-500":r.item.active}])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",l,[(0,o.createVNode)(h,{name:r.item.icon,class:"inline-block"},null,8,["name"])]),(0,o.createElementVNode)("span",a,(0,o.toDisplayString)(r.item.name),1),(0,o.createElementVNode)("span",n,[r.item.badge?((0,o.openBlock)(),(0,o.createBlock)(m,{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)(f,{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"]])},29033:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i={class:"h-6 flex mb-3 text-sm font-bold"},l={class:"ml-auto font-semibold text-gray-400 text-xs"},a={class:"flex min-h-[90px]"};var n=r(38221),s=r.n(n),c=r(31126),d=r.n(c),u=r(27717);r(27554);const p={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 u.rW(this.$refs.chart,this.formattedChartData,{donut:!0,donutWidth:10,startAngle:270,showLabel:!1}),this.chartist.on("draw",(e=>{"slice"===e.type&&e.element.attr({style:`stroke-width: 10px; stroke: ${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 this.chartData.map(((e,t)=>({label:e.label,value:Nova.formatNumber(e.value),color:this.getItemColor(e,t),percentage:Nova.formatNumber(String(e.percentage))})))},formattedLabels(){return this.chartData.map((e=>e.label))},formattedData(){return this.chartData.map(((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 d()(this.chartData,"value")}}};const h=(0,r(66262).A)(p,[["render",function(e,t,r,n,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",i,[(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",a,[(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"]])},39157:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i={class:"h-6 flex items-center mb-4"},l={class:"flex-1 mr-3 leading-tight text-sm font-bold"},a={class:"flex-none text-right"},n={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(30043);const p={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.singularOrPlural)(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 h=(0,r(66262).A)(p,[["render",function(e,t,r,u,p,h){const m=(0,o.resolveComponent)("HelpTextTooltip"),f=(0,o.resolveComponent)("ProgressBar"),v=(0,o.resolveComponent)("LoadingCard");return(0,o.openBlock)(),(0,o.createBlock)(v,{loading:r.loading,class:"flex flex-col px-6 py-4"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(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",a,[(0,o.createElementVNode)("span",n,[(0,o.createTextVNode)((0,o.toDisplayString)(h.formattedValue)+" ",1),r.suffix?((0,o.openBlock)(),(0,o.createElementBlock)("span",s,(0,o.toDisplayString)(h.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)(f,{title:h.formattedValue,color:h.bgClass,value:r.percentage},null,8,["title","color","value"])])])),_:1},8,["loading"])}],["__file","BaseProgressMetric.vue"]])},28104:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726);const i={class:"h-6 flex items-center mb-4"},l={class:"mr-3 leading-tight text-sm font-bold"},a={class:"flex items-center text-4xl mb-4"},n={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(30043),p=r(27717),h=(r(27554),r(399)),m=r.n(h);r(55809);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 p.bl(this.$refs.chart,{series:this.chartData},{lineSmooth:p.lc.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:[m()({pointClass:"ct-point",anchorToPoint:!1}),m()({pointClass:"ct-point__left",anchorToPoint:!1,tooltipOffset:{x:50,y:-20}}),m()({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)},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,u.singularOrPlural)(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,u.singularOrPlural)(this.value,this.suffix)}}};const v=(0,r(66262).A)(f,[["render",function(e,t,r,c,d,u){const p=(0,o.resolveComponent)("HelpTextTooltip"),h=(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",i,[(0,o.createElementVNode)("h3",l,(0,o.toDisplayString)(r.title),1),(0,o.createVNode)(p,{text:r.helpText,width:r.helpWidth},null,8,["text","width"]),r.ranges.length>0?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,value:r.selectedRangeKey,"onUpdate:modelValue":t[0]||(t[0]=t=>e.$emit("selected",t)),options:r.ranges,size:"xxs",class:"ml-auto w-[6rem] shrink-0","aria-label":e.__("Select Ranges")},null,8,["value","options","aria-label"])):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("p",a,[(0,o.createTextVNode)((0,o.toDisplayString)(u.formattedValue)+" ",1),r.suffix?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,(0,o.toDisplayString)(u.formattedSuffix),1)):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",s,null,512)])),_:1},8,["loading"])}],["__file","BaseTrendMetric.vue"]])},32983:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>x});var o=r(29726);const i={class:"h-6 flex items-center mb-4"},l={class:"mr-3 leading-tight text-sm font-bold"},a={class:"flex items-center mb-4 space-x-4"},n={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={key:1,class:"text-green-500 stroke-current mr-2",width:"24",height:"24",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor"},p={key:2},h={key:0},m={key:1},f={key:3,class:"text-gray-400 font-semibold"},v={key:0},g={key:1},y={key:2};var b=r(74640),k=r(35229),w=r(30043);const C={name:"BaseValueMetric",components:{Icon:b.Icon},mixins:[k.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:{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,w.increaseOrDecrease)(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,w.singularOrPlural)(this.value,this.suffix)}}};const x=(0,r(66262).A)(C,[["render",function(e,t,r,b,k,w){const C=(0,o.resolveComponent)("HelpTextTooltip"),x=(0,o.resolveComponent)("SelectControl"),N=(0,o.resolveComponent)("Icon"),B=(0,o.resolveComponent)("LoadingCard"),S=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createBlock)(B,{loading:r.loading,class:"px-6 py-4"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(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)(x,{key:0,value:r.selectedRangeKey,"onUpdate:modelValue":t[0]||(t[0]=t=>e.$emit("selected",t)),options:r.ranges,size:"xxs",class:"ml-auto w-[6rem] shrink-0","aria-label":e.__("Select Ranges")},null,8,["value","options","aria-label"])):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",a,[r.icon?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(N,{name:r.icon,class:"inline-block"},null,8,["name"])])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",null,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(r.copyable?"CopyButton":"p"),{onClick:w.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)(w.formattedValue),1)])),[[S,`${w.tooltipFormattedValue}`]]),r.suffix?((0,o.openBlock)(),(0,o.createElementBlock)("span",s,(0,o.toDisplayString)(w.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"===w.increaseOrDecreaseLabel?((0,o.openBlock)(),(0,o.createElementBlock)("svg",d,t[1]||(t[1]=[(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)]))):(0,o.createCommentVNode)("",!0),"Increase"===w.increaseOrDecreaseLabel?((0,o.openBlock)(),(0,o.createElementBlock)("svg",u,t[2]||(t[2]=[(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)]))):(0,o.createCommentVNode)("",!0),0!==w.increaseOrDecrease?((0,o.openBlock)(),(0,o.createElementBlock)("span",p,[0!==w.growthPercentage?((0,o.openBlock)(),(0,o.createElementBlock)("span",h,(0,o.toDisplayString)(w.growthPercentage)+"% "+(0,o.toDisplayString)(e.__(w.increaseOrDecreaseLabel)),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",m,(0,o.toDisplayString)(e.__("No Increase")),1))])):((0,o.openBlock)(),(0,o.createElementBlock)("span",f,["0"===r.previous&&"0"!==r.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",v,(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",g,(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,`${w.tooltipFormattedPreviousValue}`]])])])])),_:1},8,["loading"])}],["__file","BaseValueMetric.vue"]])},99543:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i={class:"group"},l={class:"text-base text-gray-500 truncate"},a={class:"text-gray-400 text-xs truncate"},n={class:"flex justify-end items-center text-gray-400"},s={class:"py-1"};var c=r(74640),d=r(42194),u=r.n(d);const p={components:{Button:c.Button,Icon:c.Icon},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}:u()({as:"GET"===t?"link":"form-button",href:e.path,method:"GET"!==t?t:null,data:e.data||null,headers:e.headers||null},(e=>null===e))}},computed:{rowClasses:()=>["py-2"]}};const h=(0,r(66262).A)(p,[["render",function(e,t,r,c,d,u){const p=(0,o.resolveComponent)("Icon"),h=(0,o.resolveComponent)("Button"),m=(0,o.resolveComponent)("DropdownMenuItem"),f=(0,o.resolveComponent)("ScrollWrap"),v=(0,o.resolveComponent)("DropdownMenu"),g=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createElementBlock)("tr",i,[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)(p,{name:r.row.icon,class:"inline-block"},null,8,["name"])],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",a,(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",n,[(0,o.createVNode)(g,null,{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(v,{width:"auto",class:"px-1"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(f,{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,t)=>((0,o.openBlock)(),(0,o.createBlock)(m,(0,o.mergeProps)({key:t,ref_for:!0},u.actionAttributes(e)),{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.name),1)])),_:2},1040)))),128))])])),_:1})])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(h,{icon:"ellipsis-horizontal",variant:"action","aria-label":e.__("Resource Row Dropdown")},null,8,["aria-label"])])),_:1})])],2)):(0,o.createCommentVNode)("",!0)])}],["__file","MetricTableRow.vue"]])},64903:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={mixins:[r(35229).je],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:{handleFetchCallback(){return({data:{value:{value:e}}})=>{this.chartData=e,this.loading=!1}}},computed:{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 l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("BasePartitionMetric");return(0,o.openBlock)(),(0,o.createBlock)(n,{title:e.card.name,"help-text":e.card.helpText,"help-width":e.card.helpWidth,"chart-data":e.chartData,loading:e.loading,"legends-height":e.card.height},null,8,["title","help-text","help-width","chart-data","loading","legends-height"])}],["__file","PartitionMetric.vue"]])},98825:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);var i=r(35229);const l={name:"ProgressMetric",mixins:[i.Z4,i.je],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:{handleFetchCallback(){return({data:{value:{value:e,target:t,percentage:r,prefix:o,suffix:i,suffixInflection:l,format:a,avoid:n}}})=>{this.value=e,this.target=t,this.percentage=r,this.format=a||this.format,this.avoid=n,this.prefix=o||this.prefix,this.suffix=i||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}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("BaseProgressMetric");return(0,o.openBlock)(),(0,o.createBlock)(n,{title:e.card.name,"help-text":e.card.helpText,"help-width":e.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"]])},33796:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>m});var o=r(29726);const i={class:"h-6 flex items-center px-6 mb-4"},l={class:"mr-3 leading-tight text-sm font-bold"},a={class:"mb-5 pb-4"},n={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 p=r(35229);const h={name:"TableCard",mixins:[p.Z4,p.je],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:{handleFetchCallback(){return({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}}};const m=(0,r(66262).A)(h,[["render",function(e,t,r,p,h,m){const f=(0,o.resolveComponent)("HelpTextTooltip"),v=(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",i,[(0,o.createElementVNode)("h3",l,(0,o.toDisplayString)(e.card.name),1),(0,o.createVNode)(f,{text:e.card.helpText,width:e.card.helpWidth},null,8,["text","width"])]),(0,o.createElementVNode)("div",a,[e.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(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)(v,{row:e},null,8,["row"])))),256))])])])):((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[(0,o.createElementVNode)("p",u,(0,o.toDisplayString)(e.card.emptyText),1)]))])])),_:1},8,["loading"])}],["__file","TableMetric.vue"]])},1740:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);var i=r(35229);const l={name:"TrendMetric",mixins:[i.Z4,i.je],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()},handleFetchCallback(){return({data:{value:{labels:e,trend:t,value:r,prefix:o,suffix:i,suffixInflection:l,format:a}}})=>{this.value=r,this.labels=Object.keys(t),this.data={labels:Object.keys(t),series:[Object.entries(t).map((([e,t])=>({meta:`${e}`,value:t})))]},this.format=a||this.format,this.prefix=o||this.prefix,this.suffix=i||this.suffix,this.suffixInflection=l,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}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("BaseTrendMetric");return(0,o.openBlock)(),(0,o.createBlock)(n,{onSelected:a.handleRangeSelected,title:e.card.name,"help-text":e.card.helpText,"help-width":e.card.helpWidth,value:e.value,"chart-data":e.data,ranges:e.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"]])},58937:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);var i=r(35229);const l={name:"ValueMetric",mixins:[i.Z4,i.je],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()},handleFetchCallback(){return({data:{value:{copyable:e,value:t,previous:r,prefix:o,suffix:i,suffixInflection:l,format:a,tooltipFormat:n,zeroResult:s}}})=>{this.copyable=e,this.value=t,this.format=a||this.format,this.tooltipFormat=n||this.tooltipFormat,this.prefix=o||this.prefix,this.suffix=i||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}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("BaseValueMetric");return(0,o.openBlock)(),(0,o.createBlock)(n,{onSelected:a.handleRangeSelected,title:e.card.name,copyable:e.copyable,"help-text":e.card.helpText,"help-width":e.card.helpWidth,icon:e.card.icon,previous:e.previous,value:e.value,ranges:e.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"]])},61462:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>S});var o=r(29726),i=r(66278),l=r(74640),a=r(57091),n=r(83488),s=r.n(n),c=r(42194),d=r.n(c),u=r(71086),p=r.n(u),h=r(65835),m=r(59977);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 v(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?f(Object(r),!0).forEach((function(t){g(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):f(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function g(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const y={class:"md:hidden bg-gray-100 dark:bg-gray-900/30 rounded-lg py-4 px-2"},b={class:"flex flex-col gap-2"},k={class:"inline-flex items-center shrink-0 gap-2 px-2"},w=["alt","src"],C={class:"font-bold whitespace-nowrap"},x={class:"flex flex-col"},N={key:0,class:"mr-1"},B={__name:"MobileUserMenu",setup(e){const{__:t}=(0,h.B)(),r=(0,i.Pj)(),n=(0,o.computed)((()=>r.getters.userMenu.map((e=>{let t=e.method||"GET",r={href:e.path};return e.external&&"GET"===t?{component:"a",props:v(v({},r),{},{target:e.target||null}),name:e.name,external:e.external,on:{}}:{component:"GET"===t?"a":"FormButton",props:p()(d()(v(v({},r),{},{method:"GET"!==t?t:null,data:e.data||null,headers:e.headers||null}),(e=>null===e)),s()),external:e.external,name:e.name,on:{},badge:e.badge}})))),c=(0,o.computed)((()=>r.getters.currentUser?.name||r.getters.currentUser?.email||t("Nova User"))),u=(0,o.computed)((()=>Nova.config("customLogoutPath"))),f=(0,o.computed)((()=>!0===Nova.config("withAuthentication")||!1!==u.value)),g=(0,o.computed)((()=>Nova.hasSecurityFeatures())),B=()=>{confirm(t("Are you sure you want to stop impersonating?"))&&r.dispatch("stopImpersonating")},S=()=>{Nova.visit("/user-security")},V=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((()=>m.QB.reload()))};return(e,i)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",y,[(0,o.createElementVNode)("div",b,[(0,o.createElementVNode)("div",k,[(0,o.unref)(r).getters.currentUser?.impersonating?((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(l.Icon),{key:0,name:"finger-print",type:"solid"})):(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:c.value}),src:(0,o.unref)(r).getters.currentUser?.avatar,class:"rounded-full w-7 h-7"},null,8,w)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("span",C,(0,o.toDisplayString)(c.value),1)]),(0,o.createElementVNode)("nav",x,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(n.value,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),(0,o.mergeProps)({key:e.path,ref_for:!0},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)(a.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:B,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),g.value?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:1,type:"button",onClick:S,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)("User Security")),1)):(0,o.createCommentVNode)("",!0),f.value?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:2,onClick:V,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 S=(0,r(66262).A)(B,[["__file","MobileUserMenu.vue"]])},75713:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i=["data-form-unique-id"],l={key:1},a={class:"flex items-center ml-auto"};var n=r(35229),s=r(23805),c=r.n(s),d=r(25542);const u={components:{Button:r(74640).Button},emits:["confirm","close"],mixins:[n.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 p=(0,r(66262).A)(u,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("ModalHeader"),u=(0,o.resolveComponent)("Button"),p=(0,o.resolveComponent)("ModalFooter"),h=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(h,{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",a,[(0,o.createVNode)(u,{variant:"link",state:"mellow",onClick:t[0]||(t[0]=t=>e.$emit("close")),dusk:"cancel-action-button",class:"ml-auto mr-3"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.action.cancelButtonText),1)])),_:1}),(0,o.createVNode)(u,{ref:"runButton",type:"submit",loading:r.working,variant:"solid",state:r.action.destructive?"danger":"default",dusk:"confirm-action-button"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.action.confirmButtonText),1)])),_:1},8,["loading","state"])])])),_:1})],42,i)])),_:1},8,["show","onCloseViaEscape","size","modal-style","use-focus-trap"])}],["__file","ConfirmActionModal.vue"]])},48619:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={class:"bg-white dark:bg-gray-800 rounded-lg shadow-lg overflow-hidden",style:{width:"460px"}},l={class:"leading-tight"},a={class:"ml-auto"};const n={components:{Button:r(74640).Button},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)(n,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("ModalHeader"),u=(0,o.resolveComponent)("ModalContent"),p=(0,o.resolveComponent)("Button"),h=(0,o.resolveComponent)("ModalFooter"),m=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(m,{show:r.show,role:"alertdialog",size:"md"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(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)(h,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",a,[(0,o.createVNode)(p,{variant:"link",state:"mellow",onClick:(0,o.withModifiers)(c.handleClose,["prevent"]),class:"mr-3",dusk:"cancel-upload-delete-button"},{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"]])},80245:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i={class:"space-y-6"},l={class:"px-8"},a={class:"px-8 mb-6"},n=["placeholder","disabled"],s={class:"flex items-center ml-auto"};var c=r(35229);const d={components:{Button:r(74640).Button},emits:["confirm","close"],mixins:[c.Uf],props:{show:{type:Boolean,default:!1},title:{type:String,default:null},content:{type:String,default:null},button:{type:String,default:null}},data:()=>({form:Nova.form({password:""}),loading:!1,completed:!1}),methods:{async submit(){try{let{redirect:e}=await this.form.post(Nova.url("/user-security/confirm-password"));this.completed=!0,this.$emit("confirm")}catch(e){500===e.response?.status&&Nova.error(this.__("There was a problem submitting the form."))}this.form.password="",this.$refs.passwordInput.focus()},handlePreventModalAbandonmentOnClose(e){this.handlePreventModalAbandonment((()=>{this.handleClose()}),(()=>{e.stopPropagation()}))},handleClose(){this.form.password="",this.$emit("close")}}};const u=(0,r(66262).A)(d,[["render",function(e,t,r,c,d,u){const p=(0,o.resolveComponent)("ModalHeader"),h=(0,o.resolveComponent)("HelpText"),m=(0,o.resolveComponent)("Button"),f=(0,o.resolveComponent)("ModalFooter"),v=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(v,{show:r.show,onCloseViaEscape:u.handlePreventModalAbandonmentOnClose,role:"dialog",size:"2xl","modal-style":"window","use-focus-trap":r.show},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("form",{ref:"theForm",autocomplete:"off",onSubmit:t[1]||(t[1]=(0,o.withModifiers)(((...e)=>u.submit&&u.submit(...e)),["prevent","stop"])),class:"bg-white dark:bg-gray-800 rounded-lg shadow-lg overflow-hidden space-y-6"},[(0,o.createElementVNode)("div",i,[(0,o.createVNode)(p,{textContent:(0,o.toDisplayString)(e.__(r.title??"Confirm Password"))},null,8,["textContent"]),(0,o.createElementVNode)("p",l,(0,o.toDisplayString)(e.__(r.content??"For your security, please confirm your password to continue.")),1),(0,o.createElementVNode)("div",a,[(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=t=>e.form.password=t),ref:"passwordInput",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("password")}]),placeholder:e.__("Password"),type:"password",name:"password",disabled:!r.show,required:"",autocomplete:"current-password"},null,10,n),[[o.vModelText,e.form.password]]),e.form.errors.has("password")?((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("password")),1)])),_:1})):(0,o.createCommentVNode)("",!0)])]),(0,o.createVNode)(f,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",s,[(0,o.createVNode)(m,{variant:"link",state:"mellow",disabled:e.loading,onClick:u.handleClose,dusk:"cancel-confirm-password-button",class:"ml-auto mr-3"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Cancel")),1)])),_:1},8,["disabled","onClick"]),(0,o.createVNode)(m,{ref:"runButton",type:"submit",variant:"solid",state:"default",loading:e.loading,disabled:e.completed,dusk:"submit-confirm-password-button"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__(r.button??"Confirm")),1)])),_:1},8,["loading","disabled"])])])),_:1})],544)])),_:1},8,["show","onCloseViaEscape","use-focus-trap"])}],["__file","ConfirmsPasswordModal.vue"]])},6347:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={class:"bg-gray-100 dark:bg-gray-700 rounded-lg shadow-lg overflow-hidden p-8"};var l=r(35229),a=r(3056);const n={emits:["set-resource","create-cancelled"],mixins:[l.Uf],components:{CreateResource:a.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)(n,[["render",function(e,t,r,l,a,n){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:n.handlePreventModalAbandonmentOnClose,size:r.size,"use-focus-trap":!e.loading},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(0,o.createVNode)(s,{"resource-name":r.resourceName,onCreateCancelled:n.handleCreateCancelled,onFinishedLoading:t[0]||(t[0]=t=>e.$nextTick((()=>e.loading=!1))),onRefresh:n.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"]])},24916:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i={class:"leading-normal"},l={class:"ml-auto"};var a=r(74640),n=r(90128),s=r.n(n);const c={components:{Button:a.Button},emits:["confirm","close"],props:{show:{type:Boolean,default:!1},mode:{type:String,default:"delete",validator:e=>["force delete","delete","detach"].includes(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 s()(this.mode)}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("ModalHeader"),d=(0,o.resolveComponent)("ModalContent"),u=(0,o.resolveComponent)("Button"),p=(0,o.resolveComponent)("ModalFooter"),h=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(h,{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",i,(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,{variant:"link",state:"mellow",onClick:(0,o.withModifiers)(s.handleClose,["prevent"]),class:"mr-3",dusk:"cancel-delete-button"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Cancel")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(u,{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"]])},41488:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726),i=r(66278),l=r(87612),a=r.n(l),n=r(90179),s=r.n(n),c=r(5620),d=r(96433);const u=["role","data-modal-open","aria-modal"],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.useTemplateRef)("modalContent"),l=(0,o.useAttrs)(),n=t,p=e,h=(0,o.ref)(!0),m=(0,o.computed)((()=>p.useFocusTrap&&!0===h.value)),{activate:f,deactivate:v}=(0,c.r)(r,{immediate:!1,allowOutsideClick:!0,escapeDeactivates:!1});(0,o.watch)((()=>p.show),(e=>k(e))),(0,o.watch)(m,(e=>{try{e?(0,o.nextTick)((()=>f())):v()}catch(e){}})),(0,d.MLh)(document,"keydown",(e=>{"Escape"===e.key&&!0===p.show&&n("close-via-escape",e)}));const g=()=>{h.value=!1},y=()=>{h.value=!0};(0,o.onMounted)((()=>{Nova.$on("disable-focus-trap",g),Nova.$on("enable-focus-trap",y),!0===p.show&&k(!0)})),(0,o.onBeforeUnmount)((()=>{document.body.classList.remove("overflow-hidden"),Nova.resumeShortcuts(),Nova.$off("disable-focus-trap",g),Nova.$off("enable-focus-trap",y),h.value=!1}));const b=(0,i.Pj)();async function k(e){!0===e?(n("showing"),document.body.classList.add("overflow-hidden"),Nova.pauseShortcuts(),h.value=!0):(h.value=!1,n("closing"),document.body.classList.remove("overflow-hidden"),Nova.resumeShortcuts()),b.commit("allowLeavingModal")}const w=(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"}))),x=(0,o.computed)((()=>{let e="window"===p.modalStyle?C.value:{};return a()([e[p.size]??null,"fullscreen"===p.modalStyle?"h-full":"",l.class])}));return(t,r)=>((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)(w.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",x.value]),ref:"modalContent"},[(0,o.renderSlot)(t.$slots,"default")],2)],16,u),r[0]||(r[0]=(0,o.createElementVNode)("div",{class:"fixed inset-0 z-[55] bg-gray-500/75 dark:bg-gray-900/75",dusk:"modal-backdrop"},null,-1))],64)):(0,o.createCommentVNode)("",!0)]))}});const h=(0,r(66262).A)(p,[["__file","Modal.vue"]])},23772:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"py-3 px-8"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","ModalContent.vue"]])},51434:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"bg-gray-100 dark:bg-gray-700 px-6 py-3 flex"};const l={},a=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","ModalFooter.vue"]])},62532:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={},l=(0,r(66262).A)(i,[["render",function(e,t){const r=(0,o.resolveComponent)("Heading");return(0,o.openBlock)(),(0,o.createBlock)(r,{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"]])},22308:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i={key:0,class:"ml-auto bg-red-50 text-red-500 py-0.5 px-2 rounded-full text-xs"},l={key:0},a={class:"ml-auto"};var n=r(74640),s=r(35229),c=r(30043);function d(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 u(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const p={components:{Button:n.Button,Icon:n.Icon},emits:["close"],props:function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?d(Object(r),!0).forEach((function(t){u(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):d(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({show:{type:Boolean,default:!1}},(0,s.rr)(["resourceName","resourceId"])),data:()=>({loading:!0,title:null,resource:null}),async created(){await this.getResource()},mounted(){Nova.$emit("close-dropdowns")},methods:{getResource(){return this.resource=null,(0,c.minimum)(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")}))},componentName:e=>Nova.hasComponent(`preview-${e.component}`)?`preview-${e.component}`:`detail-${e.component}`},computed:{modalTitle(){return`${this.__("Previewing")} ${this.title}`},viewResourceDetailTitle(){return this.__("View :resource",{resource:this.title??""})}}};const h=(0,r(66262).A)(p,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("Icon"),u=(0,o.resolveComponent)("Link"),p=(0,o.resolveComponent)("ModalHeader"),h=(0,o.resolveComponent)("ModalContent"),m=(0,o.resolveComponent)("Button"),f=(0,o.resolveComponent)("ModalFooter"),v=(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)(v,{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)(p,{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",i,(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:c.viewResourceDetailTitle},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{name:"arrow-right"})])),_:1},8,["href","alt"])])),_:1}),(0,o.createVNode)(h,{class:"px-8 divide-y divide-gray-100 dark:divide-gray-800"},{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)(c.componentName(t)),{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)(f,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",a,[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"]])},71368:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={class:"leading-normal"},l={class:"ml-auto"};const a={components:{Button:r(74640).Button},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 n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("ModalHeader"),d=(0,o.resolveComponent)("ModalContent"),u=(0,o.resolveComponent)("Button"),p=(0,o.resolveComponent)("ModalFooter"),h=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(h,{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",i,(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,{variant:"link",state:"mellow",onClick:(0,o.withModifiers)(s.handleClose,["prevent"]),class:"mr-3",dusk:"cancel-restore-button"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Cancel")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(u,{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"]])},14197:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726),i=r(74640);const l=["dusk"],a={class:"shrink-0"},n={class:"flex-auto space-y-4"},s={class:"flex items-center"},c={class:"flex-auto"},d={class:"mr-1 text-gray-600 dark:text-gray-400 leading-normal break-words"},u=["title"],p=Object.assign({name:"MessageNotification"},{__name:"MessageNotification",props:{notification:{type:Object,required:!0}},emits:["toggle-mark-as-read","toggle-notifications"],setup(e,{emit:t}){const r=t,p=e,h=(0,o.computed)((()=>p.notification.icon)),m=(0,o.computed)((()=>p.notification.actionUrl));function f(){r("toggle-mark-as-read"),r("toggle-notifications"),function(){if(m.value)Nova.visit(p.notification.actionUrl,{openInNewTab:p.notification.openInNewTab||!1})}()}return(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"relative flex items-start px-4 gap-4",dusk:`notification-${e.notification.id}`},[(0,o.createElementVNode)("div",a,[(0,o.createVNode)((0,o.unref)(i.Icon),{name:h.value,class:(0,o.normalizeClass)(["inline-block",e.notification.iconClass])},null,8,["name","class"])]),(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("div",null,[(0,o.createElementVNode)("div",s,[(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("p",d,(0,o.toDisplayString)(e.notification.message),1)])]),(0,o.createElementVNode)("p",{class:"mt-1 text-xs",title:e.notification.created_at},(0,o.toDisplayString)(e.notification.created_at_friendly),9,u)]),m.value?((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(i.Button),{key:0,onClick:f,label:e.notification.actionText,size:"small"},null,8,["label"])):(0,o.createCommentVNode)("",!0)])],8,l))}});const h=(0,r(66262).A)(p,[["__file","MessageNotification.vue"]])},70261:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>N});var o=r(29726);const i={class:"relative"},l=["innerHTML"],a={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"},n={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"},p={key:2,class:"py-12"},h={class:"mt-3 text-center"},m={class:"mt-6 px-4 text-center"};var f=r(66278),v=r(74640);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 y(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?g(Object(r),!0).forEach((function(t){b(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):g(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function b(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const{mapMutations:k,mapActions:w,mapGetters:C}=(0,f.$t)("nova"),x={components:{Button:v.Button},created(){this.fetchNotifications()},watch:{notificationsShown(e){!0!==e?document.body.classList.remove("overflow-y-hidden"):document.body.classList.add("overflow-y-hidden")}},mounted(){Nova.$on("refresh-notifications",(()=>this.fetchNotifications()))},beforeUnmount(){document.body.classList.remove("overflow-y-hidden")},methods:y(y(y({},k(["toggleMainMenu","toggleNotifications"])),w(["fetchNotifications","deleteNotification","deleteAllNotifications","markNotificationAsRead","markAllNotificationsAsRead"])),{},{handleDeleteAllNotifications(){confirm(this.__("Are you sure you want to delete all the notifications?"))&&this.deleteAllNotifications()}}),computed:y(y({},C(["mainMenuShown","notificationsShown","notifications","unreadNotifications"])),{},{shouldShowUnreadCount:()=>Nova.config("showUnreadCountInNotificationCenter")})};const N=(0,r(66262).A)(x,[["render",function(e,t,r,f,v,g){const y=(0,o.resolveComponent)("Button"),b=(0,o.resolveComponent)("Heading"),k=(0,o.resolveComponent)("DropdownMenuItem"),w=(0,o.resolveComponent)("DropdownMenu"),C=(0,o.resolveComponent)("Dropdown"),x=(0,o.resolveComponent)("NotificationList");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[(0,o.createElementVNode)("div",i,[(0,o.createVNode)(y,{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},[g.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",a))],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",n,[(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)(b,{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)(y,{dusk:"notification-center-action-dropdown",variant:"ghost",icon:"ellipsis-horizontal"})])),menu:(0,o.withCtx)((()=>[(0,o.createVNode)(w,{width:"200"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",u,[(0,o.createVNode)(k,{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)(k,{as:"button",onClick:g.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)(x,{key:1,notifications:e.notifications},null,8,["notifications"])):((0,o.openBlock)(),(0,o.createElementBlock)("div",p,[t[1]||(t[1]=(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)),(0,o.createElementVNode)("p",h,(0,o.toDisplayString)(e.__("There are no new notifications.")),1),(0,o.createElementVNode)("p",m,[(0,o.createVNode)(y,{variant:"solid",onClick:e.toggleNotifications,label:e.__("Close")},null,8,["onClick","label"])])]))])])):(0,o.createCommentVNode)("",!0)])),_:1})]))],64)}],["__file","NotificationCenter.vue"]])},15001:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726),i=r(74640),l=r(66278);const a={class:"divide-y divide-gray-200 dark:divide-gray-600",dusk:"notifications-content"},n={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:{type:Array}},setup(e){const t=(0,l.Pj)();function r(e){e.read_at?t.dispatch("nova/markNotificationAsUnread",e.id):t.dispatch("nova/markNotificationAsRead",e.id)}function u(e){t.dispatch("nova/deleteNotification",e.id)}return(l,p)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",a,[((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",n,[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:t=>u(e),onToggleNotifications:p[0]||(p[0]=e=>(0,o.unref)(t).commit("nova/toggleNotifications")),onToggleMarkAsRead:t=>r(e)},null,40,["notification","onDeleteNotification","onToggleMarkAsRead"])),(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("div",d,[(0,o.createVNode)((0,o.unref)(i.Button),{onClick:t=>r(e),dusk:"mark-as-read-button",variant:"link",state:"mellow",size:"small",label:e.read_at?l.__("Mark Unread"):l.__("Mark Read")},null,8,["onClick","label"]),(0,o.createVNode)((0,o.unref)(i.Button),{onClick:t=>u(e),dusk:"delete-button",variant:"link",state:"mellow",size:"small",label:l.__("Delete")},null,8,["onClick","label"])])])])])))),128))]))}};const p=(0,r(66262).A)(u,[["__file","NotificationList.vue"]])},84661:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i={class:"rounded-b-lg font-bold flex items-center"},l={class:"flex text-sm"},a=["disabled"],n=["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.page<this.pages},printPages(){const e=Math.min(Math.max(3,this.page),this.pages-2),t=Math.max(e-2,1),r=Math.min(e+2,this.pages);let o=[];for(let e=t;e<=r;++e)e>0&&o.push(e);return o}}};const p=(0,r(66262).A)(u,[["render",function(e,t,r,u,p,h){return(0,o.openBlock)(),(0,o.createElementBlock)("nav",i,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("button",{disabled:!h.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":h.hasPreviousPages,"text-gray-500":!h.hasPreviousPages||e.linksDisabled}]),rel:"first",onClick:t[0]||(t[0]=(0,o.withModifiers)((e=>h.selectPage(1)),["prevent"])),dusk:"first"}," « ",10,a),(0,o.createElementVNode)("button",{disabled:!h.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":h.hasPreviousPages,"text-gray-500":!h.hasPreviousPages||e.linksDisabled}]),rel:"prev",onClick:t[1]||(t[1]=(0,o.withModifiers)((e=>h.selectPreviousPage()),["prevent"])),dusk:"previous"}," ‹ ",10,n),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(h.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=>h.selectPage(t)),["prevent"]),dusk:`page:${t}`},(0,o.toDisplayString)(t),11,s)))),128)),(0,o.createElementVNode)("button",{disabled:!h.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":h.hasMorePages,"text-gray-500":!h.hasMorePages||e.linksDisabled}]),rel:"next",onClick:t[2]||(t[2]=(0,o.withModifiers)((e=>h.selectNextPage()),["prevent"])),dusk:"next"}," › ",10,c),(0,o.createElementVNode)("button",{disabled:!h.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":h.hasMorePages,"text-gray-500":!h.hasMorePages||e.linksDisabled}]),rel:"last",onClick:t[3]||(t[3]=(0,o.withModifiers)((e=>h.selectPage(r.pages)),["prevent"])),dusk:"last"}," » ",10,d)]),(0,o.renderSlot)(e.$slots,"default")])}],["__file","PaginationLinks.vue"]])},55623:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={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"},a={key:0,class:"leading-normal text-sm"},n={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",i,[(0,o.createElementVNode)("p",l,(0,o.toDisplayString)(r.resourceCountLabel),1),d.allResourcesLoaded?((0,o.openBlock)(),(0,o.createElementBlock)("p",a,(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",n,(0,o.toDisplayString)(e.__(":amount Total",{amount:d.resourceTotalCountLabel})),1)])}],["__file","PaginationLoadMore.vue"]])},9320:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={class:"rounded-b-lg"},l={class:"flex justify-between items-center"},a=["disabled"],n=["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",i,[(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,a),(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,n)])])}],["__file","PaginationSimple.vue"]])},75268:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={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 a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[((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"]])},57228:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i=["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"])},a={class:"font-normal @sm/peekable:break-all"},n={key:1,class:"flex items-center"},s=["innerHTML"],c={key:3};var d=r(35229);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 p=(0,r(66262).A)(u,[["render",function(e,t,r,d,u,p){const h=(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",a,[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(p.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)(h,{key:0,onClick:(0,o.withModifiers)(p.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",n,(0,o.toDisplayString)(e.fieldValue),1))]))])],8,i)}],["__file","PanelItem.vue"]])},29627:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={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)(i,[["__file","PassthroughLogo.vue"]])},5112:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["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,i))};const a=(0,r(66262).A)(l,[["__file","ProgressBar.vue"]])},84227:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726),i=r(58059),l=r.n(i),a=r(30043);const n={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"},p={__name:"RelationPeek",props:["resource","resourceName","resourceId"],setup(e){const t=(0,o.ref)(!0),r=(0,o.ref)(null),i=l()((()=>async function(){t.value=!0;try{const{data:{resource:{fields:e}}}=await(0,a.minimum)(Nova.request().get(`/nova-api/${p.resourceName}/${p.resourceId}/peek`),500);r.value=e}catch(e){Nova.debug(e,"error")}finally{t.value=!1}}())),p=e;return(l,a)=>{const p=(0,o.resolveComponent)("Loader"),h=(0,o.resolveComponent)("Tooltip");return(0,o.openBlock)(),(0,o.createBlock)(h,{triggers:["hover"],popperTriggers:["hover"],placement:"top-start",theme:"plain",onTooltipShow:(0,o.unref)(i),"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",n,[t.value?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(0,o.createVNode)(p,{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 h=(0,r(66262).A)(p,[["__file","RelationPeek.vue"]])},34324:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726),i=r(74640),l=r(65835),a=r(44377),n=r.n(a);const s={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"},c={class:"flex items-center bg-gray-50 dark:bg-gray-800 py-2 px-3 rounded-t"},d={class:"flex items-center space-x-2"},u={class:"grid grid-cols-full divide-y divide-gray-100 dark:divide-gray-700"},p={__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=e,a=t,{__:p}=(0,l.B)();(0,o.provide)("viaParent",(0,o.computed)((()=>r.viaParent))),(0,o.provide)("index",(0,o.computed)((()=>r.index)));const h=r.item.fields.map((e=>e.attribute)),m=n()(h.map((e=>[`fields.${e}`,(0,o.ref)(null)]))),f=(0,o.inject)("resourceName"),v=(0,o.inject)("resourceId"),g=(0,o.inject)("shownViaNewRelationModal"),y=(0,o.inject)("viaResource"),b=(0,o.inject)("viaResourceId"),k=(0,o.inject)("viaRelationship"),w=()=>r.item.confirmBeforeRemoval?confirm(p("Are you sure you want to remove this item?"))?C():null:C(),C=()=>{Object.keys(m).forEach((async e=>{})),a("click",r.index)};return(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("div",d,[e.sortable?((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(i.Button),{key:0,as:"div",size:"small",icon:"arrow-up",variant:"ghost",padding:"tight",onClick:r[0]||(r[0]=r=>t.$emit("move-up",e.index)),dusk:"row-move-up-button"})):(0,o.createCommentVNode)("",!0),e.sortable?((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(i.Button),{key:1,as:"div",size:"small",icon:"arrow-down",variant:"ghost",padding:"tight",onClick:r[1]||(r[1]=r=>t.$emit("move-down",e.index)),dusk:"row-move-down-button"})):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)((0,o.unref)(i.Button),{as:"div",size:"small",icon:"trash",variant:"ghost",padding:"tight",onClick:(0,o.withModifiers)(w,["stop","prevent"]),dusk:"row-delete-button",class:"ml-auto"})]),(0,o.createElementVNode)("div",u,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.item.fields,((i,l)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:i.uniqueKey},[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)("form-"+i.component),{ref_for:!0,ref:(0,o.unref)(m)[`fields.${i.attribute}`],field:i,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)(f),"resource-id":(0,o.unref)(v),"shown-via-new-relation-modal":(0,o.unref)(g),"via-resource":(0,o.unref)(y),"via-resource-id":(0,o.unref)(b),"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"]))])))),128))])]))}};const h=(0,r(66262).A)(p,[["__file","RepeaterRow.vue"]])},55293:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={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"},a={class:"divide-y divide-gray-100 dark:divide-gray-700"};const n={emits:["actionExecuted","delete","restore","order","reset-order-by"],mixins:[r(35229).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)(n,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("ResourceTableHeader"),u=(0,o.resolveComponent)("ResourceTableRow");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[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",a,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.resources,((i,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(i)>-1,"click-action":c.clickAction,"delete-resource":c.deleteResource,key:`${i.id.value}-items-${l}`,"relationship-type":r.relationshipType,"resource-name":r.resourceName,resource:i,"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"]])},50101:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i={class:"bg-gray-50 dark:bg-gray-800"},l={class:"sr-only"},a={key:1},n={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},data:()=>({initializingWithShowCheckboxes:!1}),beforeMount(){this.initializingWithShowCheckboxes=this.shouldShowCheckboxes},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 p=(0,o.resolveComponent)("SortableIcon");return(0,o.openBlock)(),(0,o.createElementBlock)("thead",i,[(0,o.createElementVNode)("tr",null,[e.initializingWithShowCheckboxes?((0,o.openBlock)(),(0,o.createElementBlock)("th",{key:0,class:(0,o.normalizeClass)(["w-[1%] white-space-nowrap uppercase bg-gray-50 dark:bg-gray-800 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)(["uppercase text-gray-500 text-xxs tracking-wide py-2",{[`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}])},[r.sortable&&e.sortable?((0,o.openBlock)(),(0,o.createBlock)(p,{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",a,(0,o.toDisplayString)(e.indexName),1))],2)))),128)),(0,o.createElementVNode)("th",n,[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(e.__("Controls")),1)])])])}],["__file","ResourceTableHeader.vue"]])},79344:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726);const i=["data-pivot-id","dusk"],l={class:"flex items-center justify-end space-x-0 text-gray-400"},a={class:"flex items-center gap-1"},n={class:"flex items-center gap-1"},s={class:"leading-normal"};var c=r(59977),d=r(66278),u=r(74640);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 h(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?p(Object(r),!0).forEach((function(t){m(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):p(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function m(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const f={components:{Button:u.Button,Checkbox:u.Checkbox,Icon:u.Icon},emits:["actionExecuted"],inject:["resourceHasId","authorizedToViewAnyResources","authorizedToUpdateAnyResources","authorizedToDeleteAnyResources","authorizedToRestoreAnyResources"],props:["actionsAreAvailable","actionsEndpoint","checked","clickAction","deleteResource","queryString","relationshipType","resource","resourceName","resourcesSelected","restoreResource","selectedResources","shouldShowCheckboxes","shouldShowColumnBorders","tableStyle","testId","updateSelectionStatus","viaManyToMany","viaRelationship","viaResource","viaResourceId"],data:()=>({commandPressed:!1,deleteModalOpen:!1,restoreModalOpen:!1,previewModalOpen:!1,initializingWithShowCheckboxes:!1}),beforeMount(){this.initializingWithShowCheckboxes=this.shouldShowCheckboxes,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"):c.QB.visit(this.viewURL))},navigateToEditView(e){this.resource.authorizedToUpdate&&(this.commandPressed?window.open(this.updateURL,"_blank"):c.QB.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:h(h({},(0,d.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 this.resource.actions.filter((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 v=(0,r(66262).A)(f,[["render",function(e,t,r,c,d,u){const p=(0,o.resolveComponent)("Checkbox"),h=(0,o.resolveComponent)("InlineActionDropdown"),m=(0,o.resolveComponent)("Icon"),f=(0,o.resolveComponent)("Link"),v=(0,o.resolveComponent)("Button"),g=(0,o.resolveComponent)("DeleteResourceModal"),y=(0,o.resolveComponent)("ModalHeader"),b=(0,o.resolveComponent)("ModalContent"),k=(0,o.resolveComponent)("RestoreResourceModal"),w=(0,o.resolveComponent)("PreviewResourceModal"),C=(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,onClick:t[4]||(t[4]=(0,o.withModifiers)(((...e)=>u.handleClick&&u.handleClick(...e)),["stop","prevent"])),class:(0,o.normalizeClass)(["group",{"divide-x divide-gray-100 dark:divide-gray-700":r.shouldShowColumnBorders}]),dusk:`${r.resource.id.value}-row`},[e.initializingWithShowCheckboxes?((0,o.openBlock)(),(0,o.createElementBlock)("td",{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),class:(0,o.normalizeClass)(["w-[1%] white-space-nowrap pl-5 pr-5 dark:bg-gray-800 group-hover:bg-gray-50 dark:group-hover:bg-gray-900",{"py-2":!u.shouldShowTight,"cursor-pointer":r.resource.authorizedToView}])},[r.shouldShowCheckboxes?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,"model-value":r.checked,onChange:u.toggleSelection,dusk:`${r.resource.id.value}-checkbox`,"aria-label":e.__("Select Resource :title",{title:r.resource.title})},null,8,["model-value","onChange","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)(["dark:bg-gray-800 group-hover:bg-gray-50 dark:group-hover:bg-gray-900",{"px-6":0===t&&!r.shouldShowCheckboxes,"px-2":0!==t||r.shouldShowCheckboxes,"py-2":!u.shouldShowTight,"whitespace-nowrap":!e.wrapping,"cursor-pointer":u.clickableRow}])},[((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)(h,{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)(f,{key:1,as:r.resource.authorizedToView?"a":"button",href:u.viewURL,disabled:!r.resource.authorizedToView||null,onClick:t[2]||(t[2]=(0,o.withModifiers)((()=>{}),["stop"])),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"]),dusk:`${r.resource.id.value}-view-button`,"aria-label":e.__("View")},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",a,[(0,o.createElementVNode)("span",null,[(0,o.createVNode)(m,{name:"eye"})])])])),_:1},8,["as","href","disabled","class","dusk","aria-label"])),[[C,e.__("View"),void 0,{click:!0}]]):(0,o.createCommentVNode)("",!0),u.authorizedToUpdateAnyResources?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(f,{key:2,as:r.resource.authorizedToUpdate?"a":"button",href:u.updateURL,disabled:!r.resource.authorizedToUpdate||null,onClick:t[3]||(t[3]=(0,o.withModifiers)((()=>{}),["stop"])),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"]),dusk:r.viaManyToMany?`${r.resource.id.value}-edit-attached-button`:`${r.resource.id.value}-edit-button`,"aria-label":r.viaManyToMany?e.__("Edit Attached"):e.__("Edit")},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",n,[(0,o.createElementVNode)("span",null,[(0,o.createVNode)(m,{name:"pencil-square"})])])])),_:1},8,["as","href","disabled","class","dusk","aria-label"])),[[C,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)(v,{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"])),[[C,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)(v,{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"])),[[C,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)(k,{show:e.restoreModalOpen,onClose:u.closeRestoreModal,onConfirm:u.confirmRestore},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(y,{textContent:(0,o.toDisplayString)(e.__("Restore Resource"))},null,8,["textContent"]),(0,o.createVNode)(b,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,i),e.previewModalOpen?((0,o.openBlock)(),(0,o.createBlock)(w,{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"]])},15404:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i={class:"flex items-center flex-1"},l={class:"md:ml-3"},a={class:"h-9 ml-auto flex items-center pr-2 md:pr-3"},n={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(74640).Button},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","loading"],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 p=(0,o.resolveComponent)("SelectAllDropdown"),h=(0,o.resolveComponent)("ActionSelector"),m=(0,o.resolveComponent)("Button"),f=(0,o.resolveComponent)("LensSelector"),v=(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",i,[(0,o.createElementVNode)("div",l,[r.shouldShowCheckboxes?((0,o.openBlock)(),(0,o.createBlock)(p,{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",a,[(0,o.createElementVNode)("div",n,[r.shouldShowActionSelector?((0,o.openBlock)(),(0,o.createBlock)(h,{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)(f,{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)(v,{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)(h,{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"]])},96279:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={__name:"ScrollWrap",props:{height:{type:Number,default:288}},setup(e){const t=e,r=(0,o.computed)((()=>({maxHeight:`${t.height}px`})));return(e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"scroll-wrap overflow-x-hidden overflow-y-auto",style:(0,o.normalizeStyle)(r.value)},[(0,o.renderSlot)(e.$slots,"default")],4))}};const l=(0,r(66262).A)(i,[["__file","ScrollWrap.vue"]])},33025:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["dusk","aria-sort"],l={class:"inline-flex font-sans font-bold uppercase text-xxs tracking-wide text-gray-500"},a={class:"ml-2 shrink-0",xmlns:"http://www.w3.org/2000/svg",width:"8",height:"14",viewBox:"0 0 8 14"};const n={emits:["sort","reset"],mixins:[r(35229).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)(n,[["render",function(e,t,r,n,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",a,[(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,i)}],["__file","SortableIcon.vue"]])},19078:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={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)),a=(0,o.computed)((()=>!1===t.limit||r.value?t.tags:t.tags.slice(0,t.limit)));function n(){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",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(a.value,((r,i)=>((0,o.openBlock)(),(0,o.createBlock)(s,{key:i,tag:r,index:i,"resource-name":e.resourceName,editable:e.editable,"with-preview":e.withPreview,onTagRemoved:e=>t.$emit("tag-removed",e)},null,8,["tag","index","resource-name","editable","with-preview","onTagRemoved"])))),128)),l.value?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,onClick:(0,o.withModifiers)(n,["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 a=(0,r(66262).A)(l,[["__file","TagGroup.vue"]])},40229:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726),i=r(74640);const l={__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 l(){r.withPreview&&(t.value=!t.value)}return(r,a)=>{const n=(0,o.resolveComponent)("Badge"),s=(0,o.resolveComponent)("PreviewResourceModal");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onClick:(0,o.withModifiers)(l,["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)(n,{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:a[0]||(a[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)((0,o.unref)(i.Icon),{name:"x-mark",type:"micro"})])):(0,o.createCommentVNode)("",!0)])),_:1},8,["class"]),e.withPreview?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,onClose:l,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 a=(0,r(66262).A)(l,[["__file","TagGroupItem.vue"]])},17039:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={__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=>(t,r)=>{const i=(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,((r,l)=>((0,o.openBlock)(),(0,o.createBlock)(i,{key:l,index:l,tag:r,"resource-name":e.resourceName,editable:e.editable,"with-subtitles":e.withSubtitles,"with-preview":e.withPreview,onTagRemoved:e=>t.$emit("tag-removed",e)},null,8,["index","tag","resource-name","editable","with-subtitles","with-preview","onTagRemoved"])))),128))])}};const l=(0,r(66262).A)(i,[["__file","TagList.vue"]])},99973:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726),i=r(74640);const l={class:"flex items-center space-x-3"},a={class:"text-xs font-semibold"},n={key:0,class:"text-xs"},s={__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 s(){r.withPreview&&(t.value=!t.value)}return(r,c)=>{const d=(0,o.resolveComponent)("Avatar"),u=(0,o.resolveComponent)("PreviewResourceModal");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onClick:(0,o.withModifiers)(s,["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",l,[e.tag.avatar?((0,o.openBlock)(),(0,o.createBlock)(d,{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",a,(0,o.toDisplayString)(e.tag.display),1),e.withSubtitles?((0,o.openBlock)(),(0,o.createElementBlock)("p",n,(0,o.toDisplayString)(e.tag.subtitle),1)):(0,o.createCommentVNode)("",!0)])]),e.editable?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,onClick:c[0]||(c[0]=(0,o.withModifiers)((t=>r.$emit("tag-removed",e.index)),["stop"])),type:"button",class:"flex inline-flex items-center justify-center appearance-none cursor-pointer ml-auto text-red-500 hover:text-red-600 active:outline-none focus:ring focus:ring-primary-200 focus:outline-none rounded"},[(0,o.createVNode)((0,o.unref)(i.Icon),{name:"minus-circle",type:"solid",class:"hover:opacity-50"})])):(0,o.createCommentVNode)("",!0),e.withPreview?((0,o.openBlock)(),(0,o.createBlock)(u,{key:1,onClose:s,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 c=(0,r(66262).A)(s,[["__file","TagListItem.vue"]])},69793:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);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 l(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n=l(l({},r(63218).Ie),{},{emits:["tooltip-show","tooltip-hide"],props:{distance:{type:Number,default:0},skidding:{type:Number,default:3},triggers:{type:Array,default:["hover"]},placement:{type:String,default:"top"},boundary:{type:String,default:"window"},preventOverflow:{type:Boolean,default:!0},theme:{type:String,default:"Nova"}}});const s=(0,r(66262).A)(n,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("VDropdown");return(0,o.openBlock)(),(0,o.createBlock)(n,{triggers:r.triggers,distance:r.distance,skidding:r.skidding,placement:r.placement,boundary:r.boundary,"prevent-overflow":r.preventOverflow,"handle-resize":!0,theme:r.theme,onShow:t[0]||(t[0]=t=>e.$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"]])},18384:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={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)(i,[["render",function(e,t,r,i,l,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",(0,o.normalizeProps)((0,o.guardReactiveProps)(a.defaultAttributes)),[(0,o.renderSlot)(e.$slots,"default")],16)}],["__file","TooltipContent.vue"]])},25882:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);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 l(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n=Object.assign({inheritAttrs:!1},{__name:"TrashedCheckbox",props:{resourceName:String,withTrashed:Boolean},emits:["input"],setup:e=>(t,r)=>{const i=(0,o.resolveComponent)("CheckboxWithLabel");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(i,(0,o.mergeProps)(l({},t.$attrs),{dusk:`${e.resourceName}-with-trashed-checkbox`,checked:e.withTrashed,onInput:r[0]||(r[0]=e=>t.$emit("input"))}),{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(t.__("With Trashed")),1)])),_:1},16,["dusk","checked"])])}});const s=(0,r(66262).A)(n,[["__file","TrashedCheckbox.vue"]])},46199:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["input","placeholder"],l=["name","id","value"];var a=r(25542);r(8507),r(18028);const n={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,a.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)(n,[["render",function(e,t,r,a,n,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,i),(0,o.createElementVNode)("input",{type:"hidden",name:r.name,id:e.uid,value:r.value},null,8,l)],64)}],["__file","Trix.vue"]])},60465:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>R});var o=r(29726);const i={class:"inline-flex items-center shrink-0 gap-2"},l={class:"hidden lg:inline-block"},a=["alt","src"],n={class:"whitespace-nowrap"},s={class:"py-1"},c={class:"divide-y divide-gray-100 dark:divide-gray-700"},d={key:0},u={key:0,class:"mr-1"},p={key:1,class:"flex items-center"},h=["alt","src"],m={class:"whitespace-nowrap"};var f=r(74640),v=r(66278),g=r(59977),y=r(83488),b=r.n(y),k=r(42194),w=r.n(k),C=r(71086),x=r.n(C);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 B(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?N(Object(r),!0).forEach((function(t){S(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):N(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function S(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const V={components:{Button:f.Button,Icon:f.Icon},props:{mobile:{type:Boolean,default:!1}},methods:B(B(B({},(0,v.i0)(["logout","stopImpersonating"])),(0,v.PY)(["toggleMainMenu"])),{},{async attempt(){confirm(this.__("Are you sure you want to log out?"))&&this.logout(Nova.config("customLogoutPath")).then((e=>{null===e?Nova.redirectToLogin():location.href=e})).catch((e=>{g.QB.reload()}))},visitUserSecurityPage(){Nova.visit("/user-security")},handleStopImpersonating(){confirm(this.__("Are you sure you want to stop impersonating?"))&&this.stopImpersonating()},handleUserMenuClosed(){!0===this.mobile&&this.toggleMainMenu()}}),computed:B(B({},(0,v.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:B(B({},r),{},{target:e.target||null}),name:e.name,external:e.external,on:{}}:{component:"DropdownMenuItem",props:x()(w()(B(B({},r),{},{method:"GET"!==t?t:null,data:e.data||null,headers:e.headers||null,as:"GET"===t?"link":"form-button"}),(e=>null===e)),b()),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},supportsUserSecurity:()=>Nova.hasSecurityFeatures(),customLogoutPath:()=>Nova.config("customLogoutPath"),dropdownPlacement(){return!0===this.mobile?"top-start":"bottom-end"}})};const R=(0,r(66262).A)(V,[["render",function(e,t,r,f,v,g){const y=(0,o.resolveComponent)("Icon"),b=(0,o.resolveComponent)("Button"),k=(0,o.resolveComponent)("Badge"),w=(0,o.resolveComponent)("DropdownMenuItem"),C=(0,o.resolveComponent)("DropdownMenu"),x=(0,o.resolveComponent)("Dropdown");return g.hasUserMenu?((0,o.openBlock)(),(0,o.createBlock)(x,{key:0,onMenuClosed:g.handleUserMenuClosed,placement:g.dropdownPlacement},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(C,{width:"200",class:"px-1"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("nav",s,[(0,o.createElementVNode)("div",c,[g.formattedItems.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(g.formattedItems,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),(0,o.mergeProps)({key:e.path,ref_for:!0},e.props,(0,o.toHandlers)(e.on)),{default:(0,o.withCtx)((()=>[e.badge?((0,o.openBlock)(),(0,o.createElementBlock)("span",u,[(0,o.createVNode)(k,{"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.createCommentVNode)("",!0),e.currentUser.impersonating?((0,o.openBlock)(),(0,o.createBlock)(w,{key:1,as:"button",onClick:g.handleStopImpersonating},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Stop Impersonating")),1)])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0),g.supportsUserSecurity?((0,o.openBlock)(),(0,o.createBlock)(w,{key:2,as:"button",onClick:g.visitUserSecurityPage},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("User Security")),1)])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0),g.supportsAuthentication?((0,o.openBlock)(),(0,o.createBlock)(w,{key:3,as:"button",onClick:g.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)(b,{class:"block shrink-0",variant:"ghost",padding:"tight","trailing-icon":"chevron-down"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",i,[(0,o.createElementVNode)("span",l,[e.currentUser.impersonating?((0,o.openBlock)(),(0,o.createBlock)(y,{key:0,name:"finger-print",type:"solid",class:"!w-7 !h-7"})):e.currentUser.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:1,alt:e.__(":name's Avatar",{name:g.userName}),src:e.currentUser.avatar,class:"rounded-full w-7 h-7"},null,8,a)):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("span",n,(0,o.toDisplayString)(g.userName),1)])])),_:1})])),_:1},8,["onMenuClosed","placement"])):e.currentUser?((0,o.openBlock)(),(0,o.createElementBlock)("div",p,[e.currentUser.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:0,alt:e.__(":name's Avatar",{name:g.userName}),src:e.currentUser.avatar,class:"rounded-full w-8 h-8 mr-3"},null,8,h)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("span",m,(0,o.toDisplayString)(g.userName),1)])):(0,o.createCommentVNode)("",!0)}],["__file","UserMenu.vue"]])},21073:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>R});var o=r(29726);const i={class:"mt-10 sm:mt-0 mb-6"},l={class:"md:grid md:grid-cols-3 md:gap-6"},a={class:"md:col-span-1 flex justify-between"},n={class:"px-4 sm:px-0"},s={class:"my-3 text-sm text-gray-600"},c={class:"grid grid-cols-6 gap-6"},d={class:"col-span-full sm:col-span-4"},u={class:"mt-6"},p={key:0,class:"col-span-6 sm:col-span-4"},h={key:0},m={class:"mt-4 max-w-xl text-sm"},f={key:0,class:"font-semibold"},v={key:1},g=["innerHTML"],y={key:0,class:"mt-4 max-w-xl text-sm"},b={class:"font-semibold"},k=["innerHTML"],w={key:1,class:"mt-4"},C={key:1},x={class:"mt-4 max-w-xl text-sm"},N={class:"font-semibold"},B={class:"grid gap-1 max-w-xl mt-4 px-4 py-4 font-mono text-sm bg-gray-100 dark:bg-gray-900 dark:text-gray-100 rounded-lg"},S={class:"col-span-full sm:col-span-4"};const V={name:"UserSecurityTwoFactorAuthentication",components:{Button:r(74640).Button},props:{options:{type:Object,required:!0},user:{type:Object,required:!0}},data:()=>({confirmationForm:Nova.form({code:""}),confirming:!1,enabling:!1,disabling:!1,qrCode:null,setupKey:null,recoveryCodes:[]}),methods:{enableTwoFactorAuthentication(){this.enabling=!0,Nova.request().post(Nova.url("/user-security/two-factor-authentication")).then((()=>{Nova.$router.reload({only:["user"],onSuccess:()=>Promise.all([this.showQrCode(),this.showSetupKey(),this.showRecoveryCodes()])})})).finally((()=>{this.enabling=!1,this.confirming=this.requiresConfirmation}))},showQrCode(){return Nova.request().get(Nova.url("/user-security/two-factor-qr-code")).then((e=>{this.qrCode=e.data.svg}))},showSetupKey(){return Nova.request().get(Nova.url("/user-security/two-factor-secret-key")).then((e=>{this.setupKey=e.data.secretKey}))},showRecoveryCodes(){return Nova.request().get(Nova.url("/user-security/two-factor-recovery-codes")).then((e=>{this.recoveryCodes=e.data}))},confirmTwoFactorAuthentication(){this.confirmationForm.post(Nova.url("/user-security/confirmed-two-factor-authentication")).then((e=>{this.confirming=!1,this.qrCode=null,this.setupKey=null}))},regenerateRecoveryCodes(){Nova.request().post(Nova.url("/user-security/two-factor-recovery-codes")).then((()=>this.showRecoveryCodes()))},disableTwoFactorAuthentication(){this.disabling=!0,Nova.request().delete(Nova.url("/user-security/two-factor-authentication")).then((()=>{this.disabling=!1,this.confirming=!1,Nova.$router.reload({only:["user"]})}))}},computed:{twoFactorEnabled(){return!this.enabling&&this.user.two_factor_enabled},requiresConfirmPassword(){return this.options?.confirmPassword??!1},requiresConfirmation(){return this.options?.confirm??!1}}};const R=(0,r(66262).A)(V,[["render",function(e,t,r,V,R,E){const _=(0,o.resolveComponent)("Heading"),O=(0,o.resolveComponent)("HelpText"),F=(0,o.resolveComponent)("Button"),D=(0,o.resolveComponent)("ConfirmsPassword"),A=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("div",n,[(0,o.createVNode)(_,{level:3,textContent:(0,o.toDisplayString)(e.__("Two Factor Authentication"))},null,8,["textContent"]),(0,o.createElementVNode)("p",s,(0,o.toDisplayString)(e.__("Add additional security to your account using two factor authentication.")),1)])]),(0,o.createVNode)(A,{class:"md:col-span-2 p-6"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("div",d,[E.twoFactorEnabled&&!R.confirming?((0,o.openBlock)(),(0,o.createBlock)(_,{key:0,level:4,textContent:(0,o.toDisplayString)(e.__("You have enabled two factor authentication.")),class:"text-lg font-medium"},null,8,["textContent"])):E.twoFactorEnabled&&R.confirming?((0,o.openBlock)(),(0,o.createBlock)(_,{key:1,level:4,textContent:(0,o.toDisplayString)(e.__("Finish enabling two factor authentication.")),class:"text-lg font-medium"},null,8,["textContent"])):((0,o.openBlock)(),(0,o.createBlock)(_,{key:2,level:4,textContent:(0,o.toDisplayString)(e.__("You have not enabled two factor authentication.")),class:"text-lg font-medium"},null,8,["textContent"])),(0,o.createElementVNode)("p",u,(0,o.toDisplayString)(e.__("When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.")),1)]),E.twoFactorEnabled?((0,o.openBlock)(),(0,o.createElementBlock)("div",p,[R.qrCode?((0,o.openBlock)(),(0,o.createElementBlock)("div",h,[(0,o.createElementVNode)("div",m,[R.confirming||R.disabling?((0,o.openBlock)(),(0,o.createElementBlock)("p",f,(0,o.toDisplayString)(e.__("To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.")),1)):((0,o.openBlock)(),(0,o.createElementBlock)("p",v,(0,o.toDisplayString)(e.__("Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.")),1))]),(0,o.createElementVNode)("div",{class:"mt-4 p-2 inline-block bg-white",innerHTML:R.qrCode},null,8,g),R.setupKey?((0,o.openBlock)(),(0,o.createElementBlock)("div",y,[(0,o.createElementVNode)("p",b,[t[2]||(t[2]=(0,o.createTextVNode)(" Setup Key: ")),(0,o.createElementVNode)("span",{innerHTML:R.setupKey},null,8,k)])])):(0,o.createCommentVNode)("",!0),R.confirming?((0,o.openBlock)(),(0,o.createElementBlock)("div",w,[t[3]||(t[3]=(0,o.createElementVNode)("label",{class:"block mb-2",for:"code"},"Code",-1)),(0,o.withDirectives)((0,o.createElementVNode)("input",{id:"code","onUpdate:modelValue":t[0]||(t[0]=e=>R.confirmationForm.code=e),type:"text",name:"code",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":R.confirmationForm.errors.has("code")}]),inputmode:"numeric",autofocus:"",autocomplete:"one-time-code",onKeyup:t[1]||(t[1]=(0,o.withKeys)(((...e)=>E.confirmTwoFactorAuthentication&&E.confirmTwoFactorAuthentication(...e)),["enter"]))},null,34),[[o.vModelText,R.confirmationForm.code]]),R.confirmationForm.errors.has("code")?((0,o.openBlock)(),(0,o.createBlock)(O,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(R.confirmationForm.errors.first("code")),1)])),_:1})):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0),R.recoveryCodes.length>0&&!R.confirming&&!R.disabling?((0,o.openBlock)(),(0,o.createElementBlock)("div",C,[(0,o.createElementVNode)("div",x,[(0,o.createElementVNode)("p",N,(0,o.toDisplayString)(e.__("Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.")),1)]),(0,o.createElementVNode)("div",B,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(R.recoveryCodes,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:e},(0,o.toDisplayString)(e),1)))),128))])])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",S,[E.twoFactorEnabled?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:1},[R.confirming?((0,o.openBlock)(),(0,o.createBlock)(F,{key:0,loading:R.confirmationForm.processing||R.enabling,disabled:R.enabling,label:e.__("Confirm"),onClick:E.confirmTwoFactorAuthentication,class:"inline-flex items-center me-3"},null,8,["loading","disabled","label","onClick"])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(D,{onConfirmed:E.regenerateRecoveryCodes},{default:(0,o.withCtx)((()=>[R.recoveryCodes.length>0&&!R.confirming?((0,o.openBlock)(),(0,o.createBlock)(F,{key:0,variant:"outline",label:e.__("Regenerate Recovery Codes"),class:"inline-flex items-center me-3"},null,8,["label"])):(0,o.createCommentVNode)("",!0)])),_:1},8,["onConfirmed"]),(0,o.createVNode)(D,{onConfirmed:E.showRecoveryCodes},{default:(0,o.withCtx)((()=>[0!==R.recoveryCodes.length||R.confirming?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)(F,{key:0,variant:"outline",label:e.__("Show Recovery Codes"),class:"inline-flex items-center me-3"},null,8,["label"]))])),_:1},8,["onConfirmed"]),R.confirming?((0,o.openBlock)(),(0,o.createBlock)(F,{key:1,loading:R.disabling,disabled:R.disabling,variant:"ghost",label:e.__("Cancel"),onClick:E.disableTwoFactorAuthentication,class:"inline-flex items-center me-3"},null,8,["loading","disabled","label","onClick"])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(D,{mode:E.requiresConfirmPassword?"always":"timeout",onConfirmed:E.disableTwoFactorAuthentication},{default:(0,o.withCtx)((()=>[R.confirming?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)(F,{key:0,loading:R.disabling,disabled:R.disabling,state:"danger",label:e.__("Disable"),class:"inline-flex items-center me-3"},null,8,["loading","disabled","label"]))])),_:1},8,["mode","onConfirmed"])],64)):((0,o.openBlock)(),(0,o.createBlock)(D,{key:0,mode:E.requiresConfirmPassword?"always":"timeout",onConfirmed:E.enableTwoFactorAuthentication},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(F,{loading:R.enabling,disabled:R.enabling,label:e.__("Enable"),class:"inline-flex items-center me-3"},null,8,["loading","disabled","label"])])),_:1},8,["mode","onConfirmed"]))])])])),_:1})])])}],["__file","UserSecurityTwoFactorAuthentication.vue"]])},39699:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>k});var o=r(29726);const i={class:"mt-10 sm:mt-0 mb-6"},l={class:"md:grid md:grid-cols-3 md:gap-6"},a={class:"md:col-span-1 flex justify-between"},n={class:"px-4 sm:px-0"},s={class:"my-3 text-sm text-gray-600"},c={class:"mt-6 px-6 grid grid-cols-6 gap-6"},d={class:"col-span-full sm:col-span-4"},u={class:"mt-6"},p={class:"col-span-6 sm:col-span-4"},h={class:"block mb-2",for:"current_password"},m={class:"col-span-6 sm:col-span-4"},f={class:"block mb-2",for:"password"},v={class:"col-span-6 sm:col-span-4"},g={class:"block mb-2",for:"password_confirmation"},y={class:"bg-gray-100 dark:bg-gray-700 px-6 py-3 mt-6 flex justify-end"};const b={name:"UserSecurityUpdatePasswords",components:{Button:r(74640).Button},data:()=>({form:Nova.form({current_password:"",password:"",password_confirmation:""})}),methods:{updatePassword(){this.form.put(Nova.url("/user-security/password")).then((e=>{Nova.$toasted.show(this.__("Your password has been updated."),{duration:null,type:"success"})})).catch((e=>{500===e.response?.status&&Nova.error(this.__("There was a problem submitting the form."))}))}}};const k=(0,r(66262).A)(b,[["render",function(e,t,r,b,k,w){const C=(0,o.resolveComponent)("Heading"),x=(0,o.resolveComponent)("HelpText"),N=(0,o.resolveComponent)("Button"),B=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("div",n,[(0,o.createVNode)(C,{level:3,textContent:(0,o.toDisplayString)(e.__("Update Password"))},null,8,["textContent"]),(0,o.createElementVNode)("p",s,(0,o.toDisplayString)(e.__("Ensure your account is using a long, random password to stay secure.")),1)])]),(0,o.createVNode)(B,{class:"md:col-span-2 pt-6"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("form",{onSubmit:t[3]||(t[3]=(0,o.withModifiers)(((...e)=>w.updatePassword&&w.updatePassword(...e)),["prevent"]))},[(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("div",d,[(0,o.createVNode)(C,{level:4,textContent:(0,o.toDisplayString)(e.__("Update Password")),class:"text-lg font-medium"},null,8,["textContent"]),(0,o.createElementVNode)("p",u,(0,o.toDisplayString)(e.__("Ensure your account is using a long, random password to stay secure.")),1)]),(0,o.createElementVNode)("div",p,[(0,o.createElementVNode)("label",h,(0,o.toDisplayString)(e.__("Current Password")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=t=>e.form.current_password=t),id:"current_password",name:"current_password",type:"password",autocomplete:"current-password",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("current_password")}])},null,2),[[o.vModelText,e.form.current_password]]),e.form.errors.has("current_password")?((0,o.openBlock)(),(0,o.createBlock)(x,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.form.errors.first("current_password")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",m,[(0,o.createElementVNode)("label",f,(0,o.toDisplayString)(e.__("Password")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[1]||(t[1]=t=>e.form.password=t),id:"password",name:"password",type:"password",autocomplete:"new-password",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("password")}])},null,2),[[o.vModelText,e.form.password]]),e.form.errors.has("password")?((0,o.openBlock)(),(0,o.createBlock)(x,{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",v,[(0,o.createElementVNode)("label",g,(0,o.toDisplayString)(e.__("Confirm Password")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[2]||(t[2]=t=>e.form.password_confirmation=t),id:"password_confirmation",name:"password_confirmation",type:"password",autocomplete:"new-password",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("password_confirmation")}])},null,2),[[o.vModelText,e.form.password_confirmation]]),e.form.errors.has("password_confirmation")?((0,o.openBlock)(),(0,o.createBlock)(x,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.form.errors.first("password_confirmation")),1)])),_:1})):(0,o.createCommentVNode)("",!0)])]),(0,o.createElementVNode)("div",y,[(0,o.createVNode)(N,{type:"submit",loading:e.form.processing,label:e.__("Save")},null,8,["loading","label"])])],32)])),_:1})])])}],["__file","UserSecurityUpdatePasswords.vue"]])},2202:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i=["src"],l={key:1},a={key:2,class:"flex items-center text-sm mt-3"},n=["dusk"],s={class:"class mt-1"};var c=r(74640),d=r(35229);const u={components:{Icon:c.Icon},mixins:[d.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 null!=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 p=(0,r(66262).A)(u,[["render",function(e,t,r,c,d,u){const p=(0,o.resolveComponent)("Icon"),h=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(h,{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,i)):(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",a,[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,{name:"download",type:"micro",class:"mr-2"}),(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(e.__("Download")),1)],40,n)):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["index","field"])}],["__file","AudioField.vue"]])},77421:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={key:0,class:"mr-1 -ml-1"};const l={components:{Icon:r(74640).Icon},props:["index","resource","resourceName","resourceId","field"]};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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",i,[(0,o.createVNode)(s,{name:r.field.icon,type:"solid",class:"inline-block"},null,8,["name"])])):(0,o.createCommentVNode)("",!0)])),_:1},8,["label","extra-classes"])])),_:1},8,["index","field"])}],["__file","BadgeField.vue"]])},71818:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:0},l={key:1},a={key:2};const n={props:["index","resource","resourceName","resourceId","field"]};const s=(0,r(66262).A)(n,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("Link"),u=(0,o.resolveComponent)("RelationPeek"),p=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(p,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[r.field.viewable&&r.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",i,[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",a,"—"))])),_:1},8,["index","field"])}],["__file","BelongsToField.vue"]])},40605:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={emits:["actionExecuted"],props:["resourceName","resourceId","resource","field"],methods:{actionExecuted(){this.$emit("actionExecuted")}}};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(n,{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:a.actionExecuted,"load-cards":!1,initialPerPage:r.field.perPage||5,"should-override-meta":!1,collapsable:r.field.collapsable},null,8,["field","resource-name","via-resource","via-resource-id","via-relationship","onActionExecuted","initialPerPage","collapsable"])}],["__file","BelongsToManyField.vue"]])},3001:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"],computed:{label(){return 1==this.field.value?this.__("Yes"):this.__("No")}}};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("IconBoolean"),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)(n,{value:r.field.value,nullable:r.field.nullable},null,8,["value","nullable"])])),_:1},8,["index","field"])}],["__file","BooleanField.vue"]])},35336:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={key:0,class:"space-y-2"},l={key:1};const a={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=this.field.options.filter((e=>(!0!==this.field.hideFalseValues||!1!==e.checked)&&(!0!==this.field.hideTrueValues||!0!==e.checked))).map((e=>({name:e.name,label:e.label,checked:this.field.value[e.name]||!1})))}};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.value,((t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("li",{key:r,class:(0,o.normalizeClass)(["flex items-center rounded-full font-bold text-sm leading-tight space-x-2",e.classes[t.checked]])},[(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)))),128))])):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(this.field.noValueText),1))])),_:1},8,["index","field"])}],["__file","BooleanGroupField.vue"]])},35480:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i={key:0,class:"px-0 overflow-hidden form-input form-control-bordered"},l={ref:"theTextarea"},a={key:1};var n=r(15237),s=r.n(n);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?c(Object(r),!0).forEach((function(t){u(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):c(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function u(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const p={mixins:[r(35229).S0],props:["index","resource","resourceName","resourceId","field"],codemirror:null,mounted(){const e=this.fieldValue;if(null!==e){const t=d(d({tabSize:4,indentWithTabs:!0,lineWrapping:!0,lineNumbers:!0,theme:"dracula"},this.field.options),{},{readOnly:!0,tabindex:"-1"});this.codemirror=s().fromTextArea(this.$refs.theTextarea,t),this.codemirror?.getDoc().setValue(e),this.codemirror?.setSize("100%",this.field.height)}}};const h=(0,r(66262).A)(p,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(d,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.fieldValue?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("textarea",l,null,512)])):((0,o.openBlock)(),(0,o.createElementBlock)("p",a,"—"))])),_:1},8,["index","field"])}],["__file","CodeField.vue"]])},12310:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"rounded-lg inline-flex items-center justify-center border border-60 p-1"};const l={props:["index","resource","resourceName","resourceId","field"]};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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",i,[(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"]])},43175:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(n,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","CurrencyField.vue"]])},46960:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["title"],l={key:1};var a=r(91272);const n={mixins:[r(35229).S0],props:["index","resource","resourceName","resourceId","field"],computed:{formattedDate(){if(this.field.usesCustomizedDisplay)return this.field.displayedAs;return a.c9.fromISO(this.field.value).toLocaleString({year:"numeric",month:"2-digit",day:"2-digit"})}}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,a,n,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,i)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))])),_:1},8,["index","field"])}],["__file","DateField.vue"]])},74405:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["title"],l={key:1};var a=r(91272);const n={mixins:[r(35229).S0],props:["index","resource","resourceName","resourceId","field"],computed:{formattedDateTime(){return this.usesCustomizedDisplay?this.field.displayedAs:a.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)(n,[["render",function(e,t,r,a,n,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,i)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))])),_:1},8,["index","field"])}],["__file","DateTimeField.vue"]])},69556:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={key:0,class:"flex items-center"},l=["href"],a={key:1};var n=r(35229);const s={mixins:[n.nl,n.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,n,s,c){const d=(0,o.resolveComponent)("CopyButton"),u=(0,o.resolveComponent)("PanelItem"),p=(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",i,[(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"])),[[p,e.__("Copy to clipboard")]]):(0,o.createCommentVNode)("",!0)])):((0,o.openBlock)(),(0,o.createElementBlock)("p",a,"—"))])),_:1},8,["index","field"])}],["__file","EmailField.vue"]])},92048:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i={key:1,class:"break-words"},l={key:2},a={key:3,class:"flex items-center text-sm mt-3"},n=["dusk"],s={class:"class mt-1"};var c=r(74640),d=r(35229);const u={components:{Icon:c.Icon},mixins:[d.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 p=(0,r(66262).A)(u,[["render",function(e,t,r,c,d,u){const p=(0,o.resolveComponent)("ImageLoader"),h=(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)(p,{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",i,(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",a,[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,{name:"download",type:"micro",class:"mr-2"}),(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(e.__("Download")),1)],40,n)):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["index","field"])}],["__file","FileField.vue"]])},70813:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);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 l(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?i(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):i(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n={emits:["actionExecuted"],props:l(l({},(0,r(35229).rr)(["resourceName","resourceId","field"])),{},{resource:{}}),methods:{actionExecuted(){this.$emit("actionExecuted")}}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(n,{field:e.field,"resource-name":e.field.resourceName,"via-resource":e.resourceName,"via-resource-id":e.resourceId,"via-relationship":e.field.hasManyRelationship,"relationship-type":"hasMany",onActionExecuted:a.actionExecuted,"load-cards":!1,initialPerPage:e.field.perPage||5,"should-override-meta":!1,collapsable:e.field.collapsable},null,8,["field","resource-name","via-resource","via-resource-id","via-relationship","onActionExecuted","initialPerPage","collapsable"])}],["__file","HasManyField.vue"]])},70425:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={emits:["actionExecuted"],props:["resourceName","resourceId","resource","field"],methods:{actionExecuted(){this.$emit("actionExecuted")}}};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(n,{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:a.actionExecuted,"load-cards":!1,initialPerPage:r.field.perPage||5,"should-override-meta":!1,collapsable:r.field.collapsable},null,8,["field","resource-name","via-resource","via-resource-id","via-relationship","onActionExecuted","initialPerPage","collapsable"])}],["__file","HasManyThroughField.vue"]])},7746:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i=["dusk","data-relationship"],l={key:1};const a={props:["resourceName","resourceId","resource","field"],data:()=>({showActionDropdown:!0}),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 n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("Heading"),d=(0,o.resolveComponent)("IndexEmptyDialog"),u=(0,o.resolveComponent)("Card"),p=(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)(p,{"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-action-dropdown":e.showActionDropdown,"show-view-link":!0},null,8,["resource-name","resource-id","via-resource","via-resource-id","via-relationship","relationship-type","show-action-dropdown"])])):((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,i)):(0,o.createCommentVNode)("",!0)}],["__file","HasOneField.vue"]])},8588:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i=["dusk","data-relationship"],l={key:1};const a={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 n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("Heading"),d=(0,o.resolveComponent)("IndexEmptyDialog"),u=(0,o.resolveComponent)("Card"),p=(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)(p,{"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,i)):(0,o.createCommentVNode)("",!0)}],["__file","HasOneThroughField.vue"]])},26949:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={class:"w-full py-4 px-6"},l=["innerHTML"],a={key:2};var n=r(70393);const s={props:["index","resource","resourceName","resourceId","field"],computed:{fieldValue(){return!!(0,n.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,n,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",i,[(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",a,"—"))]))])],2)}],["__file","HeadingField.vue"]])},41968:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"hidden"};const l={props:["index","resource","resourceName","resourceId","field"]};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i)}],["__file","HiddenField.vue"]])},13699:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(n,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","IdField.vue"]])},16979:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"bg-gray-50 dark:bg-gray-700 overflow-hidden key-value-items"};const l={props:["index","resource","resourceName","resourceId","field"],data:()=>({theData:[]}),created(){this.theData=Object.entries(this.field.value||{}).map((([e,t])=>({key:`${e}`,value:t})))}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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",i,[((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,"edit-mode":!1,key:e.key},null,8,["index","item"])))),128))])])),_:1})):(0,o.createCommentVNode)("",!0)])),_:1},8,["index","field"])}],["__file","KeyValueField.vue"]])},21199:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"],computed:{excerpt(){return this.field.previewFor}}};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(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)(n,{content:a.excerpt,"should-show":r.field.shouldShow},null,8,["content","should-show"])])),_:1},8,["index","field"])}],["__file","MarkdownField.vue"]])},50769:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:1},l={key:2},a={key:3};const n={props:["index","resourceName","resourceId","field"]};const s=(0,r(66262).A)(n,[["render",function(e,t,r,n,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",i,(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",a,"—"))])),_:1},8,["index","field"])}],["__file","MorphToActionTargetField.vue"]])},18318:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:0},l={key:1},a={key:2};const n={props:["index","resource","resourceName","resourceId","field"]};const s=(0,r(66262).A)(n,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("Link"),u=(0,o.resolveComponent)("RelationPeek"),p=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(p,{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",i,[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",a,"—"))])),_:1},8,["index","field","field-name"])}],["__file","MorphToField.vue"]])},59958:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={emits:["actionExecuted"],props:["resourceName","resourceId","resource","field"],methods:{actionExecuted(){this.$emit("actionExecuted")}}};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(n,{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:a.actionExecuted,"load-cards":!1,initialPerPage:r.field.perPage||5,"should-override-meta":!1,collapsable:r.field.collapsable},null,8,["field","resource-name","via-resource","via-resource-id","via-relationship","onActionExecuted","initialPerPage","collapsable"])}],["__file","MorphToManyField.vue"]])},89535:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["textContent"];const l={mixins:[r(35229).S0],props:["index","resource","resourceName","resourceId","field"],computed:{fieldValues(){let e=[];return this.field.options.forEach((t=>{this.isEqualsToValue(t.value)&&e.push(t.label)})),e}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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)(n.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,i)))),256))])),_:1},8,["index","field"])}],["__file","MultiSelectField.vue"]])},73437:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i=["dusk"],l={class:"flex items-center"},a=["aria-label","aria-expanded"],n=["innerHTML"],s={key:0,class:"-mx-6 border-t border-gray-100 dark:border-gray-700 text-center rounded-b"};var c=r(35229);const d={mixins:[c.pJ,c.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 u=(0,r(66262).A)(d,[["render",function(e,t,r,c,d,u){const p=(0,o.resolveComponent)("Heading"),h=(0,o.resolveComponent)("CollapseButton"),m=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{dusk:`${e.panel.attribute}-panel`},[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(p,{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,a)):(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,n)):(0,o.createCommentVNode)("",!0)])),!e.collapsed&&u.fields.length>0?((0,o.openBlock)(),(0,o.createBlock)(m,{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)(u.fields,((t,r)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(u.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)),u.shouldShowShowAllFieldsButton?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(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)=>u.showAllFields&&u.showAllFields(...e))},(0,o.toDisplayString)(e.__("Show All Fields")),1)])):(0,o.createCommentVNode)("",!0)])),_:1})):(0,o.createCommentVNode)("",!0)],8,i)}],["__file","Panel.vue"]])},16181:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(n,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>t[0]||(t[0]=[(0,o.createElementVNode)("p",null," ········· ",-1)]))),_:1},8,["index","field"])}],["__file","PasswordField.vue"]])},63726:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["dusk"];const l={mixins:[r(35229).x7],computed:{field(){return this.panel.fields[0]}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{dusk:`${e.panel.attribute}-relationship-panel`},[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`detail-${n.field.component}`),{key:`${n.field.attribute}:${e.resourceId}`,"resource-name":e.resourceName,"resource-id":e.resourceId,resource:e.resource,field:n.field,onActionExecuted:e.actionExecuted},null,40,["resource-name","resource-id","resource","field","onActionExecuted"]))],8,i)}],["__file","RelationshipPanel.vue"]])},22092:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i=["dusk"],l={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"},a={class:"grid grid-cols-full divide-y divide-gray-100 dark:divide-gray-700 px-6"},n={key:1};var s=r(35229);const c={mixins:[s.x7,s.S0],props:["index","resource","resourceName","resourceId","field"],methods:{resolveComponentName:e=>e.prefixComponent?"detail-"+e.component:e.component},computed:{fieldHasValue(){return this.field.value.length>0}}};const d=(0,r(66262).A)(c,[["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)((()=>[d.fieldHasValue?((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)(r.field.value,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("div",a,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(t.fields,((t,i)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",null,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(d.resolveComponentName(t)),{key:r.index,index:r.index,"resource-name":r.resourceName,"resource-id":r.resourceId,resource:r.resource,field:t,onActionExecuted:e.actionExecuted},null,40,["index","resource-name","resource-id","resource","field","onActionExecuted"]))])))),256))])])))),256))],8,i)):((0,o.openBlock)(),(0,o.createElementBlock)("p",n,"—"))])),_:1},8,["index","field"])}],["__file","RepeaterField.vue"]])},89032:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(n,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","SelectField.vue"]])},79175:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(21738).default};const i=(0,r(66262).A)(o,[["__file","SlugField.vue"]])},71788:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);var i=r(27717);r(27554);const l={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(){const e=this.chartStyle;this.chartist=new e(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)&&"line"!==e?i.Es:i.bl},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)(l,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(n,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",{ref:"chart",class:"ct-chart",style:(0,o.normalizeStyle)({width:a.chartWidth,height:a.chartHeight})},null,4)])),_:1},8,["index","field"])}],["__file","SparklineField.vue"]])},58403:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={key:1};const l={props:["index","resource","resourceName","resourceId","field"],computed:{hasValue(){return this.field.lines}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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.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",i,"—"))])),_:1},8,["index","field"])}],["__file","StackField.vue"]])},12136:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={class:"mr-1 -ml-1"},l={key:1};var a=r(74640),n=r(35229);const s={components:{Icon:a.Icon},mixins:[n.S0],props:["index","resource","resourceName","resourceId","field"]};const c=(0,r(66262).A)(s,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("Loader"),d=(0,o.resolveComponent)("Icon"),u=(0,o.resolveComponent)("Badge"),p=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(p,{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",i,["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,name:"exclamation-circle",type:"solid"})):(0,o.createCommentVNode)("",!0),"success"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(d,{key:2,name:"check-circle",type:"solid"})):(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"]])},91167:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726),i=r(35229),l=r(14788),a=r(42877),n=r.n(a);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){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const d=["dusk"],u=["innerHTML"],p=["dusk"],h={class:"capitalize"},m={class:"divide-y divide-gray-100 dark:divide-gray-700"},f={__name:"TabsPanel",props:function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){c(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({name:{type:String,default:"Panel"},panel:{type:Object,required:!0},resource:{type:Object,required:!0}},(0,i.rr)(["mode","resourceName","resourceId","relatedResourceName","relatedResourceId","viaResource","viaResourceId","viaRelationship"])),emits:["actionExecuted"],setup(e){const t=e,r=(0,o.computed)((()=>t.panel.fields.reduce(((e,t)=>(t.tab?.attribute in e||(!0===t?.collapsable&&(t.collapsable=!1),e[t.tab.attribute]={name:t.tab,attribute:t.tab.attribute,position:t.tab.position,init:!1,listable:t.tab.listable,fields:[],meta:t.tab.meta,classes:"fields-tab"},["belongs-to-many-field","has-many-field","has-many-through-field","has-one-through-field","morph-to-many-field"].includes(t.component)&&(e[t.tab.attribute].classes="relationship-tab")),e[t.tab.attribute].fields.push(t),e)),{})));function i(e){return n()(e,[e=>e.position],["asc"])}function a(e){return e.prefixComponent?`detail-${e.component}`:e.component}return(t,n)=>{const s=(0,o.resolveComponent)("Heading");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"tab-group",dusk:`${e.panel.attribute}-tab-panel`},[(0,o.createElementVNode)("div",null,[e.panel.showTitle?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,level:1,textContent:(0,o.toDisplayString)(e.panel.name)},null,8,["textContent"])):(0,o.createCommentVNode)("",!0),e.panel.helpText?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:1,class:(0,o.normalizeClass)(["text-gray-500 text-sm font-semibold italic",e.panel.helpText?"mt-2":"mt-3"]),innerHTML:e.panel.helpText},null,10,u)):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["tab-card",[e.panel.showTitle&&!e.panel.showToolbar?"mt-3":""]])},[(0,o.createVNode)((0,o.unref)(l.fu),null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(l.wb),{"aria-label":e.panel.name,class:"tab-menu divide-x dark:divide-gray-700 border-l-gray-200 border-r-gray-200 border-t-gray-200 border-b-gray-200 dark:border-l-gray-700 dark:border-r-gray-700 dark:border-t-gray-700 dark:border-b-gray-700"},{default:(0,o.withCtx)((()=>[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(i(r.value),((e,t)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(l.oz),{as:"template",key:t},{default:(0,o.withCtx)((({selected:t})=>[(0,o.createElementVNode)("button",{dusk:`${e.attribute}-tab-trigger`,class:(0,o.normalizeClass)([[t?"active text-primary-500 font-bold border-b-2 !border-b-primary-500":"text-gray-600 hover:text-gray-800 dark:text-gray-400 hover:dark:text-gray-200"],"tab-item"])},[(0,o.createElementVNode)("span",h,(0,o.toDisplayString)(e.meta.name),1)],10,p)])),_:2},1024)))),128))])),_:1},8,["aria-label"]),(0,o.createVNode)((0,o.unref)(l.T2),null,{default:(0,o.withCtx)((()=>[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(i(r.value),((r,i)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(l.Kp),{key:i,label:r.name,dusk:`${r.attribute}-tab-content`,class:(0,o.normalizeClass)([r.attribute,r.classes,"tab"])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",m,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.fields,((i,l)=>((0,o.openBlock)(),(0,o.createBlock)(o.KeepAlive,{key:l},[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(a(i)),{class:(0,o.normalizeClass)({"remove-bottom-border":l===r.fields.length-1}),field:i,index:l,resource:e.resource,"resource-id":t.resourceId,"resource-name":t.resourceName,onActionExecuted:n[0]||(n[0]=e=>t.$emit("actionExecuted"))},null,40,["class","field","index","resource","resource-id","resource-name"]))],1024)))),128))])])),_:2},1032,["label","dusk","class"])))),128))])),_:1})])),_:1})],2)],8,d)}}};const v=(0,r(66262).A)(f,[["__file","TabsPanel.vue"]])},82141:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={key:0};const l={props:["index","resource","resourceName","resourceId","field"]};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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",i,["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"]])},21738:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(n,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","TextField.vue"]])},29765:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(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)(n,{content:r.field.value,"plain-text":!0,"should-show":r.field.shouldShow},null,8,["content","should-show"])])),_:1},8,["index","field"])}],["__file","TextareaField.vue"]])},96134:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(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)(n,{content:r.field.value,"should-show":r.field.shouldShow},null,8,["content","should-show"])])),_:1},8,["index","field"])}],["__file","TrixField.vue"]])},69928:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={key:0},l=["href"],a=["innerHTML"],n={key:2};const s={mixins:[r(35229).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",i,[(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,a)):((0,o.openBlock)(),(0,o.createElementBlock)("p",n,"—"))])),_:1},8,["index","field"])}],["__file","UrlField.vue"]])},92135:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(2202).default};const i=(0,r(66262).A)(o,[["__file","VaporAudioField.vue"]])},57562:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(92048).default};const i=(0,r(66262).A)(o,[["__file","VaporFileField.vue"]])},53941:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(83240),i=r(1242);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 a(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?l(Object(r),!0).forEach((function(t){n(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):l(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function n(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const s={extends:o.default,methods:{getAvailableResources(e){let t=this.queryParams;return null!=e&&(t.first=!1,t.current=null,t.search=e),i.A.fetchAvailableResources(this.filter.resourceName,this.field.attribute,{params:a(a({},t),{},{component:this.field.component,viaRelationship:this.filter.viaRelationship})}).then((({data:{resources:e,softDeletes:t,withTrashed:r}})=>{this.isSearchable||(this.withTrashed=r),this.availableResources=e,this.softDeletes=t}))}}};const c=(0,r(66262).A)(s,[["__file","BelongsToField.vue"]])},43460:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={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 a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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",i,(0,o.toDisplayString)(n.filter.name),1),(0,o.createElementVNode)("button",{type:"button",onClick:t[0]||(t[0]=(...e)=>n.handleChange&&n.handleChange(...e)),class:"p-0 m-0"},[(0,o.createVNode)(s,{class:"mt-2",value:n.value,nullable:!0,dusk:n.filter.uniqueKey},null,8,["value","dusk"])])])])),_:1})}],["__file","BooleanField.vue"]])},28514:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"space-y-2"};const l={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){const s=(0,o.resolveComponent)("IconBooleanOption"),c=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(c,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(n.field.options,(i=>((0,o.openBlock)(),(0,o.createBlock)(s,{dusk:`${n.filter.uniqueKey}-${i.value}-option`,"resource-name":r.resourceName,key:i.value,filter:n.filter,option:i,onChange:t[0]||(t[0]=t=>e.$emit("change")),label:"label"},null,8,["dusk","resource-name","filter","option"])))),128))])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(n.filter.name),1)])),_:1})}],["__file","BooleanGroupField.vue"]])},78430:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>k});var o=r(29726);const i={class:"block"},l={class:"uppercase text-xs font-bold tracking-wide"},a=["dusk"],n={class:"block mt-2"},s={class:"uppercase text-xs font-bold tracking-wide"},c=["dusk"];var d=r(91272),u=r(38221),p=r.n(u),h=r(90179),m=r.n(h),f=r(70393);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 g(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?v(Object(r),!0).forEach((function(t){y(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):v(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function y(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const b={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({startValue:null,endValue:null,debouncedEventEmitter:null}),created(){this.debouncedEventEmitter=p()((()=>this.emitFilterChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.handleFilterReset)},beforeUnmount(){Nova.$off("filter-reset",this.handleFilterReset)},watch:{startValue(){this.debouncedEventEmitter()},endValue(){this.debouncedEventEmitter()}},methods:{setCurrentFilterValue(){let[e,t]=this.filter.currentValue||[null,null];this.startValue=(0,f.A)(e)?this.fromDateTimeISO(e).toISODate():null,this.endValue=(0,f.A)(t)?this.fromDateTimeISO(t).toISODate():null},validateFilter(e,t){return[e=(0,f.A)(e)?this.toDateTimeISO(e):null,t=(0,f.A)(t)?this.toDateTimeISO(t):null]},emitFilterChange(){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=>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 k=(0,r(66262).A)(b,[["render",function(e,t,r,d,u,p){const h=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(h,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("label",i,[(0,o.createElementVNode)("span",l,(0,o.toDisplayString)(`${p.filter.name} - ${e.__("From")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({ref:"startField","onUpdate:modelValue":t[0]||(t[0]=t=>e.startValue=t)},p.startExtraAttributes,{class:"w-full flex form-control form-input form-control-bordered",dusk:`${p.filter.uniqueKey}-range-start`}),null,16,a),[[o.vModelDynamic,e.startValue]])]),(0,o.createElementVNode)("label",n,[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(`${p.filter.name} - ${e.__("To")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({ref:"endField","onUpdate:modelValue":t[1]||(t[1]=t=>e.endValue=t)},p.endExtraAttributes,{class:"w-full flex form-control form-input form-control-bordered",dusk:`${p.filter.uniqueKey}-range-end`}),null,16,c),[[o.vModelDynamic,e.endValue]])])])),_:1})}],["__file","DateField.vue"]])},94299:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726);const i={class:"flex flex-col gap-2"},l={class:"flex flex-col gap-2"},a={class:"uppercase text-xs font-bold tracking-wide"},n=["placeholder","dusk"],s={class:"flex flex-col gap-2"},c={class:"uppercase text-xs font-bold tracking-wide"},d=["placeholder","dusk"];var u=r(91272),p=r(38221),h=r.n(p),m=r(70393);const f={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({startValue:null,endValue:null,debouncedEventEmitter:null}),created(){this.debouncedEventEmitter=h()((()=>this.emitFilterChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.handleFilterReset)},beforeUnmount(){Nova.$off("filter-reset",this.handleFilterReset)},watch:{startValue(){this.debouncedEventEmitter()},endValue(){this.debouncedEventEmitter()}},methods:{setCurrentFilterValue(){let[e,t]=this.filter.currentValue||[null,null];this.startValue=(0,m.A)(e)?u.c9.fromISO(e).toFormat("yyyy-MM-dd'T'HH:mm"):null,this.endValue=(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]},emitFilterChange(){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){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 v=(0,r(66262).A)(f,[["render",function(e,t,r,u,p,h){const m=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(m,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(0,o.createElementVNode)("label",l,[(0,o.createElementVNode)("span",a,(0,o.toDisplayString)(`${h.filter.name} - ${e.__("From")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{ref:"startField","onUpdate:modelValue":t[0]||(t[0]=t=>e.startValue=t),type:"datetime-local",class:"w-full flex form-control form-input form-control-bordered",placeholder:e.__("Start"),dusk:`${h.filter.uniqueKey}-range-start`},null,8,n),[[o.vModelText,e.startValue]])]),(0,o.createElementVNode)("label",s,[(0,o.createElementVNode)("span",c,(0,o.toDisplayString)(`${h.filter.name} - ${e.__("To")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{ref:"endField","onUpdate:modelValue":t[1]||(t[1]=t=>e.endValue=t),type:"datetime-local",class:"w-full flex form-control form-input form-control-bordered",placeholder:e.__("End"),dusk:`${h.filter.uniqueKey}-range-end`},null,8,d),[[o.vModelText,e.endValue]])])])])),_:1})}],["__file","DateTimeField.vue"]])},83240:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(29726);const i={key:0,class:"flex items-center"},l={key:0,class:"mr-3"},a=["src"],n={class:"flex items-center"},s={key:0,class:"flex-none mr-3"},c=["src"],d={class:"flex-auto"},u={key:0},p={key:1};var h=r(35229),m=r(25019),f=r(38221),v=r.n(f);const g={emits:["change"],mixins:[h.Bz],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({availableResources:[],selectedResourceId:"",softDeletes:!1,withTrashed:!1,search:"",debouncedEventEmitter:null}),mounted(){Nova.$on("filter-reset",this.handleFilterReset),this.initializeComponent()},created(){this.debouncedEventEmitter=v()((()=>this.emitFilterChange()),500),Nova.$on("filter-active",this.handleClosingInactiveSearchInputs)},beforeUnmount(){Nova.$off("filter-active",this.handleClosingInactiveSearchInputs),Nova.$off("filter-reset",this.handleFilterReset)},watch:{selectedResourceId(){this.debouncedEventEmitter()}},methods:{initializeComponent(){let e=!1;this.filter.currentValue&&(this.selectedResourceId=this.filter.currentValue,!0===this.isSearchable&&(e=!0)),this.isSearchable&&!e||this.getAvailableResources()},getAvailableResources(e){let t=this.queryParams;return null!=e&&(t.first=!1,t.current=null,t.search=e),m.A.fetchAvailableResources(this.field.resourceName,{params:t}).then((({data:{resources:e,softDeletes:t,withTrashed:r}})=>{this.isSearchable||(this.withTrashed=r),this.availableResources=e,this.softDeletes=t}))},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()},emitFilterChange(){this.$emit("change",{filterClass:this.filterKey,value:this.selectedResourceId??""})},handleFilterReset(){""===this.filter.currentValue&&(this.selectedResourceId="",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}},selectedResource(){return this.availableResources.find((e=>e.value===this.selectedResourceId))}}};const y=(0,r(66262).A)(g,[["render",function(e,t,r,h,m,f){const v=(0,o.resolveComponent)("SearchInput"),g=(0,o.resolveComponent)("SelectControl"),y=(0,o.resolveComponent)("FilterContainer");return f.shouldShowFilter?((0,o.openBlock)(),(0,o.createBlock)(y,{key:0},{filter:(0,o.withCtx)((()=>[f.isSearchable?((0,o.openBlock)(),(0,o.createBlock)(v,{key:0,ref:"searchable",modelValue:e.selectedResourceId,"onUpdate:modelValue":t[0]||(t[0]=t=>e.selectedResourceId=t),onInput:e.performSearch,onClear:f.handleClearSelection,onShown:f.handleShowingActiveSearchInput,options:e.availableResources,debounce:f.field.debounce,clearable:!0,trackBy:"value",mode:"modal",class:"w-full",dusk:`${f.filter.uniqueKey}-search-input`},{option:(0,o.withCtx)((({selected:t,option:r})=>[(0,o.createElementVNode)("div",n,[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",p,(0,o.toDisplayString)(e.__("No additional information...")),1))],2)):(0,o.createCommentVNode)("",!0)])])])),default:(0,o.withCtx)((()=>[f.selectedResource?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[f.selectedResource.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("img",{src:f.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,a)])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(f.selectedResource.display),1)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["modelValue","onInput","onClear","onShown","options","debounce","dusk"])):e.availableResources.length>0?((0,o.openBlock)(),(0,o.createBlock)(g,{key:1,modelValue:e.selectedResourceId,"onUpdate:modelValue":t[1]||(t[1]=t=>e.selectedResourceId=t),options:e.availableResources,label:"display",dusk:f.filter.uniqueKey},{default:(0,o.withCtx)((()=>t[2]||(t[2]=[(0,o.createElementVNode)("option",{value:"",selected:""},"—",-1)]))),_:1},8,["modelValue","options","dusk"])):(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"]])},34245:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i=["id","dusk"];var l=r(38221),a=r.n(l),n=r(90179),s=r.n(n);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){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))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,debouncedEventEmitter:null}),created(){this.debouncedEventEmitter=a()((()=>this.emitFilterChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},watch:{value(){this.debouncedEventEmitter()}},methods:{setCurrentFilterValue(){this.value=this.filter.currentValue},emitFilterChange(){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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?c(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):c(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({type:this.field.type||"email",pattern:this.field.pattern,placeholder:this.field.placeholder||this.field.name},e)}}};const p=(0,r(66262).A)(u,[["render",function(e,t,r,l,a,n){const s=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(s,null,{filter:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({class:"w-full form-control form-input form-control-bordered"},n.extraAttributes,{"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),id:n.filter.uniqueKey,dusk:n.filter.uniqueKey}),null,16,i),[[o.vModelDynamic,e.value]])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(n.filter.name),1)])),_:1})}],["__file","EmailField.vue"]])},86951:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["selected"];var l=r(38221),a=r.n(l);const n={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedEventEmitter:null}),created(){this.debouncedEventEmitter=a()((()=>this.emitFilterChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},watch:{value(){this.debouncedEventEmitter()}},methods:{setCurrentFilterValue(){let e=this.field.morphToTypes.find((e=>e.type===this.filter.currentValue));this.value=null!=e?e.value:""},emitFilterChange(){let e=this.field.morphToTypes.find((e=>e.value===this.value));this.$emit("change",{filterClass:this.filterKey,value:null!=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 s=(0,r(66262).A)(n,[["render",function(e,t,r,l,a,n){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,{modelValue:e.value,"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),options:n.field.morphToTypes,label:"singularLabel",dusk:n.filter.uniqueKey},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""===e.value},"—",8,i)])),_:1},8,["modelValue","options","dusk"])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(n.filter.name),1)])),_:1})}],["__file","MorphToField.vue"]])},33011:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["selected"];var l=r(38221),a=r.n(l);const n={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedHandleChange:null}),created(){this.debouncedHandleChange=a()((()=>this.handleFilterChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},methods:{setCurrentFilterValue(){this.value=this.filter.currentValue},handleFilterChange(){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)(n,[["render",function(e,t,r,l,a,n){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,{modelValue:e.value,"onUpdate:modelValue":[t[0]||(t[0]=t=>e.value=t),e.debouncedHandleChange],options:n.field.options,dusk:n.filter.uniqueKey},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""===e.value},"—",8,i)])),_:1},8,["modelValue","onUpdate:modelValue","options","dusk"])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(n.filter.name),1)])),_:1})}],["__file","MultiSelectField.vue"]])},72482:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>w});var o=r(29726);const i={class:"block"},l={class:"uppercase text-xs font-bold tracking-wide"},a=["dusk"],n={class:"block mt-2"},s={class:"uppercase text-xs font-bold tracking-wide"},c=["dusk"];var d=r(38221),u=r.n(d),p=r(90179),h=r.n(p),m=r(99374),f=r.n(m),v=r(70393);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 y(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?g(Object(r),!0).forEach((function(t){b(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):g(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function b(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const k={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({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,v.A)(e)?f()(e):null,this.endValue=(0,v.A)(t)?f()(t):null},validateFilter(e,t){return e=(0,v.A)(e)?f()(e):null,t=(0,v.A)(t)?f()(t):null,null!==e&&this.field.min&&this.field.min>e&&(e=f()(this.field.min)),null!==t&&this.field.max&&this.field.max<t&&(t=f()(this.field.max)),[e,t]},handleChange(){this.$emit("change",{filterClass:this.filterKey,value:this.validateFilter(this.startValue,this.endValue)})}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},startExtraAttributes(){const e=h()(this.field.extraAttributes,["readonly"]);return y({type:this.field.type||"number",min:this.field.min,max:this.field.max,step:this.field.step,pattern:this.field.pattern,placeholder:this.__("Min")},e)},endExtraAttributes(){const e=h()(this.field.extraAttributes,["readonly"]);return y({type:this.field.type||"number",min:this.field.min,max:this.field.max,step:this.field.step,pattern:this.field.pattern,placeholder:this.__("Max")},e)}}};const w=(0,r(66262).A)(k,[["render",function(e,t,r,d,u,p){const h=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(h,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("label",i,[(0,o.createElementVNode)("span",l,(0,o.toDisplayString)(`${p.filter.name} - ${e.__("From")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({class:"w-full block form-control form-input form-control-bordered","onUpdate:modelValue":t[0]||(t[0]=t=>e.startValue=t),dusk:`${p.filter.uniqueKey}-range-start`},p.startExtraAttributes),null,16,a),[[o.vModelDynamic,e.startValue]])]),(0,o.createElementVNode)("label",n,[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(`${p.filter.name} - ${e.__("To")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({class:"w-full block form-control form-input form-control-bordered","onUpdate:modelValue":t[1]||(t[1]=t=>e.endValue=t),dusk:`${p.filter.uniqueKey}-range-end`},p.endExtraAttributes),null,16,c),[[o.vModelDynamic,e.endValue]])])])),_:1})}],["__file","NumberField.vue"]])},71595:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={key:0,class:"flex items-center"},l=["selected"];var a=r(38221),n=r.n(a);const s={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({search:"",value:null,debouncedHandleChange:null}),mounted(){Nova.$on("filter-reset",this.handleFilterReset)},created(){this.debouncedHandleChange=n()((()=>this.handleFilterChange()),500),this.value=this.filter.currentValue},beforeUnmount(){Nova.$off("filter-reset",this.handleFilterReset)},watch:{value(){this.debouncedHandleChange()}},methods:{performSearch(e){this.search=e},clearSelection(){this.value="",this.$refs.searchable&&this.$refs.searchable.close()},handleFilterChange(){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))},selectedOption(){return this.field.options.find((e=>this.value===e.value||this.value===e.value.toString()))}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,a,n,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",modelValue:e.value,"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),onInput:s.performSearch,onClear:s.clearSelection,options:s.filteredOptions,clearable:!0,trackBy:"value",mode:"modal",class:"w-full",dusk:`${s.filter.uniqueKey}-search-input`},{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)((()=>[s.selectedOption?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,(0,o.toDisplayString)(s.selectedOption.label),1)):(0,o.createCommentVNode)("",!0)])),_:1},8,["modelValue","onInput","onClear","options","dusk"])):((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,modelValue:e.value,"onUpdate:modelValue":t[1]||(t[1]=t=>e.value=t),options:s.field?.options??[],dusk:s.filter.uniqueKey},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""===e.value},"—",8,l)])),_:1},8,["modelValue","options","dusk"]))])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(s.filter.name),1)])),_:1})}],["__file","SelectField.vue"]])},85645:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>m});var o=r(29726);const i=["value","id","dusk","list"],l=["id"],a=["value"];var n=r(38221),s=r.n(n),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 p(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const h={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.debug("Mounting <FilterMenu>"),Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.debug("Unmounting <FilterMenu>"),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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?u(Object(r),!0).forEach((function(t){p(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):u(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({type:this.field.type||"text",min:this.field.min,max:this.field.max,step:this.field.step,pattern:this.field.pattern,placeholder:this.field.placeholder||this.field.name},e)}}};const m=(0,r(66262).A)(h,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(d,null,{filter:(0,o.withCtx)((()=>[(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,i),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,a)))),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"]])},77054:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(22988).default,computed:{isVaporField:()=>!1}};const i=(0,r(66262).A)(o,[["__file","AudioField.vue"]])},14056:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726);const i={class:"flex items-center"},l={key:0,class:"flex items-center"},a={key:0,class:"mr-3"},n=["src"],s=["disabled"];var c=r(74640),d=r(35229),u=r(1242),p=r(24713),h=r.n(p),m=r(70393);const f={components:{Button:c.Button},mixins:[d.Gj,d._w,d.XJ,d.Bz,d.zJ],props:{resourceId:{}},data:()=>({availableResources:[],initializingWithExistingResource:!1,createdViaRelationModal:!1,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()):!this.isSearchable&&this.currentlyIsVisible&&this.getAvailableResources(),this.determineIfSoftDeletes(),this.field.fill=this.fill},fieldDefaultValue:()=>null,fill(e){this.fillIfVisible(e,this.fieldAttribute,this.selectedResourceId??""),this.fillIfVisible(e,`${this.fieldAttribute}_trashed`,this.withTrashed)},getAvailableResources(){return Nova.$progress.start(),u.A.fetchAvailableResources(this.resourceName,this.fieldAttribute,{params:this.queryParams}).then((({data:{resources:e,softDeletes:t,withTrashed:r}})=>{if(!this.initializingWithExistingResource&&this.isSearchable||(this.withTrashed=r),this.viaRelatedResource){if(!e.find((e=>this.isSelectedResourceId(e.value)))&&!this.shouldIgnoreViaRelatedResource)return Nova.visit("/404")}this.useSearchInput&&(this.initializingWithExistingResource=!1),this.availableResources=e,this.softDeletes=t})).finally((()=>{Nova.$progress.done()}))},determineIfSoftDeletes(){return u.A.determineIfSoftDeletes(this.field.resourceName).then((e=>{this.softDeletes=e.data.softDeletes}))},isNumeric:e=>!isNaN(parseFloat(e))&&isFinite(e),toggleWithTrashed(){let e;(0,m.A)(this.selectedResourceId)&&(e=this.selectedResourceId),this.withTrashed=!this.withTrashed,this.selectedResourceId=null,this.useSearchInput||this.getAvailableResources().then((()=>{let t=h()(this.availableResources,(t=>t.value===e));this.selectedResourceId=t>-1?e: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.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.pushAfterUpdatingQueryString({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()},emitOnSyncedFieldValueChange(){this.viaRelatedResource||this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId)},syncedFieldValueHasNotChanged(){return this.isSelectedResourceId(this.currentField.value)},isSelectedResourceId(e){return null!=e&&e?.toString()===this.selectedResourceId?.toString()}},computed:{editingExistingResource(){return(0,m.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:(0,m.A)(this.resourceId)?"update":"create"}},shouldLoadFirstResource(){return this.initializingWithExistingResource&&!this.shouldIgnoreViaRelatedResource||Boolean(this.currentlyIsReadonly&&this.selectedResourceId)},shouldShowTrashed(){return this.softDeletes&&!this.viaRelatedResource&&!this.currentlyIsReadonly&&this.currentField.displaysWithTrashed},authorizedToCreate(){return Nova.config("resources").find((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,m.A)(this.search)},useSearchInput(){return this.isSearchable||this.viaRelatedResource},selectedResource(){return this.availableResources.find((e=>this.isSelectedResourceId(e.value)))}}};const v=(0,r(66262).A)(f,[["render",function(e,t,r,c,d,u){const p=(0,o.resolveComponent)("SearchInputResult"),h=(0,o.resolveComponent)("SearchInput"),m=(0,o.resolveComponent)("SelectControl"),f=(0,o.resolveComponent)("Button"),v=(0,o.resolveComponent)("CreateRelationModal"),g=(0,o.resolveComponent)("TrashedCheckbox"),y=(0,o.resolveComponent)("DefaultField"),b=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createBlock)(y,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[u.useSearchInput?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,modelValue:e.selectedResourceId,"onUpdate:modelValue":t[0]||(t[0]=t=>e.selectedResourceId=t),onSelected:e.selectResource,onInput:u.performResourceSearch,onClear:u.clearResourceSelection,options:u.filteredResources,"has-error":e.hasError,debounce:e.currentField.debounce,disabled:e.currentlyIsReadonly,clearable:e.currentField.nullable||u.editingExistingResource||u.viaRelatedResource||e.createdViaRelationModal,trackBy:"value",mode:e.mode,autocomplete:e.currentField.autocomplete,class:"w-full",dusk:`${e.field.resourceName}-search-input`},{option:(0,o.withCtx)((({selected:t,option:r})=>[(0,o.createVNode)(p,{option:r,selected:t,"with-subtitles":e.currentField.withSubtitles},null,8,["option","selected","with-subtitles"])])),default:(0,o.withCtx)((()=>[u.selectedResource?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[u.selectedResource.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createElementVNode)("img",{src:u.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,n)])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(u.selectedResource.display),1)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["modelValue","onSelected","onInput","onClear","options","has-error","debounce","disabled","clearable","mode","autocomplete","dusk"])):((0,o.openBlock)(),(0,o.createBlock)(m,{key:1,modelValue:e.selectedResourceId,"onUpdate:modelValue":t[1]||(t[1]=t=>e.selectedResourceId=t),onSelected:e.selectResource,options:e.availableResources,"has-error":e.hasError,disabled:e.currentlyIsReadonly,label:"display",class:"w-full",dusk:`${e.field.resourceName}-select`},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:"",disabled:!e.currentField.nullable},(0,o.toDisplayString)(u.placeholder),9,s)])),_:1},8,["modelValue","onSelected","options","has-error","disabled","dusk"])),u.canShowNewRelationModal?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(f,{key:2,variant:"link",size:"small","leading-icon":"plus-circle",onClick:u.openRelationModal,dusk:`${e.field.attribute}-inline-create`},null,8,["onClick","dusk"])),[[b,e.__("Create :resource",{resource:e.field.singularLabel})]]):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(v,{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"]])},36938:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);var i=r(74640),l=r(35229);const a={components:{Checkbox:i.Checkbox},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 n=(0,r(66262).A)(a,[["render",function(e,t,r,i,l,a){const n=(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)(n,{disabled:e.currentlyIsReadonly,dusk:e.currentField.uniqueKey,id:e.currentField.uniqueKey,"model-value":a.checked,name:e.field.name,onChange:a.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"]])},6461:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(29726);const i={class:"space-y-2"};var l=r(35229),a=r(7309),n=r.n(a),s=r(44377),c=r.n(s),d=r(55378),u=r.n(d),p=r(55364),h=r.n(p);const m={mixins:[l._w,l.Gj],data:()=>({value:{}}),methods:{setInitialValue(){let e=h()(this.finalPayload,this.currentField.value||{});this.value=this.currentField.options.map((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){n()(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 c()(u()(this.value,(e=>[e.name,e.checked])))}}};const f=(0,r(66262).A)(m,[["render",function(e,t,r,l,a,n){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",i,[((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=>n.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"]])},61907:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i=["id"];var l=r(15237),a=r.n(l),n=r(35229);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function d(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u={mixins:[n._w,n.Gj],codemirror:null,mounted(){this.setInitialValue(),this.isVisible&&this.handleShowingComponent()},watch:{currentlyIsVisible(e,t){!0===e&&!1===t?this.$nextTick((()=>this.handleShowingComponent())):!1===e&&!0===t&&this.handleHidingComponent()}},methods:{handleShowingComponent(){const e=c(c({tabSize:4,indentWithTabs:!0,lineWrapping:!0,lineNumbers:!0,theme:"dracula",autoRefresh:!0},{readOnly:this.currentlyIsReadonly}),this.currentField.options);this.codemirror=a().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 p=(0,r(66262).A)(u,[["render",function(e,t,r,l,a,n){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 h-auto py-3 form-control form-input form-control-bordered"},null,8,i)])),_:1},8,["field","errors","full-width-content","show-help-text"])}],["__file","CodeField.vue"]])},3210:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i=["value","id","dusk","disabled"],l=["id"],a=["value"];var n=r(35229);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){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const d={mixins:[n.Gj,n.IR,n._w],computed:{defaultAttributes(){return function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){c(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({class:this.errorClasses},this.suggestionsAttributes)}}};const u=(0,r(66262).A)(d,[["render",function(e,t,r,n,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)("input",(0,o.mergeProps)(c.defaultAttributes,{class:"p-2 form-control form-input form-control-bordered bg-white",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,i),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,l)):(0,o.createCommentVNode)("",!0)])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","ColorField.vue"]])},72366:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i={class:"flex flex-wrap items-stretch w-full relative"},l={class:"flex -mr-px"},a={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"},n=["id","value","disabled","dusk"];var s=r(35229);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?c(Object(r),!0).forEach((function(t){u(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):c(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function u(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const p={mixins:[s._w,s.Gj],props:["resourceName","resourceId","field"],computed:{defaultAttributes(){return{type:"number",min:this.currentField.min,max:this.currentField.max,step:this.currentField.step,pattern:this.currentField.pattern,placeholder:this.placeholder,class:this.errorClasses}},extraAttributes(){return d(d({},this.defaultAttributes),this.currentField.extraAttributes)}}};const h=(0,r(66262).A)(p,[["render",function(e,t,r,s,c,d){const 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)((()=>[(0,o.createElementVNode)("div",i,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("span",a,(0,o.toDisplayString)(e.currentField.currency),1)]),(0,o.createElementVNode)("input",(0,o.mergeProps)(d.extraAttributes,{id:e.currentField.uniqueKey,value:e.value,disabled:e.currentlyIsReadonly,onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),class:"flex-shrink flex-grow flex-auto leading-normal w-px flex-1 rounded-l-none form-control form-input form-control-bordered",dusk:r.field.attribute}),null,16,n)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","CurrencyField.vue"]])},18166:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={class:"flex items-center"},l=["id","dusk","name","value","disabled","min","max","step"];var a=r(91272),n=r(35229);const s={mixins:[n._w,n.Gj],methods:{setInitialValue(){null!=this.currentField.value&&(this.value=a.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 c=(0,r(66262).A)(s,[["render",function(e,t,r,a,n,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",i,[(0,o.createElementVNode)("input",{type:"date",class:(0,o.normalizeClass)(["w-56 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"]])},23019:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i={class:"flex items-center"},l=["id","dusk","name","value","disabled","min","max","step"],a={class:"ml-3"};var n=r(91272),s=r(35229),c=r(70393);const d={mixins:[s._w,s.Gj],data:()=>({formattedDate:""}),methods:{setInitialValue(){if(null!=this.currentField.value){let e=n.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,c.A)(this.value)){let e=n.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,c.A)(t)){let e=n.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 u=(0,r(66262).A)(d,[["render",function(e,t,r,n,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",i,[(0,o.createElementVNode)("input",{type:"datetime-local",class:(0,o.normalizeClass)(["w-56 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",a,(0,o.toDisplayString)(c.timezone),1)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","DateTimeField.vue"]])},36078:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i=["value","id","disabled","autocomplete","dusk"];var l=r(35229);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 n(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?a(Object(r),!0).forEach((function(t){n(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):a(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({type:this.currentField.type||"email",pattern:this.currentField.pattern,placeholder:this.placeholder,class:this.errorClasses},this.currentField.extraAttributes)}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,l,a,n){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.createElementVNode)("input",(0,o.mergeProps)(n.extraAttributes,{value:e.value,id:e.currentField.uniqueKey,disabled:e.currentlyIsReadonly,onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),class:"w-full form-control form-input form-control-bordered",autocomplete:e.currentField.autocomplete,dusk:e.field.attribute}),null,16,i)])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","EmailField.vue"]])},22988:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i={class:"space-y-4"},l={key:0,class:"grid grid-cols-4 gap-x-6 gap-y-2"};var a=r(35229),n=r(96040),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:[a._w,a.Gj],inject:["removeFile"],expose:["beforeRemove"],data:()=>({previewFile:null,file:null,removeModalOpen:!1,missing:!1,deleted:!1,uploadErrors:new a.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 a.I(e.response.data.errors))}finally{this.closeRemoveModal()}},fillVaporFilePayload(e,t){const r=e instanceof n.A?e.slug(t):t,o=e instanceof n.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 p=(0,r(66262).A)(u,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("FilePreviewBlock"),d=(0,o.resolveComponent)("ConfirmUploadRemovalModal"),u=(0,o.resolveComponent)("DropZone"),p=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(p,{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",i,[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"]])},58116:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>k});var o=r(29726);const i={key:1,class:"flex flex-col justify-center items-center px-6 py-8"},l=["dusk"],a={class:"hidden md:inline-block"},n={class:"inline-block md:hidden"};var s=r(35229),c=r(96040),d=r(55378),u=r.n(d),p=r(48081),h=r.n(p),m=r(15101),f=r.n(m);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 g(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?v(Object(r),!0).forEach((function(t){y(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):v(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function y(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const b={emits:["field-changed","update-last-retrieved-at-timestamp","file-upload-started","file-upload-finished"],mixins:[s._w,s.zB],provide(){return{removeFile:this.removeFile}},props:g(g({},(0,s.rr)(["resourceName","resourceId","viaResource","viaResourceId","viaRelationship"])),{},{field:{type:Object},formUniqueId:{type:String},errors:{type:Object,required:!0}}),data(){return{loading:!1,isEditing:null!==this.field.hasOneId||!0===this.field.required,fields:[]}},mounted(){this.initializeComponent()},methods:{initializeComponent(){this.getFields(),this.field.fill=this.fill},removeFile(e){const{resourceName:t,resourceId:r}=this;Nova.request().delete(`/nova-api/${t}/${r}/field/${e}`)},fill(e){this.isEditing&&this.isVisible&&f()(new c.A(this.fieldAttribute,e),(e=>{this.availableFields.forEach((t=>{t.fill(e)}))}))},async getFields(){this.loading=!0,this.panels=[],this.fields=[];try{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}});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})}catch(e){[403,404].includes(e.response.status)&&Nova.error(this.__("There was a problem fetching the resource."))}},showEditForm(){this.isEditing=!0},handleFileDeleted(){this.$emit("update-last-retrieved-at-timestamp")}},computed:{availableFields(){return h()(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 k=(0,r(66262).A)(b,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("LoadingView"),p=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createBlock)(p,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,((i,l)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`form-${i.component}`),{index:l,key:l,errors:r.errors,"resource-id":e.resourceId,"resource-name":e.resourceName,field:i,"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",i,[(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",a,(0,o.toDisplayString)(e.__("Create :resource",{resource:r.field.singularLabel})),1),(0,o.createElementVNode)("span",n,(0,o.toDisplayString)(e.__("Create")),1)],8,l)]))])),_:1},8,["loading"])])),_:1})}],["__file","HasOneField.vue"]])},79899:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["innerHTML"];const l={mixins:[r(35229).Gj],props:{index:{type:Number},resourceName:{type:String,require:!0},field:{type:Object,require:!0},errors:{type:Object,required:!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 a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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)((()=>[n.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,innerHTML:e.currentField.value,class:(0,o.normalizeClass)(n.classes)},null,10,i)):((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:1,class:(0,o.normalizeClass)(n.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"]])},6970:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={class:"hidden"},l=["dusk","value"];var a=r(35229);const n={mixins:[a.Gj,a._w]};const s=(0,r(66262).A)(n,[["render",function(e,t,r,a,n,s){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("input",{dusk:e.field.attribute,type:"hidden",value:e.value},null,8,l)])}],["__file","HiddenField.vue"]])},18053:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(29726);const i={class:"bg-white dark:bg-gray-800 overflow-hidden key-value-items"},l={class:"flex items-center justify-center"};var a=r(24713),n=r.n(a),s=r(44377),c=r.n(s),d=r(48081),u=r.n(d),p=r(15101),h=r.n(p),m=r(35229),f=r(74640);function v(){var e=function(){return(65536*(1+Math.random())|0).toString(16).substring(1)};return e()+e()+"-"+e()+"-"+e()+"-"+e()+"-"+e()+e()+e()}const g={mixins:[m._w,m.Gj],components:{Button:f.Button},data:()=>({theData:[]}),mounted(){this.populateKeyValueData()},methods:{populateKeyValueData(){this.theData=Object.entries(this.value||{}).map((([e,t])=>({id:v(),key:`${e}`,value:t})))},fill(e){this.fillIfVisible(e,this.fieldAttribute,JSON.stringify(this.finalPayload))},addRow(){return h()(v(),(e=>(this.theData=[...this.theData,{id:e,key:"",value:""}],e)))},addRowAndSelect(){return this.selectRow(this.addRow())},removeRow(e){return h()(n()(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()(u()(this.theData.map((e=>e&&e.key?[e.key,e.value]:void 0)),(e=>void 0===e)))}}};const y=(0,r(66262).A)(g,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("FormKeyValueHeader"),d=(0,o.resolveComponent)("FormKeyValueItem"),u=(0,o.resolveComponent)("FormKeyValueTable"),p=(0,o.resolveComponent)("Button"),h=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(h,{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.withDirectives)((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",i,[((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"]),[[o.vShow,e.theData.length>0]]),(0,o.createElementVNode)("div",l,[e.currentlyIsReadonly||e.currentField.readonlyKeys||!e.currentField.canAddRow?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)(p,{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"]])},99682:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={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"},a={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 n={props:{keyLabel:{type:String},valueLabel:{type:String}}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,n,s,c){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("div",l,(0,o.toDisplayString)(r.keyLabel),1),(0,o.createElementVNode)("div",a,(0,o.toDisplayString)(r.valueLabel),1)])}],["__file","KeyValueHeader.vue"]])},5226:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i={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"},a=["dusk","readonly","tabindex"],n=["dusk","readonly","tabindex"],s={key:0,class:"flex items-center h-11 w-11 absolute -right-[50px]"};var c=r(89692),d=r.n(c);const u={components:{Button:r(74640).Button},emits:["remove-row"],props:{index:Number,item:Object,editMode:{type:Boolean,default:!0},readOnly:{type:Boolean,default:!1},readOnlyKeys:{type:Boolean,default:!1},canDeleteRow:{type:Boolean,default:!0}},mounted(){this.$nextTick((()=>{d()(this.$refs.keyField),d()(this.$refs.valueField)}))},methods:{handleKeyFieldFocus(){d()(this.$refs.keyField),this.$refs.keyField.select()},handleValueFieldFocus(){d()(this.$refs.valueField),this.$refs.valueField.select()}},computed:{isNotObject(){return!(this.item.value instanceof Object)},isEditable(){return!this.readOnly},defaultBackgroundColors:()=>"bg-white dark:bg-gray-900",disabledBackgroundColors(){return!0===this.editMode?"bg-gray-50 dark:bg-gray-700":this.defaultBackgroundColors}}};const p=(0,r(66262).A)(u,[["render",function(e,t,r,c,d,u){const p=(0,o.resolveComponent)("Button");return u.isNotObject?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["flex-none w-48",[!u.isEditable||r.readOnlyKeys?u.disabledBackgroundColors:u.defaultBackgroundColors,!0===r.editMode?"cursor-text":"cursor-default"]]),onClick:t[2]||(t[2]=(...e)=>u.handleKeyFieldFocus&&u.handleKeyFieldFocus(...e))},[(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",[!u.isEditable||r.readOnlyKeys?`${u.disabledBackgroundColors} focus:outline-none cursor-normal`:u.defaultBackgroundColors,!0===r.editMode?"hover:bg-20 focus:bg-white dark:focus:bg-gray-900 focus:outline-none focus:ring focus:ring-inset":"focus:outline-none cursor-default"]]),readonly:!u.isEditable||r.readOnlyKeys,tabindex:!u.isEditable||r.readOnlyKeys?-1:0,style:{"background-clip":"border-box"}},null,42,a),[[o.vModelText,r.item.key]])],2),(0,o.createElementVNode)("div",{onClick:t[5]||(t[5]=(...e)=>u.handleValueFieldFocus&&u.handleValueFieldFocus(...e)),class:(0,o.normalizeClass)(["flex-grow border-l border-gray-200 dark:border-gray-700",[u.isEditable?u.defaultBackgroundColors:u.disabledBackgroundColors,!0===r.editMode?"cursor-text":"cursor-default"]])},[(0,o.withDirectives)((0,o.createElementVNode)("textarea",{rows:"1",dusk:`key-value-value-${r.index}`,"onUpdate:modelValue":t[3]||(t[3]=e=>r.item.value=e),onFocus:t[4]||(t[4]=(...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-clip-border",[u.isEditable?u.defaultBackgroundColors:`${u.disabledBackgroundColors} focus:outline-none cursor-normal`,!0===r.editMode?"hover:bg-20 focus:bg-white dark:focus:bg-gray-900 focus:outline-none focus:ring focus:ring-inset":"focus:outline-none cursor-default"]]),readonly:!u.isEditable,tabindex:u.isEditable?0:-1},null,42,n),[[o.vModelText,r.item.value]])],2)]),u.isEditable&&r.canDeleteRow?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(0,o.createVNode)(p,{onClick:t[6]||(t[6]=t=>e.$emit("remove-row",r.item.id)),dusk:`remove-key-value-${r.index}`,variant:"link",size:"small",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"]])},83420:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:{canDeleteRow:{type:Boolean,default:!0},editMode:{type:Boolean,default:!0}}};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){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.canDeleteRow}])},[(0,o.renderSlot)(e.$slots,"default")],2)}],["__file","KeyValueTable.vue"]])},19399:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);var i=r(35229);const l={mixins:[i._w,i.Qy,i.Vo,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)}},computed:{previewer(){if(!this.isActionRequest)return this.fetchPreviewContent},uploader(){if(!this.isActionRequest&&this.field.withFiles)return this.uploadAttachment}}};const a=(0,r(66262).A)(l,[["render",function(e,t,r,i,l,a){const n=(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)(n,{ref:"theMarkdownEditor",class:(0,o.normalizeClass)({"form-control-bordered-error":e.hasError}),attribute:e.field.attribute,previewer:a.previewer,uploader:a.uploader,readonly:e.currentlyIsReadonly,onFileRemoved:a.handleFileRemoved,onFileAdded:a.handleFileAdded,onInitialize:a.initialize,onChange:a.handleChange},null,8,["class","attribute","previewer","uploader","readonly","onFileRemoved","onFileAdded","onInitialize","onChange"]),[[o.vShow,e.currentlyIsVisible]])])),_:1},8,["field","errors","full-width-content","show-help-text"])}],["__file","MarkdownField.vue"]])},69976:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>V});var o=r(29726);const i={class:"border-b border-gray-100 dark:border-gray-700"},l={key:0,class:"flex relative"},a=["disabled","dusk","value"],n=["disabled"],s=["value","selected"],c={class:"pointer-events-none absolute inset-y-0 right-[11px] flex items-center"},d={key:1,class:"flex items-center select-none mt-2"},u={class:"flex items-center mb-3"},p={key:0,class:"flex items-center"},h={key:0,class:"mr-3"},m=["src"],f={class:"flex items-center"},v={key:0,class:"flex-none mr-3"},g=["src"],y={class:"flex-auto"},b={key:0},k={key:1},w=["disabled","selected"];var C=r(74640);const x={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 N=r(35229),B=r(70393);const S={components:{Button:C.Button},mixins:[N.Gj,N._w,N.XJ,N.Bz,N.zJ],data:()=>({resourceType:"",initializingWithExistingResource:!1,createdViaRelationModal:!1,softDeletes:!1,selectedResourceId: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()),this.resourceType&&this.determineIfSoftDeletes(),this.field.fill=this.fill},selectResourceFromSelectOrSearch(e){this.field&&this.emitFieldValueChange(`${this.fieldAttribute}_type`,this.resourceType),this.selectResource(e)},fill(e){this.selectedResourceId&&this.resourceType?(this.fillIfVisible(e,this.fieldAttribute,this.selectedResourceId??""),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(),x.fetchAvailableResources(this.resourceName,this.fieldAttribute,{params:this.queryParams}).then((({data:{resources:e,softDeletes:t,withTrashed:r}})=>{!this.initializingWithExistingResource&&this.isSearchable||(this.withTrashed=r),this.isSearchable&&(this.initializingWithExistingResource=!1),this.availableResources=e,this.softDeletes=t})).finally((()=>{Nova.$progress.done()}))},onSyncedField(){this.resourceType!==this.currentField.morphToType&&this.refreshResourcesForTypeChange(this.currentField.morphToType)},determineIfSoftDeletes(){return x.determineIfSoftDeletes(this.resourceType).then((({data:{softDeletes:e}})=>this.softDeletes=e))},async refreshResourcesForTypeChange(e){this.resourceType=e?.target?.value??e,this.availableResources=[],this.selectedResourceId=null,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,B.A)(this.selectedResourceId)||(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.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.pushAfterUpdatingQueryString({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())},isSelectedResourceId(e){return null!=e&&e?.toString()===this.selectedResourceId?.toString()}},computed:{editingExistingResource(){return Boolean(this.field.morphToId&&this.field.morphToType)},viaRelatedResource(){return Boolean(null!=this.currentField.morphToTypes.find((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:null==this.resourceId||""===this.resourceId?"create":"update"}},fieldName(){return this.field.name},fieldTypeName(){return this.resourceType&&this.currentField.morphToTypes.find((e=>e.value==this.resourceType))?.singularLabel||""},hasMorphToTypes(){return this.currentField.morphToTypes.length>0},authorizedToCreate(){return Nova.config("resources").find((e=>e.uriKey==this.resourceType))?.authorizedToCreate||!1},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,B.A)(this.search)},useSearchInput(){return this.isSearchable||this.viaRelatedResource},selectedResource(){return this.availableResources.find((e=>this.isSelectedResourceId(e.value)))}}};const V=(0,r(66262).A)(S,[["render",function(e,t,r,C,x,N){const B=(0,o.resolveComponent)("IconArrow"),S=(0,o.resolveComponent)("DefaultField"),V=(0,o.resolveComponent)("SearchInput"),R=(0,o.resolveComponent)("SelectControl"),E=(0,o.resolveComponent)("Button"),_=(0,o.resolveComponent)("CreateRelationModal"),O=(0,o.resolveComponent)("TrashedCheckbox");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createVNode)(S,{field:e.currentField,"show-errors":!1,"field-name":N.fieldName,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[N.hasMorphToTypes?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("select",{disabled:N.viaRelatedResource&&!N.shouldIgnoresViaRelatedResource||e.currentlyIsReadonly,dusk:`${e.field.attribute}-type`,value:e.resourceType,onChange:t[0]||(t[0]=(...e)=>N.refreshResourcesForTypeChange&&N.refreshResourcesForTypeChange(...e)),class:"w-full block form-control form-input form-control-bordered"},[(0,o.createElementVNode)("option",{value:"",selected:"",disabled:!e.currentField.nullable},(0,o.toDisplayString)(e.__("Choose Type")),9,n),((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,a),(0,o.createElementVNode)("span",c,[(0,o.createVNode)(B)])])):((0,o.openBlock)(),(0,o.createElementBlock)("label",d,(0,o.toDisplayString)(e.__("There are no available options for this resource.")),1))])),_:1},8,["field","field-name","show-help-text","full-width-content"]),N.hasMorphToTypes?((0,o.openBlock)(),(0,o.createBlock)(S,{key:0,field:e.currentField,errors:e.errors,"show-help-text":!1,"field-name":N.fieldTypeName,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",u,[N.useSearchInput?((0,o.openBlock)(),(0,o.createBlock)(V,{key:0,modelValue:e.selectedResourceId,"onUpdate:modelValue":t[1]||(t[1]=t=>e.selectedResourceId=t),onSelected:N.selectResourceFromSelectOrSearch,onInput:N.performResourceSearch,onClear:N.clearResourceSelection,options:N.filteredResources,disabled:e.currentlyIsReadonly,debounce:e.currentField.debounce,clearable:e.currentField.nullable||N.editingExistingResource||N.viaRelatedResource||e.createdViaRelationModal,trackBy:"value",mode:e.mode,autocomplete:e.currentField.autocomplete,class:"w-full",dusk:`${e.field.attribute}-search-input`},{option:(0,o.withCtx)((({selected:t,option:r})=>[(0,o.createElementVNode)("div",f,[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,g)])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",y,[(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",b,(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)((()=>[N.selectedResource?((0,o.openBlock)(),(0,o.createElementBlock)("div",p,[N.selectedResource.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",h,[(0,o.createElementVNode)("img",{src:N.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,m)])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(N.selectedResource.display),1)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["modelValue","onSelected","onInput","onClear","options","disabled","debounce","clearable","mode","autocomplete","dusk"])):((0,o.openBlock)(),(0,o.createBlock)(R,{key:1,modelValue:e.selectedResourceId,"onUpdate:modelValue":t[2]||(t[2]=t=>e.selectedResourceId=t),onSelected:N.selectResourceFromSelectOrSearch,options:e.availableResources,disabled:!e.resourceType||e.currentlyIsReadonly,label:"display",class:(0,o.normalizeClass)(["w-full",{"form-control-bordered-error":e.hasError}]),dusk:`${e.field.attribute}-select`},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",disabled:!e.currentField.nullable,selected:""===e.selectedResourceId},(0,o.toDisplayString)(e.__("Choose"))+" "+(0,o.toDisplayString)(N.fieldTypeName),9,w)])),_:1},8,["modelValue","onSelected","options","disabled","class","dusk"])),N.canShowNewRelationModal?((0,o.openBlock)(),(0,o.createBlock)(E,{key:2,variant:"link",size:"small","leading-icon":"plus-circle",onClick:N.openRelationModal,class:"ml-2",dusk:`${e.field.attribute}-inline-create`},null,8,["onClick","dusk"])):(0,o.createCommentVNode)("",!0)]),N.canShowNewRelationModal?((0,o.openBlock)(),(0,o.createBlock)(_,{key:0,show:e.relationModalOpen,size:e.field.modalSize,onSetResource:N.handleSetResource,onCreateCancelled:N.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),N.shouldShowTrashed?((0,o.openBlock)(),(0,o.createBlock)(O,{key:1,class:"mt-3","resource-name":e.field.attribute,checked:e.withTrashed,onInput:N.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"]])},6629:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i=["selected","disabled"];var l=r(35229),a=r(55364),n=r.n(a),s=r(70393);const c={mixins:[l._w,l.Gj],data:()=>({search:""}),methods:{setInitialValue(){let e=void 0!==this.currentField.value&&null!==this.currentField.value&&""!==this.currentField.value?n()(this.currentField.value||[],this.value):this.value,t=(this.currentField.options??[]).filter((t=>e.includes(t.value)||e.includes(t.value.toString())));this.value=t.map((e=>e.value))},fieldDefaultValue:()=>[],fill(e){this.fillIfVisible(e,this.fieldAttribute,JSON.stringify(this.value))},performSearch(e){this.search=e},handleChange(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,s.A)(this.currentField.placeholder)||this.currentField.nullable}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,l,a,n){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,modelValue:e.value,"onUpdate:modelValue":[t[0]||(t[0]=t=>e.value=t),n.handleChange],class:(0,o.normalizeClass)(["w-full",e.errorClasses]),options:e.currentField.options,disabled:e.currentlyIsReadonly},{default:(0,o.withCtx)((()=>[n.shouldShowPlaceholder?((0,o.openBlock)(),(0,o.createElementBlock)("option",{key:0,value:"",selected:!n.hasValue,disabled:!e.currentField.nullable},(0,o.toDisplayString)(n.placeholder),9,i)):(0,o.createCommentVNode)("",!0)])),_:1},8,["id","dusk","modelValue","onUpdate:modelValue","class","options","disabled"])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","MultiSelectField.vue"]])},82437:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i=["dusk"],l=["innerHTML"];var a=r(35229);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 s(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?n(Object(r),!0).forEach((function(t){c(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):n(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function c(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const d={name:"FormPanel",mixins:[a.sK],emits:["field-changed","update-last-retrieved-at-timestamp","file-deleted","file-upload-started","file-upload-finished"],props:s(s({},(0,a.rr)(["mode"])),{},{shownViaNewRelationModal:{type:Boolean,default:!1},showHelpText:{type:Boolean,default:!1},panel:{type:Object,required:!0},name:{default:"Panel"},dusk:{type:String},fields:{type:Array,default:[]},formUniqueId:{type:String},validationErrors:{type:Object,required:!0},resourceName:{type:String,required:!0},resourceId:{type:[Number,String]},relatedResourceName:{type:String},relatedResourceId:{type:[Number,String]},viaResource:{type:String},viaResourceId:{type:[Number,String]},viaRelationship:{type:String}}),methods:{handleFileDeleted(){this.$emit("update-last-retrieved-at-timestamp")}}};const u=(0,r(66262).A)(d,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("Heading"),d=(0,o.resolveComponent)("Card");return r.panel.fields.length>0?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,dusk:`${r.panel.attribute}-panel`},[(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,((i,l)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`form-${i.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:i,"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})],8,i)),[[o.vShow,e.visibleFieldsCount>0]]):(0,o.createCommentVNode)("",!0)}],["__file","Panel.vue"]])},13662:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i=["id","dusk","placeholder","autocomplete","disabled"];var l=r(35229);const a={mixins:[l._w,l.Gj]};const n=(0,r(66262).A)(a,[["render",function(e,t,r,l,a,n){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:e.currentField.autocomplete,disabled:e.currentlyIsReadonly},null,10,i),[[o.vModelText,e.value]])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","PasswordField.vue"]])},52568:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i={key:0},l=["innerHTML"];var a=r(25542),n=r(35229);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function d(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u={name:"FormRelationshipPanel",emits:["field-changed","update-last-retrieved-at-timestamp","file-upload-started","file-upload-finished","file-deleted"],mixins:[n.x7],props:c(c({shownViaNewRelationModal:{type:Boolean,default:!1},showHelpText:{type:Boolean,default:!1},panel:{type:Object,required:!0},name:{default:"Relationship Panel"}},(0,n.rr)(["mode"])),{},{fields:{type:Array,default:[]},formUniqueId:{type:String},validationErrors:{type:Object,required:!0},resourceName:{type:String,required:!0},resourceId:{type:[Number,String]},viaResource:{type:String},viaResourceId:{type:[Number,String]},viaRelationship:{type:String}}),data:()=>({relationFormUniqueId:(0,a.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 p=(0,r(66262).A)(u,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("Heading");return s.field.authorizedToCreate?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(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"]])},7275:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i=["dusk"];var l=r(74640),a=r(35229),n=r(88055),s=r.n(n),c=r(25542);const d={components:{Button:l.Button,Icon:l.Icon},mixins:[a.zB,a._w],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,c.L)()),e)))},methods:{fieldDefaultValue:()=>[],removeFile(e){const{resourceName:t,resourceId:r,relatedResourceName:o,relatedResourceId:i,viaRelationship:l}=this,a=l&&o&&i?`/nova-api/${t}/${r}/${o}/${i}/field/${e}?viaRelationship=${l}`:`/nova-api/${t}/${r}/field/${e}`;Nova.request().delete(a)},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=s()(t);this.valueMap.set(r,(0,c.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,a,n){const s=(0,o.resolveComponent)("RepeaterRow"),c=(0,o.resolveComponent)("Button"),d=(0,o.resolveComponent)("Icon"),u=(0,o.resolveComponent)("DropdownMenuItem"),p=(0,o.resolveComponent)("DropdownMenu"),h=(0,o.resolveComponent)("Dropdown"),m=(0,o.resolveComponent)("InvertedButton"),f=(0,o.resolveComponent)("DefaultField");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)((()=>[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:n.removeItem,errors:e.errors,sortable:e.currentField.sortable&&e.value.length>1,onMoveUp:n.moveUp,onMoveDown:n.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,i)):(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)(h,{key:0},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(p,{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:()=>n.addItem(e.type),as:"button",class:"space-x-2"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,[(0,o.createVNode)(d,{name:e.icon,type:"solid",class:"inline-block"},null,8,["name"])]),(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=>n.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"]])},59123:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i={key:0,class:"flex items-center"},l=["disabled"];var a=r(35229),n=r(56170),s=r.n(n);const c={mixins:[a._w,a.Gj],data:()=>({value:null,search:""}),created(){this.value=this.field.value??this.fieldDefaultValue()},methods:{fieldDefaultValue:()=>null,fill(e){this.fillIfVisible(e,this.fieldAttribute,this.value??"")},performSearch(e){this.search=e},clearSelection(){this.value=this.fieldDefaultValue(),this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)},selectOption(e){null!=e?this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value):this.clearSelection()},selectedValueFromOption(e){this.value=e?.value??this.fieldDefaultValue(),this.selectOption(e)},onSyncedField(){let e=null,t=!1;this.selectedOption&&(t=!0,e=this.currentField.options.find((e=>e.value===this.selectedOption.value)));let r=this.currentField.options.find((e=>e.value==this.currentField.value));if(null==e)return this.clearSelection(),void(this.currentField.value?this.selectedValueFromOption(r):t&&!this.currentField.nullable&&this.selectedValueFromOption(s()(this.currentField.options)));e&&r?this.selectedValueFromOption(r):this.selectedValueFromOption(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))},selectedOption(){return this.field.options.find((e=>this.value===e.value||this.value===e.value.toString()))}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,a,n,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,modelValue:e.value,"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),onSelected:s.selectOption,onInput:s.performSearch,onClear:s.clearSelection,options:s.filteredOptions,disabled:e.currentlyIsReadonly,"has-error":e.hasError,clearable:e.currentField.nullable,trackBy:"value",mode:e.mode,class:"w-full",dusk:`${e.field.attribute}-search-input`,autocomplete:e.currentField.autocomplete},{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)((()=>[s.selectedOption?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,(0,o.toDisplayString)(s.selectedOption.label),1)):(0,o.createCommentVNode)("",!0)])),_:1},8,["modelValue","onSelected","onInput","onClear","options","disabled","has-error","clearable","mode","dusk","autocomplete"])):((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,modelValue:e.value,"onUpdate:modelValue":t[1]||(t[1]=t=>e.value=t),onSelected:s.selectOption,options:e.currentField.options,"has-error":e.hasError,disabled:e.currentlyIsReadonly,id:e.field.attribute,class:"w-full",dusk:e.field.attribute},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:"",disabled:!e.currentField.nullable},(0,o.toDisplayString)(s.placeholder),9,l)])),_:1},8,["modelValue","onSelected","options","has-error","disabled","id","dusk"]))])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","SelectField.vue"]])},81909:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i={class:"flex items-center"},l=["id","disabled","dusk"];var a=r(35229),n=r(38221),s=r.n(n);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){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u={mixins:[a.Vo,a._w,a.zB],data:()=>({isListeningToChanges:!1,debouncedHandleChange:null}),mounted(){this.shouldRegisterInitialListener&&this.registerChangeListener()},beforeUnmount(){this.removeChangeListener()},methods:{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)},placeholder(){return this.field.placeholder??null},extraAttributes(){return function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?c(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):c(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({class:this.errorClasses,placeholder:this.placeholder},this.field.extraAttributes)}}};const p=(0,r(66262).A)(u,[["render",function(e,t,r,a,n,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",i,[(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)(s.extraAttributes,{ref:"theInput","onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),id:e.field.uniqueKey,disabled:e.isReadonly,class:"w-full form-control form-input form-control-bordered",dusk:e.field.attribute,autocomplete:"off",spellcheck:"false"}),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"]])},48080:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i=["id","type","min","max","step","placeholder","autocomplete"];var l=r(35229);const a={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 n=(0,r(66262).A)(a,[["render",function(e,t,r,l,a,n){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:n.inputType,min:n.inputMin,max:n.inputMax,step:n.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.placeholder,autocomplete:e.currentField.autocomplete},null,10,i),[[o.vModelDynamic,e.value]])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","StatusField.vue"]])},19736:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>w});var o=r(29726),i=r(35229),l=r(38402),a=r(14788),n=r(39754),s=r.n(n),c=r(79859),d=r.n(c),u=r(42877),p=r.n(u);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 m(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const f=["dusk"],v=["innerHTML"],g=["dusk"],y={class:"capitalize"},b={class:"divide-y divide-gray-100 dark:divide-gray-700"},k={__name:"TabsPanel",props:function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?h(Object(r),!0).forEach((function(t){m(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):h(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({name:{type:String,default:"Panel"},panel:{type:Object,required:!0},fields:{type:Array,default:[]},formUniqueId:{type:String,required:!1},validationErrors:{type:Object,required:!1}},(0,i.rr)(["shownViaNewRelationModal","mode","resourceName","resourceId","relatedResourceName","relatedResourceId","viaResource","viaResourceId","viaRelationship"])),emits:["field-changed","field-shown","field-hidden","update-last-retrieved-at-timestamp","file-upload-started","file-upload-finished"],setup(e,{emit:t}){const r=t,i=e,n=(0,o.computed)((()=>{const e=i.panel.fields.reduce(((e,t)=>(t.tab?.attribute in e||(e[t.tab.attribute]={name:t.tab.name,attribute:t.tab.attribute,position:t.tab.position,init:!1,listable:t.tab.listable,fields:[],meta:t.tab.meta,classes:"fields-tab",visibleFieldsForPanel:null,hasErrors:!1},["belongs-to-many-field","has-many-field","has-many-through-field","has-one-through-field","morph-to-many-field"].includes(t.component)&&(e[t.tab.attribute].classes="relationship-tab")),e[t.tab.attribute].fields.push(t),e)),{});return s()(e,(e=>{const t=Object.keys(i.validationErrors.errors).some((t=>d()(e.fields.map((e=>e.attribute)),t)));e.hasErrors=t,e.visibleFieldsForPanel=(0,l.y)(e,r)})),e}));function c(e){return Object.values(p()(e,[e=>e.position],["asc"]))}function u(e){return e.prefixComponent?`form-${e.component}`:e.component}function h(e){return"hasOne"===e.relationshipType||"morphOne"===e.relationshipType?e.hasOneId:this.resourceId}return(t,r)=>{const i=(0,o.resolveComponent)("Heading");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"tab-group",dusk:`${e.panel.attribute}-tab-panel`},[(0,o.createElementVNode)("div",null,[e.panel.showTitle?((0,o.openBlock)(),(0,o.createBlock)(i,{key:0,level:1,textContent:(0,o.toDisplayString)(e.panel.name)},null,8,["textContent"])):(0,o.createCommentVNode)("",!0),e.panel.helpText?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:1,class:(0,o.normalizeClass)(["text-gray-500 text-sm font-semibold italic",e.panel.helpText?"mt-2":"mt-3"]),innerHTML:e.panel.helpText},null,10,v)):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["tab-card",[e.panel.showTitle&&!e.panel.showToolbar?"mt-3":""]])},[(0,o.createVNode)((0,o.unref)(a.fu),null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(a.wb),{"aria-label":e.panel.name,class:"tab-menu divide-x dark:divide-gray-700 border-l-gray-200 border-r-gray-200 border-t-gray-200 border-b-gray-200 dark:border-l-gray-700 dark:border-r-gray-700 dark:border-t-gray-700 dark:border-b-gray-700"},{default:(0,o.withCtx)((()=>[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(c(n.value),((e,t)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(a.oz),{as:"template",key:t,disabled:0==e.visibleFieldsForPanel.visibleFieldsCount.value},{default:(0,o.withCtx)((({selected:t,disabled:r})=>[(0,o.createElementVNode)("button",{class:(0,o.normalizeClass)([[t?"active text-primary-500 font-bold border-b-2 "+(e.hasErrors?"!border-b-red-500":"!border-b-primary-500"):"text-gray-600 hover:text-gray-800 dark:text-gray-400 hover:dark:text-gray-200",e.hasErrors?"!text-red-500":""],"tab-item"]),dusk:`${e.attribute}-tab-trigger`},[(0,o.createElementVNode)("span",y,(0,o.toDisplayString)(e.meta.name),1)],10,g)])),_:2},1032,["disabled"])))),128))])),_:1},8,["aria-label"]),(0,o.createVNode)((0,o.unref)(a.T2),null,{default:(0,o.withCtx)((()=>[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(c(n.value),((i,l)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(a.Kp),{key:l,label:i.name,dusk:`${i.attribute}-tab-content`,class:(0,o.normalizeClass)([i.attribute,"tab fields-tab"]),unmount:!1},{default:(0,o.withCtx)((()=>[((0,o.openBlock)(),(0,o.createBlock)(o.KeepAlive,null,[(0,o.createElementVNode)("div",b,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(i.fields,((l,a)=>((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:a},[l.from?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(u(l)),{key:0,field:l,"form-unique-id":e.formUniqueId,errors:e.validationErrors,"resource-name":t.resourceName,"resource-id":t.resourceId,"related-resource-name":t.relatedResourceName,"related-resource-id":t.relatedResourceId,"shown-via-new-relation-modal":t.shownViaNewRelationModal,"via-resource":t.viaResource,"via-resource-id":t.viaResourceId,"via-relationship":t.viaRelationship,onFieldChanged:r[0]||(r[0]=e=>t.$emit("field-changed")),onFieldShown:i.visibleFieldsForPanel.handleFieldShown,onFieldHidden:i.visibleFieldsForPanel.handleFieldHidden,onFileDeleted:r[1]||(r[1]=e=>t.$emit("update-last-retrieved-at-timestamp")),onFileUploadStarted:r[2]||(r[2]=e=>t.$emit("file-upload-started")),onFileUploadFinished:r[3]||(r[3]=e=>t.$emit("file-upload-finished")),"show-help-text":null!=l.helpText,class:(0,o.normalizeClass)({"remove-bottom-border":a===i.fields.length-1})},null,40,["field","form-unique-id","errors","resource-name","resource-id","related-resource-name","related-resource-id","shown-via-new-relation-modal","via-resource","via-resource-id","via-relationship","onFieldShown","onFieldHidden","show-help-text","class"])),l.from?((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(u(l)),{key:1,field:l,"form-unique-id":t.relationFormUniqueId,errors:e.validationErrors,"resource-name":l.resourceName,"resource-id":h(l),"via-resource":l.from.viaResource,"via-resource-id":l.from.viaResourceId,"via-relationship":l.from.viaRelationship,onFieldChanged:r[4]||(r[4]=e=>t.$emit("field-changed")),onFieldShown:i.visibleFieldsForPanel.handleFieldShown,onFieldHidden:i.visibleFieldsForPanel.handleFieldHidden,onFileDeleted:r[5]||(r[5]=e=>t.$emit("update-last-retrieved-at-timestamp")),onFileUploadStarted:r[6]||(r[6]=e=>t.$emit("file-upload-started")),onFileUploadFinished:r[7]||(r[7]=e=>t.$emit("file-upload-finished")),"show-help-text":null!=l.helpText,class:(0,o.normalizeClass)({"remove-bottom-border":a===i.fields.length-1})},null,40,["field","form-unique-id","errors","resource-name","resource-id","via-resource","via-resource-id","via-relationship","onFieldShown","onFieldHidden","show-help-text","class"])):(0,o.createCommentVNode)("",!0)],64)))),128))])],1024))])),_:2},1032,["label","dusk","class"])))),128))])),_:1})])),_:1})],2)],8,f)}}};const w=(0,r(66262).A)(k,[["__file","TabsPanel.vue"]])},13868:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>w});var o=r(29726);const i={class:"space-y-4"},l={class:"flex items-center"},a=["dusk"];var n=r(74640),s=r(52191),c=r(25019),d=r(17039),u=r(76402),p=r(22308),h=r(35229),m=r(30043),f=r(56170),v=r.n(f);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 y(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?g(Object(r),!0).forEach((function(t){b(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):g(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function b(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const k={components:{Button:n.Button,PreviewResourceModal:p.default,SearchInputResult:u.default,TagList:d.default},mixins:[h.Gj,h.Bz,h._w],props:y({},(0,h.rr)(["resourceId"])),data:()=>({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):"")},getAvailableResources(e=""){this.loading=!0;const t={search:e,current:null,first:!1,withTrashed:!1};return(0,m.minimum)(s.A.fetchAvailableResources(this.resourceName,this.resourceId,this.currentField.resourceName,{params:y(y({},t),{},{component:this.currentField.component,viaRelationship:this.currentField.attribute})}).then((({data:{resources:e}})=>{this.tags=e})).finally((()=>{this.loading=!1})),250)},handleSetResource({id:e}){const t={search:"",current:e,first:!0};c.A.fetchAvailableResources(this.currentField.resourceName,{params:t}).then((({data:{resources:e}})=>{this.$refs.searchable.choose(v()(e))})).finally((()=>{this.closeRelationModal()}))},removeResource(e){this.$refs.searchable.remove(e)},openRelationModal(){this.relationModalOpen=!0},closeRelationModal(){this.relationModalOpen=!1}}};const w=(0,r(66262).A)(k,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("SearchInputResult"),u=(0,o.resolveComponent)("ComboBoxInput"),p=(0,o.resolveComponent)("Button"),h=(0,o.resolveComponent)("TagList"),m=(0,o.resolveComponent)("TagGroup"),f=(0,o.resolveComponent)("CreateRelationModal"),v=(0,o.resolveComponent)("DefaultField"),g=(0,o.resolveDirective)("tooltip");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)((()=>[(0,o.createElementVNode)("div",i,[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(u,{ref:"searchable",modelValue:e.value,"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),onInput:c.performSearch,error:e.hasError,debounce:e.field.debounce,options:e.tags,placeholder:"Search",autocomplete:e.currentField.autocomplete,trackBy:"value",disabled:e.currentlyIsReadonly,loading:e.loading,class:"w-full",dusk:`${e.field.resourceName}-search-input`},{option:(0,o.withCtx)((({dusk:t,selected:r,option:i})=>[(0,o.createVNode)(d,{option:i,selected:r,"with-subtitles":e.field.withSubtitles,dusk:t},null,8,["option","selected","with-subtitles","dusk"])])),_:1},8,["modelValue","onInput","error","debounce","options","autocomplete","disabled","loading","dusk"]),e.field.showCreateRelationButton?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,variant:"link",size:"small","leading-icon":"plus-circle",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)(h,{key:0,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),"group"===e.field.style?((0,o.openBlock)(),(0,o.createBlock)(m,{key:1,tags:e.value,onTagRemoved:t[2]||(t[2]=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,a)):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(f,{"resource-name":e.field.resourceName,show:e.field.showCreateRelationButton&&e.relationModalOpen,size:e.field.modalSize,onSetResource:c.handleSetResource,onCreateCancelled:t[3]||(t[3]=t=>e.relationModalOpen=!1)},null,8,["resource-name","show","size","onSetResource"])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","TagField.vue"]])},35841:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const i={class:"space-y-1"},l=["value","id","dusk","disabled","autocomplete","maxlength"],a=["id"],n=["value"];var s=r(35229);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?c(Object(r),!0).forEach((function(t){u(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):c(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function u(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const p={mixins:[s.Gj,s.IR,s._w],computed:{defaultAttributes(){return d({type:this.currentField.type||"text",class:this.errorClasses,min:this.currentField.min,max:this.currentField.max,step:this.currentField.step,pattern:this.currentField.pattern,placeholder:this.placeholder},this.suggestionsAttributes)},extraAttributes(){return d(d({},this.defaultAttributes),this.currentField.extraAttributes)}}};const h=(0,r(66262).A)(p,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("CharacterCounter"),p=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(p,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(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,autocomplete:e.currentField.autocomplete,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,n)))),128))],8,a)):(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"]])},75649:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const i={class:"space-y-1"},l=["id","value","maxlength","dusk"];var a=r(35229);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 s(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?n(Object(r),!0).forEach((function(t){c(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):n(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function c(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const d={mixins:[a._w,a.Gj],computed:{defaultAttributes(){return{rows:this.currentField.rows,class:this.errorClasses,placeholder:this.placeholder}},extraAttributes(){return s(s({},this.defaultAttributes),this.currentField.extraAttributes)}}};const u=(0,r(66262).A)(d,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("CharacterCounter"),d=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(d,{field:e.currentField,errors:e.errors,"full-width-content":e.fullWidthContent,"show-help-text":e.showHelpText},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(0,o.createElementVNode)("textarea",(0,o.mergeProps)(s.extraAttributes,{id:e.currentField.uniqueKey,value:e.value,maxlength:e.field.enforceMaxlength?e.field.maxlength:-1,onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),class:"w-full h-auto py-3 block form-control form-input form-control-bordered",dusk:e.field.attribute}),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"]])},98385:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);var i=r(35229);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 a(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const n={emits:["field-changed"],mixins:[i._w,i.Qy,i.Gj],data:()=>({trixIndex: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.trixIndex++},listenToValueChanges(e){this.trixIndex++}},computed:{extraAttributes(){return function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?l(Object(r),!0).forEach((function(t){a(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):l(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({placeholder:this.placeholder},this.currentField.extraAttributes)}}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,i,l,a){const n=(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.trixIndex,"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)(n,(0,o.mergeProps)(a.extraAttributes,{name:"trixman",value:e.value,"with-files":e.currentField.withFiles,disabled:e.currentlyIsReadonly,onChange:a.handleChange,onFileAdded:a.handleFileAdded,onFileRemoved:a.handleFileRemoved,class:["rounded-lg",{"form-control-bordered-error":e.hasError}]}),null,16,["value","with-files","disabled","onChange","onFileAdded","onFileRemoved","class"])],2)])),_:1},8,["field","errors","full-width-content","show-help-text"])}],["__file","TrixField.vue"]])},54185:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const i=["id","value","disabled","list","autocomplete","dusk"],l=["id"],a=["value"];var n=r(35229);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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?s(Object(r),!0).forEach((function(t){d(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):s(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function d(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u={mixins:[n._w,n.Gj],computed:{defaultAttributes(){return{type:this.currentField.type||"text",min:this.currentField.min,max:this.currentField.max,step:this.currentField.step,pattern:this.currentField.pattern,placeholder:this.placeholder,class:this.errorClasses}},extraAttributes(){return c(c({},this.defaultAttributes),this.currentField.extraAttributes)}}};const p=(0,r(66262).A)(u,[["render",function(e,t,r,n,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)("input",(0,o.mergeProps)(c.extraAttributes,{id:e.currentField.uniqueKey,type:"url",value:e.value,onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),disabled:e.currentlyIsReadonly,list:`${e.field.attribute}-list`,class:"w-full form-control form-input form-control-bordered",autocomplete:e.currentField.autocomplete,dusk:e.field.attribute}),null,16,i),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,a)))),128))],8,l)):(0,o.createCommentVNode)("",!0)])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","UrlField.vue"]])},16192:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(22988).default,computed:{isVaporField:()=>!0}};const i=(0,r(66262).A)(o,[["__file","VaporAudioField.vue"]])},50531:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(22988).default,computed:{isVaporField:()=>!0}};const i=(0,r(66262).A)(o,[["__file","VaporFileField.vue"]])},43032:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i=["src"];const l={mixins:[r(35229).S0],props:["viaResource","viaResourceId","resourceName","field"],computed:{hasPreviewableAudio(){return null!=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 a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)([n.alignmentClass,"flex"])},[n.hasPreviewableAudio?((0,o.openBlock)(),(0,o.createElementBlock)("audio",(0,o.mergeProps)({key:0},n.defaultAttributes,{class:"rounded rounded-full",src:r.field.previewUrl,controls:"",controlslist:"nodownload"}),null,16,i)):((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:1,class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},"—",2))],2)}],["__file","AudioField.vue"]])},51086:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={key:0,class:"mr-1 -ml-1"};const l={components:{Icon:r(74640).Icon},props:["resourceName","viaResource","viaResourceId","field"]};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){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",i,[(0,o.createVNode)(s,{name:r.field.icon,type:"solid",class:"inline-block"},null,8,["name"])])):(0,o.createCommentVNode)("",!0)])),_:1},8,["label","extra-classes"])])}],["__file","BadgeField.vue"]])},99723:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:0},l={key:1},a={key:2},n={__name:"BelongsToField",props:{resource:{type:Object},resourceName:{type:String},field:{type:Object}},setup:e=>(t,r)=>{const n=(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",i,[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)(n,{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)(n,{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",a,"—"))])],2)}};const s=(0,r(66262).A)(n,[["__file","BelongsToField.vue"]])},95915:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["resourceName","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("IconBoolean");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[(0,o.createVNode)(n,{value:r.field.value,nullable:r.field.nullable,class:"inline-block"},null,8,["value","nullable"])],2)}],["__file","BooleanField.vue"]])},55371:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:0,class:"max-w-xxs space-y-2 py-3 px-4"},l={class:"ml-1"},a={key:1,class:"max-w-xxs space-2 py-3 px-4 rounded-full text-sm leading-tight"};const n={components:{Button:r(74640).Button},props:["resourceName","field"],data:()=>({value:[],classes:{true:"text-green-500",false:"text-red-500"}}),created(){this.field.value=this.field.value||{},this.value=this.field.options.filter((e=>(!0!==this.field.hideFalseValues||!1!==e.checked)&&(!0!==this.field.hideTrueValues||!0!==e.checked))).map((e=>({name:e.name,label:e.label,checked:this.field.value[e.name]||!1})))}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("Button"),u=(0,o.resolveComponent)("IconBoolean"),p=(0,o.resolveComponent)("DropdownMenu"),h=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[(0,o.createVNode)(h,null,{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(p,{width:"auto"},{default:(0,o.withCtx)((()=>[e.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("ul",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.value,((t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("li",{key:r,class:(0,o.normalizeClass)(["flex items-center rounded-full font-bold text-sm leading-tight space-x-2",e.classes[t.checked]])},[(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)))),128))])):((0,o.openBlock)(),(0,o.createElementBlock)("span",a,(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"]])},84706:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"rounded inline-flex items-center justify-center border border-60",style:{borderRadius:"4px",padding:"2px"}};const l={props:["resourceName","field"]};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[(0,o.createElementVNode)("span",i,[(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"]])},41129:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["innerHTML"],l={key:1},a={key:1};const n={mixins:[r(35229).S0],props:["resourceName","field"]};const s=(0,r(66262).A)(n,[["render",function(e,t,r,n,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,i)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(e.fieldValue),1))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",a,"—"))])}],["__file","CurrencyField.vue"]])},81871:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:0,class:"whitespace-nowrap"},l={key:1};var a=r(91272);const n={mixins:[r(35229).S0],props:["resourceName","field"],computed:{formattedDate(){if(this.field.usesCustomizedDisplay)return this.field.displayedAs;return a.c9.fromISO(this.field.value).toLocaleString({year:"numeric",month:"2-digit",day:"2-digit"})}}};const s=(0,r(66262).A)(n,[["render",function(e,t,r,a,n,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",i,(0,o.toDisplayString)(s.formattedDate),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—"))],2)])}],["__file","DateField.vue"]])},9952:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["title"],l={key:1};var a=r(91272);const n={mixins:[r(35229).S0],props:["resourceName","field"],computed:{formattedDate(){return this.usesCustomizedDisplay?this.field.displayedAs:a.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)(n,[["render",function(e,t,r,a,n,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,i)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—"))],2)}],["__file","DateTimeField.vue"]])},13785:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={key:0,class:"flex items-center"},l=["href"],a={key:1};var n=r(35229);const s={mixins:[n.nl,n.S0],props:["resourceName","field"],methods:{copy(){this.copyValueToClipboard(this.field.value)}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,n,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",i,[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",a,"—"))],2)}],["__file","EmailField.vue"]])},48242:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={key:1,class:"break-words"};const l={mixins:[r(35229).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 a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){const s=(0,o.resolveComponent)("ImageLoader"),c=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)([n.alignmentClass,"flex"])},[n.shouldShowLoader?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,src:n.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&&!n.imageUrl?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("span",i,[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.displayedAs),1)])),[[c,r.field.value]]):(0,o.createCommentVNode)("",!0),e.usesCustomizedDisplay||n.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}`)},t[0]||(t[0]=[(0,o.createTextVNode)(" — ")]),2)),[[c,r.field.value]])],2)}],["__file","FileField.vue"]])},81173:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["field","viaResource","viaResourceId","resourceName"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){return(0,o.openBlock)(),(0,o.createElementBlock)("span")}],["__file","HeadingField.vue"]])},76439:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const i={class:"hidden"};const l={props:["resourceName","field"]};const a=(0,r(66262).A)(l,[["render",function(e,t,r,l,a,n){return(0,o.openBlock)(),(0,o.createElementBlock)("div",i)}],["__file","HiddenField.vue"]])},21451:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={key:1},l={key:2};const a={mixins:[r(35229).S0],props:["resource","resourceName","field"],computed:{isPivot(){return null!=this.field.pivotValue},authorizedToView(){return this.resource?.authorizedToView??!1}}};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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",i,(0,o.toDisplayString)(r.field.pivotValue||e.fieldValue),1)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))],2)}],["__file","IdField.vue"]])},24549:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i=["innerHTML"],l={key:1};const a={mixins:[r(35229).S0],props:["resourceName","field"]};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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,i)):((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"]])},25736:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={key:1},l={key:2};const a={props:["resourceName","viaResource","viaResourceId","field"],computed:{isResourceBeingViewed(){return this.field.morphToType==this.viaResource&&this.field.morphToId==this.viaResourceId}}};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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",i,(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"]])},59219:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i={key:0},l={key:1},a={key:2},n={__name:"MorphToField",props:{resource:{type:Object},resourceName:{type:String},field:{type:Object}},setup:e=>(t,r)=>{const n=(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",i,[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)(n,{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)(n,{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",a,"—"))])],2)}};const s=(0,r(66262).A)(n,[["__file","MorphToField.vue"]])},8947:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i=["textContent"],l={key:1};const a={mixins:[r(35229).S0],props:["resourceName","field"],computed:{hasValues(){return this.fieldValues.length>0},fieldValues(){let e=[];return this.field.options.forEach((t=>{this.isEqualsToValue(t.value)&&e.push(t.label)})),e}}};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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,i)))),256)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))])}],["__file","MultiSelectField.vue"]])},46750:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const i={props:["resourceName","field"]};const l=(0,r(66262).A)(i,[["render",function(e,t,r,i,l,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},t[0]||(t[0]=[(0,o.createElementVNode)("span",{class:"font-bold"}," · · · · · · · · ",-1)]),2)}],["__file","PasswordField.vue"]])},61775:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const i=["innerHTML"],l={key:1,class:"whitespace-nowrap"},a={key:1};const n={mixins:[r(35229).S0],props:["resourceName","field"]};const s=(0,r(66262).A)(n,[["render",function(e,t,r,n,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,i)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(e.fieldValue),1))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",a,"—"))],2)}],["__file","SelectField.vue"]])},42212:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(89250).default};const i=(0,r(66262).A)(o,[["__file","SlugField.vue"]])},46086:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={key:0};var l=r(27717);r(27554);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(){const e=this.chartStyle;this.chartist=new e(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)&&"line"!==e?l.Es:l.bl},chartHeight(){return this.field.height||50},chartWidth(){return this.field.width||100}}};const n=(0,r(66262).A)(a,[["render",function(e,t,r,l,a,n){return n.hasData?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("div",{ref:"chart",class:"ct-chart",style:(0,o.normalizeStyle)({width:n.chartWidth,height:n.chartHeight})},null,4)])):(0,o.createCommentVNode)("",!0)}],["__file","SparklineField.vue"]])},95328:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={key:0,class:"leading-normal"},l={key:1};const a={props:["resourceName","field"],computed:{hasValue(){return this.field.lines}}};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,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",i,[((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"]])},7187:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i={class:"flex items-center"},l={class:"mr-1 -ml-1"};var a=r(74640),n=r(35229);const s={components:{Icon:a.Icon},mixins:[n.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 c=(0,r(66262).A)(s,[["render",function(e,t,r,a,n,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",i,[(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,name:"exclamation-circle",type:"solid"})):(0,o.createCommentVNode)("",!0),"success"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(d,{key:2,name:"check-circle",type:"solid"})):(0,o.createCommentVNode)("",!0)]),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.fieldValue),1)])),_:1},8,["class"])])}],["__file","StatusField.vue"]])},25565:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});var o=r(29726);const i={class:"p-2"},l={key:1};const a={components:{Button:r(74640).Button},props:["index","resource","resourceName","resourceId","field"]};const n=(0,r(66262).A)(a,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("Button"),d=(0,o.resolveComponent)("TagList"),u=(0,o.resolveComponent)("TagGroup"),p=(0,o.resolveComponent)("DropdownMenu"),h=(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)(h,{key:0},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(p,{width:"auto"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,["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"]])},89250:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const i={key:1,class:"whitespace-nowrap"},l=["innerHTML"],a={key:3},n={key:1};var s=r(35229);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"),p=(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"])),[[p,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",a,"—")):((0,o.openBlock)(),(0,o.createElementBlock)("span",i,(0,o.toDisplayString)(e.fieldValue),1))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",n,"—"))],2)}],["__file","TextField.vue"]])},51466:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const i=["innerHTML"],l={key:1,class:"whitespace-nowrap"},a=["href"],n={key:1};const s={mixins:[r(35229).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,i)):((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,a)]))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",n,"—"))],2)}],["__file","UrlField.vue"]])},35656:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(43032).default};const i=(0,r(66262).A)(o,[["__file","VaporAudioField.vue"]])},22104:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(48242).default};const i=(0,r(66262).A)(o,[["__file","VaporFileField.vue"]])},64087:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});const o={extends:r(7746).default,data:()=>({showActionDropdown:!1})};const i=(0,r(66262).A)(o,[["__file","HasOneField.vue"]])},3526:(e,t,r)=>{"use strict";r.d(t,{A:()=>n});var o=r(29726);const i={class:"py-6 px-1 md:px-2 lg:px-6"},l={class:"mx-auto py-8 max-w-sm flex justify-center"},a=Object.assign({name:"Auth"},{__name:"Auth",setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("AppLogo");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(r,{class:"h-8"})]),(0,o.renderSlot)(e.$slots,"default")])}});const n=(0,r(66262).A)(a,[["__file","Auth.vue"]])},28162:(e,t,r)=>{"use strict";r.d(t,{A:()=>l});var o=r(29726);const i=Object.assign({name:"Guest"},{__name:"Guest",setup:e=>(e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.renderSlot)(e.$slots,"default")]))});const l=(0,r(66262).A)(i,[["__file","Guest.vue"]])},36653:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(29726),i=r(28162);const l=Object.assign({name:"AppErrorPage",layout:i.A},{__name:"AppError",setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("CustomAppError");return(0,o.openBlock)(),(0,o.createBlock)(r)}});const a=(0,r(66262).A)(l,[["__file","AppError.vue"]])},35694:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(29726);var i=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,i.L)()})};const a=(0,r(66262).A)(l,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("AttachResource");return(0,o.openBlock)(),(0,o.createBlock)(n,{"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"]])},32987:(e,t,r)=>{"use strict";r.d(t,{A:()=>p});var o=r(29726);const i={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},a={class:"block mb-2"},n={class:"mb-6"},s=["placeholder"];var c=r(3526),d=r(74640);const u={layout:c.A,components:{Button:d.Button},data:()=>({form:Nova.form({password:""}),completed:!1}),methods:{async submit(){try{let{redirect:e}=await this.form.post(Nova.url("/user-security/confirm-password"));this.completed=!0;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."))}this.form.password="",this.$refs.passwordInput.focus()}}};const p=(0,r(66262).A)(u,[["render",function(e,t,r,c,d,u){const p=(0,o.resolveComponent)("Head"),h=(0,o.resolveComponent)("DividerLine"),m=(0,o.resolveComponent)("HelpText"),f=(0,o.resolveComponent)("Button");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(p,{title:e.__("Secure Area")},null,8,["title"]),(0,o.createElementVNode)("form",{onSubmit:t[1]||(t[1]=(0,o.withModifiers)(((...e)=>u.submit&&u.submit(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",i,(0,o.toDisplayString)(e.__("Secure Area")),1),(0,o.createVNode)(h),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("p",a,(0,o.toDisplayString)(e.__("This is a secure area of the application. Please confirm your password before continuing.")),1)]),(0,o.createElementVNode)("div",n,[(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=t=>e.form.password=t),ref:"passwordInput",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("password")}]),placeholder:e.__("Password"),type:"password",name:"password",required:"",autocomplete:"current-password",autofocus:""},null,10,s),[[o.vModelText,e.form.password]]),e.form.errors.has("password")?((0,o.openBlock)(),(0,o.createBlock)(m,{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.createVNode)(f,{class:"w-full flex justify-center",type:"submit",loading:e.form.processing,disabled:e.completed},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Confirm")),1)])),_:1},8,["loading","disabled"])],32)])}],["__file","ConfirmPassword.vue"]])},86796:(e,t,r)=>{"use strict";r.d(t,{A:()=>n});var o=r(29726),i=r(35229),l=r(3056);const a=Object.assign({name:"Create"},{__name:"Create",props:(0,i.rr)(["resourceName","viaResource","viaResourceId","viaRelationship"]),setup:e=>(e,t)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(l.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"]))});const n=(0,r(66262).A)(a,[["__file","Create.vue"]])},95008:(e,t,r)=>{"use strict";r.d(t,{A:()=>p});var o=r(29726);const i={key:0,class:"flex items-center"},l={key:1};var a=r(74640),n=r(30043);const s={components:{Icon:a.Icon},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,n.minimum)(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 c=r(66262);const d=(0,c.A)(s,[["render",function(e,t,r,a,n,s){const c=(0,o.resolveComponent)("Head"),d=(0,o.resolveComponent)("Heading"),u=(0,o.resolveComponent)("Icon"),p=(0,o.resolveComponent)("Cards"),h=(0,o.resolveComponent)("LoadingView"),m=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createBlock)(h,{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",i,[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,{name:"refresh",type:"mini",class:"!w-3 !h-3 text-gray-500 dark:text-gray-400"},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)(p,{key:0,dashboard:r.name,cards:e.cards},null,8,["dashboard","cards"])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["loading","dusk"])}],["__file","Dashboard.vue"]]),u=Object.assign({name:"Dashboard"},{__name:"Dashboard",props:{name:{type:String,required:!1,default:"main"}},setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(d),{name:e.name},null,8,["name"]))}),p=(0,c.A)(u,[["__file","Dashboard.vue"]])},46351:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(29726),i=r(35229);const l=Object.assign({name:"Detail"},{__name:"Detail",props:(0,i.rr)(["resourceName","resourceId"]),setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("ResourceDetail");return(0,o.openBlock)(),(0,o.createBlock)(r,{resourceName:e.resourceName,resourceId:e.resourceId,shouldOverrideMeta:!0,shouldEnableShortcut:!0},null,8,["resourceName","resourceId"])}});const a=(0,r(66262).A)(l,[["__file","Detail.vue"]])},48199:(e,t,r)=>{"use strict";r.d(t,{A:()=>d});var o=r(29726);const i={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},a={class:"block mb-2"};var n=r(3526),s=r(74640);const c={layout:n.A,components:{Button:s.Button},props:{status:{type:String}},data(){return{form:Nova.form({}),verificationStatus:this.status}},watch:{status(e){this.verificationStatus=e},verificationStatus(e){"verification-link-sent"===e&&Nova.$toasted.show(this.__("A new verification link has been sent to the email address you provided in your profile settings."),{duration:null,type:"success"})}},methods:{async submit(){let{status:e}=await this.form.post(Nova.url("/email/verification-notification"));this.verificationStatus=e}},computed:{completed(){return"verification-link-sent"===this.verificationStatus}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("Head"),u=(0,o.resolveComponent)("DividerLine"),p=(0,o.resolveComponent)("Button");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(d,{title:e.__("Email Verification")},null,8,["title"]),(0,o.createElementVNode)("form",{onSubmit:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>c.submit&&c.submit(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",i,(0,o.toDisplayString)(e.__("Email Verification")),1),(0,o.createVNode)(u),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("p",a,(0,o.toDisplayString)(e.__("Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.")),1)]),(0,o.createVNode)(p,{type:"submit",loading:s.form.processing,disabled:c.completed,class:"w-full flex justify-center"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Resend Verification Email")),1)])),_:1},8,["loading","disabled"])],32)])}],["__file","EmailVerification.vue"]])},17922:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(29726),i=r(28162);const l=Object.assign({name:"Error403Page",layout:i.A},{__name:"Error403",setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("CustomError403");return(0,o.openBlock)(),(0,o.createBlock)(r)}});const a=(0,r(66262).A)(l,[["__file","Error403.vue"]])},47873:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(29726),i=r(28162);const l=Object.assign({name:"Error404Page",layout:i.A},{__name:"Error404",setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("CustomError404");return(0,o.openBlock)(),(0,o.createBlock)(r)}});const a=(0,r(66262).A)(l,[["__file","Error404.vue"]])},75203:(e,t,r)=>{"use strict";r.d(t,{A:()=>d});var o=r(29726);const i={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},a={class:"block mb-2",for:"email"};var n=r(3526),s=r(74640);const c={layout:n.A,components:{Button:s.Button},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,n,s,c){const d=(0,o.resolveComponent)("Head"),u=(0,o.resolveComponent)("DividerLine"),p=(0,o.resolveComponent)("HelpText"),h=(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",i,(0,o.toDisplayString)(e.__("Forgot your password?")),1),(0,o.createVNode)(u),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("label",a,(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)(["w-full form-control form-input form-control-bordered",{"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)(p,{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)(h,{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"]])},85915:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(29726),i=r(35229);const l=Object.assign({name:"Index"},{__name:"Index",props:(0,i.rr)(["resourceName"]),setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(r,{resourceName:e.resourceName,shouldOverrideMeta:!0,shouldEnableShortcut:!0,collapsable:!1},null,8,["resourceName"])}});const a=(0,r(66262).A)(l,[["__file","Index.vue"]])},79714:(e,t,r)=>{"use strict";r.d(t,{A:()=>y});var o=r(29726),i=r(35229);const l={key:2,class:"flex items-center mb-6"};var a=r(53110),n=r(30043),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<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?c(Object(r),!0).forEach((function(t){u(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):c(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function u(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const p={mixins:[i.k6,i.Tu,i.Nw,i.dn,i.Kx,i.Ye,i.XJ,i.IJ],name:"Lens",props:{lens:{type:String,required:!0},searchable:{type:Boolean,required:!0}},data:()=>({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,n.minimum)(Nova.request().get("/nova-api/"+this.resourceName+"/lens/"+this.lens,{params:this.resourceRequestQueryString,cancelToken:new a.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=Boolean(e.hasId),this.handleResourcesLoaded()})).catch((e=>{if(!(0,a.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 a.qm((e=>{this.actionCanceller=e}))}).then((e=>{this.actions=e.data.actions,this.pivotActions=e.data.pivotActions,this.resourceHasSoleActions=e.data.counts.sole>0,this.resourceHasActions=e.data.counts.resource>0})).catch((e=>{if(!(0,a.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,n.minimum)(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&&this.resourceHasId},lensActionEndpoint(){return`/nova-api/${this.resourceName}/lens/${this.lens}/action`},cardsEndpoint(){return`/nova-api/${this.resourceName}/lens/${this.lens}/cards`},canShowDeleteMenu(){return this.resourceHasId&&Boolean(this.authorizedToDeleteSelectedResources||this.authorizedToForceDeleteSelectedResources||this.authorizedToDeleteAnyResources||this.authorizedToForceDeleteAnyResources||this.authorizedToRestoreSelectedResources||this.authorizedToRestoreAnyResources)},lensName(){if(this.resourceResponse)return this.resourceResponse.name}}};var h=r(66262);const m=(0,h.A)(p,[["render",function(e,t,r,i,a,n){const s=(0,o.resolveComponent)("Head"),c=(0,o.resolveComponent)("Cards"),d=(0,o.resolveComponent)("Heading"),u=(0,o.resolveComponent)("IndexSearchInput"),p=(0,o.resolveComponent)("ActionDropdown"),h=(0,o.resolveComponent)("ResourceTableToolbar"),m=(0,o.resolveComponent)("IndexErrorDialog"),f=(0,o.resolveComponent)("IndexEmptyDialog"),v=(0,o.resolveComponent)("ResourceTable"),g=(0,o.resolveComponent)("ResourcePagination"),y=(0,o.resolveComponent)("LoadingView"),b=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createBlock)(y,{loading:e.initialLoading,dusk:r.lens+"-lens-component"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{title:n.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)(n.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,modelValue:e.search,"onUpdate:modelValue":t[0]||(t[0]=t=>e.search=t)},null,8,["searchable","modelValue"])):(0,o.createCommentVNode)("",!0),e.availableStandaloneActions.length>0?((0,o.openBlock)(),(0,o.createBlock)(p,{key:1,onActionExecuted:t[1]||(t[1]=()=>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:n.lensActionEndpoint},null,8,["resource-name","actions","selected-resources","endpoint"])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(b,null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)(h,{"actions-endpoint":n.lensActionEndpoint,"action-query-string":n.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":n.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.shouldShowSelectAllCheckboxes,"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)(y,{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:n.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)(f,{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)(v,{"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":n.actionsAreAvailable,"actions-endpoint":n.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:n.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":n.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"]]);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 v(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const g=Object.assign({name:"Lens"},{__name:"Lens",props:function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?f(Object(r),!0).forEach((function(t){v(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):f(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({lens:{type:String,required:!0},searchable:{type:Boolean,default:!1}},(0,i.rr)(["resourceName"])),setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(m),{resourceName:t.resourceName,lens:e.lens,searchable:e.searchable},null,8,["resourceName","lens","searchable"]))}),y=(0,h.A)(g,[["__file","Lens.vue"]])},6511:(e,t,r)=>{"use strict";r.d(t,{A:()=>v});var o=r(29726);const i={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},a={class:"block mb-2",for:"username"},n=["type","name"],s={class:"mb-6"},c={class:"block mb-2",for:"password"},d={class:"flex mb-6"},u={key:0,class:"ml-auto"},p=["href","textContent"];var h=r(3526),m=r(74640);const f={name:"LoginPage",layout:h.A,components:{Checkbox:m.Checkbox,Button:m.Button},props:{username:{type:String,default:"email"},email:{type:String,default:"email"}},data(){return{form:Nova.form({[this.username]:"",password:"",remember:!1})}},methods:{async attempt(){try{const{redirect:e,two_factor:t}=await this.form.post(Nova.url("/login"));let r={url:Nova.url("/"),remote:!0};!0===t?r={url:Nova.url("/user-security/two-factor-challenge"),remote:!1}:null!=e&&(r={url:e,remote:!0}),Nova.visit(r)}catch(e){500===e.response?.status&&Nova.error(this.__("There was a problem submitting the form."))}}},computed:{usernameLabel(){return this.username===this.email?"Email Address":"Username"},usernameInputType(){return this.username===this.email?"email":"text"},supportsPasswordReset:()=>Nova.config("withPasswordReset"),forgotPasswordPath:()=>Nova.config("forgotPasswordPath")}};const v=(0,r(66262).A)(f,[["render",function(e,t,r,h,m,f){const v=(0,o.resolveComponent)("Head"),g=(0,o.resolveComponent)("DividerLine"),y=(0,o.resolveComponent)("HelpText"),b=(0,o.resolveComponent)("Checkbox"),k=(0,o.resolveComponent)("Link"),w=(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)=>f.attempt&&f.attempt(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 max-w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",i,(0,o.toDisplayString)(e.__("Welcome Back!")),1),(0,o.createVNode)(g),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("label",a,(0,o.toDisplayString)(e.__(f.usernameLabel)),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=e=>m.form[r.username]=e),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",{"form-control-bordered-error":m.form.errors.has(r.username)}]),id:"username",type:f.usernameInputType,name:r.username,autofocus:"",autocomplete:"username",required:""},null,10,n),[[o.vModelDynamic,m.form[r.username]]]),m.form.errors.has(r.username)?((0,o.openBlock)(),(0,o.createBlock)(y,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(m.form.errors.first(r.username)),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",s,[(0,o.createElementVNode)("label",c,(0,o.toDisplayString)(e.__("Password")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[1]||(t[1]=e=>m.form.password=e),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",{"form-control-bordered-error":m.form.errors.has("password")}]),id:"password",type:"password",name:"password",autocomplete:"current-password",required:""},null,2),[[o.vModelText,m.form.password]]),m.form.errors.has("password")?((0,o.openBlock)(),(0,o.createBlock)(y,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(m.form.errors.first("password")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",d,[(0,o.createVNode)(b,{onChange:t[2]||(t[2]=()=>m.form.remember=!m.form.remember),"model-value":m.form.remember,dusk:"remember-button",label:e.__("Remember me")},null,8,["model-value","label"]),f.supportsPasswordReset||!1!==f.forgotPasswordPath?((0,o.openBlock)(),(0,o.createElementBlock)("div",u,[!1===f.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:f.forgotPasswordPath,class:"text-gray-500 font-bold no-underline",textContent:(0,o.toDisplayString)(e.__("Forgot your password?"))},null,8,p))])):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(w,{class:"w-full flex justify-center",type:"submit",loading:m.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"]])},73464:(e,t,r)=>{"use strict";r.d(t,{A:()=>n});var o=r(29726),i=r(35229),l=r(3056);const a=Object.assign({name:"Replicate",extends:l.A},{__name:"Replicate",props:(0,i.rr)(["resourceName","resourceId"]),setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("CreateForm");return(0,o.openBlock)(),(0,o.createBlock)(r,{mode:"form","resource-name":e.resourceName,"from-resource-id":e.resourceId,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"should-override-meta":"","form-unique-id":e.formUniqueId,onResourceCreated:e.handleResourceCreated,onCreateCancelled:e.cancelCreatingResource,onUpdateFormStatus:e.onUpdateFormStatus},null,8,["resource-name","from-resource-id","via-resource","via-resource-id","via-relationship","form-unique-id","onResourceCreated","onCreateCancelled","onUpdateFormStatus"])}});const n=(0,r(66262).A)(a,[["__file","Replicate.vue"]])},74234:(e,t,r)=>{"use strict";r.d(t,{A:()=>g});var o=r(29726),i=r(3526),l=r(74640),a=r(12215),n=r.n(a),s=r(65835);const c={class:"text-2xl text-center font-normal mb-6"},d={class:"mb-6"},u={class:"block mb-2",for:"email"},p={class:"mb-6"},h={class:"block mb-2",for:"password"},m={class:"mb-6"},f={class:"block mb-2",for:"password_confirmation"},v=Object.assign({layout:i.A},{__name:"ResetPassword",props:{email:{type:String,required:!1},token:{type:String,required:!0}},setup(e){const t=e,r=(0,o.reactive)(Nova.form({email:t.email,password:"",password_confirmation:"",token:t.token})),{__:i}=(0,s.B)();async function a(){const{message:e}=await r.post(Nova.url("/password/reset")),t={url:Nova.url("/"),remote:!0};n().set("token",Math.random().toString(36),{expires:365}),Nova.$toasted.show(e,{action:{onClick:()=>Nova.visit(t),text:i("Reload")},duration:null,type:"success"}),setTimeout((()=>Nova.visit(t)),5e3)}return(e,t)=>{const n=(0,o.resolveComponent)("Head"),s=(0,o.resolveComponent)("DividerLine"),v=(0,o.resolveComponent)("HelpText");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(n,{title:(0,o.unref)(i)("Reset Password")},null,8,["title"]),(0,o.createElementVNode)("form",{onSubmit:(0,o.withModifiers)(a,["prevent"]),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",c,(0,o.toDisplayString)((0,o.unref)(i)("Reset Password")),1),(0,o.createVNode)(s),(0,o.createElementVNode)("div",d,[(0,o.createElementVNode)("label",u,(0,o.toDisplayString)((0,o.unref)(i)("Email Address")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=e=>r.email=e),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",{"form-control-bordered-error":r.errors.has("email")}]),id:"email",type:"email",name:"email",required:"",autofocus:""},null,2),[[o.vModelText,r.email]]),r.errors.has("email")?((0,o.openBlock)(),(0,o.createBlock)(v,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.errors.first("email")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",p,[(0,o.createElementVNode)("label",h,(0,o.toDisplayString)((0,o.unref)(i)("Password")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[1]||(t[1]=e=>r.password=e),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",{"form-control-bordered-error":r.errors.has("password")}]),id:"password",type:"password",name:"password",required:""},null,2),[[o.vModelText,r.password]]),r.errors.has("password")?((0,o.openBlock)(),(0,o.createBlock)(v,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.errors.first("password")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",m,[(0,o.createElementVNode)("label",f,(0,o.toDisplayString)((0,o.unref)(i)("Confirm Password")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[2]||(t[2]=e=>r.password_confirmation=e),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",{"form-control-bordered-error":r.errors.has("password_confirmation")}]),id:"password_confirmation",type:"password",name:"password_confirmation",required:""},null,2),[[o.vModelText,r.password_confirmation]]),r.errors.has("password_confirmation")?((0,o.openBlock)(),(0,o.createBlock)(v,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.errors.first("password_confirmation")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)((0,o.unref)(l.Button),{class:"w-full flex justify-center",type:"submit",loading:r.processing},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)((0,o.unref)(i)("Reset Password")),1)])),_:1},8,["loading"])],32)])}}});const g=(0,r(66262).A)(v,[["__file","ResetPassword.vue"]])},19791:(e,t,r)=>{"use strict";r.d(t,{A:()=>v});var o=r(29726);const i={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},a={class:"block mb-2"},n={key:0,class:"mb-6"},s={class:"block mb-2",for:"code"},c={key:1,class:"mb-6"},d={class:"block mb-2",for:"recovery_code"},u={class:"flex mb-6"},p={class:"ml-auto"};var h=r(3526),m=r(74640);const f={layout:h.A,components:{Button:m.Button},data:()=>({form:Nova.form({code:"",recovery_code:""}),recovery:!1,completed:!1}),watch:{recovery(e){this.$nextTick((()=>{e?(this.$refs.recoveryCodeInput.focus(),this.form.code=""):(this.$refs.codeInput.focus(),this.form.recovery_code="")}))}},methods:{async attempt(){try{const{redirect:e}=await this.form.post(Nova.url("/user-security/two-factor-challenge"));this.completed=!0;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."))}},async toggleRecovery(){this.recovery^=!0}}};const v=(0,r(66262).A)(f,[["render",function(e,t,r,h,m,f){const v=(0,o.resolveComponent)("Head"),g=(0,o.resolveComponent)("DividerLine"),y=(0,o.resolveComponent)("HelpText"),b=(0,o.resolveComponent)("Button");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(v,{title:e.__("Two-factor Confirmation")},null,8,["title"]),(0,o.createElementVNode)("form",{onSubmit:t[2]||(t[2]=(0,o.withModifiers)(((...e)=>f.attempt&&f.attempt(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",i,(0,o.toDisplayString)(e.__("Two-factor Confirmation")),1),(0,o.createVNode)(g),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("p",a,(0,o.toDisplayString)(e.__(e.recovery?"Please confirm access to your account by entering one of your emergency recovery codes.":"Please confirm access to your account by entering the authentication code provided by your authenticator application.")),1)]),e.recovery?((0,o.openBlock)(),(0,o.createElementBlock)("div",c,[(0,o.createElementVNode)("label",d,(0,o.toDisplayString)(e.__("Recovery Code")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{ref:"recoveryCodeInput","onUpdate:modelValue":t[1]||(t[1]=t=>e.form.recovery_code=t),id:"recovery_code",type:"text",name:"recovery_code",autocomplete:"one-time-code",autofocus:"",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("code")}])},null,2),[[o.vModelText,e.form.recovery_code]]),e.form.errors.has("recovery_code")?((0,o.openBlock)(),(0,o.createBlock)(y,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.form.errors.first("recovery_code")),1)])),_:1})):(0,o.createCommentVNode)("",!0)])):((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("label",s,(0,o.toDisplayString)(e.__("Code")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{ref:"codeInput","onUpdate:modelValue":t[0]||(t[0]=t=>e.form.code=t),id:"code",type:"text",name:"code",inputmode:"numeric",autocomplete:"one-time-code",autofocus:"",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("code")}])},null,2),[[o.vModelText,e.form.code]]),e.form.errors.has("code")?((0,o.openBlock)(),(0,o.createBlock)(y,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.form.errors.first("code")),1)])),_:1})):(0,o.createCommentVNode)("",!0)])),(0,o.createElementVNode)("div",u,[(0,o.createElementVNode)("div",p,[(0,o.createVNode)(b,{type:"button",variant:"ghost",onClick:(0,o.withModifiers)(f.toggleRecovery,["prevent"]),class:"text-gray-500 font-bold no-underline"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__(e.recovery?"Use a recovery code":"Use an authentication code")),1)])),_:1},8,["onClick"])])]),(0,o.createVNode)(b,{loading:e.form.processing,disabled:e.completed,type:"submit",class:"w-full flex justify-center"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Log In")),1)])),_:1},8,["loading","disabled"])],32)])}],["__file","TwoFactorChallenge.vue"]])},59856:(e,t,r)=>{"use strict";r.d(t,{A:()=>k});var o=r(29726);const i=["data-form-unique-id"],l={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 n=r(74640),s=r(35229),c=r(66278),d=r(15101),u=r.n(d);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 h(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?p(Object(r),!0).forEach((function(t){m(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):p(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}function m(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const f={components:{Button:n.Button},mixins:[s.B5,s.qR,s.Ye,s.rd],provide(){return{removeFile:this.removeFile}},props:(0,s.rr)(["resourceName","resourceId","viaResource","viaResourceId","viaRelationship"]),data:()=>({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()},methods:h(h({},(0,c.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,await this.updateResource()},async submitViaUpdateResourceAndContinueEditing(e){e.preventDefault(),this.submittedViaUpdateResourceAndContinueEditing=!0,this.submittedViaUpdateResource=!1,await this.updateResource()},cancelUpdatingResource(){this.handleProceedingToPreviousPage(),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.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=>{Object.values(this.panels).forEach((t=>{Object.values(t.fields).forEach((t=>{t.fill(e)}))})),e.append("_method","PUT"),e.append("_retrieved_at",this.lastRetrievedAt)}))},updateLastRetrievedAtTimestamp(){this.lastRetrievedAt=Math.floor((new Date).getTime()/1e3)},onUpdateFormStatus(){}}),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 v=r(66262);const g=(0,v.A)(f,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("Head"),u=(0,o.resolveComponent)("Button"),p=(0,o.resolveComponent)("LoadingView");return(0,o.openBlock)(),(0,o.createBlock)(p,{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",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,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,i)):(0,o.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","Update.vue"]]);var y=r(25542);const b=Object.assign({name:"Update"},{__name:"Update",props:(0,s.rr)(["resourceName","resourceId","viaResource","viaResourceId","viaRelationship"]),setup(e){const t=(0,y.L)();return(e,r)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(g),{"resource-name":e.resourceName,"resource-id":e.resourceId,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"form-unique-id":(0,o.unref)(t)},null,8,["resource-name","resource-id","via-resource","via-resource-id","via-relationship","form-unique-id"]))}}),k=(0,v.A)(b,[["__file","Update.vue"]])},96731:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(29726),i=r(25542);const l=Object.assign({name:"UpdateAttached"},{__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}},setup(e){const t=(0,i.L)();return(r,i)=>{const l=(0,o.resolveComponent)("UpdateAttachedResource");return(0,o.openBlock)(),(0,o.createBlock)(l,{"resource-name":e.resourceName,"resource-id":e.resourceId,"related-resource-name":e.relatedResourceName,"related-resource-id":e.relatedResourceId,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"parent-resource":e.parentResource,"via-relationship":e.viaRelationship,"via-pivot-id":e.viaPivotId,polymorphic:e.polymorphic,"form-unique-id":(0,o.unref)(t)},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"])}}});const a=(0,r(66262).A)(l,[["__file","UpdateAttached.vue"]])},99962:(e,t,r)=>{"use strict";r.d(t,{A:()=>n});var o=r(29726);const i={class:"max-w-7xl mx-auto py-10 sm:px-6 lg:px-8"},l={class:"mb-10"},a=Object.assign({name:"UserSecurity"},{__name:"UserSecurity",props:{options:{type:Object,required:!0},user:{type:Object,required:!0}},setup(e){const t=(0,o.computed)((()=>Nova.config("fortifyFeatures")));return(r,a)=>{const n=(0,o.resolveComponent)("Head"),s=(0,o.resolveComponent)("Heading"),c=(0,o.resolveComponent)("UserSecurityUpdatePasswords"),d=(0,o.resolveComponent)("DividerLine"),u=(0,o.resolveComponent)("UserSecurityTwoFactorAuthentication");return(0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createVNode)(n,{title:r.__("User Security")},null,8,["title"]),(0,o.createElementVNode)("div",l,[(0,o.createVNode)(s,{level:1,textContent:(0,o.toDisplayString)(r.__("User Security"))},null,8,["textContent"])]),(0,o.createElementVNode)("div",null,[t.value.includes("update-passwords")?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,user:e.user},null,8,["user"])):(0,o.createCommentVNode)("",!0),t.value.includes("update-passwords")&&t.value.includes("two-factor-authentication")?((0,o.openBlock)(),(0,o.createBlock)(d,{key:1})):(0,o.createCommentVNode)("",!0),t.value.includes("two-factor-authentication")?((0,o.openBlock)(),(0,o.createBlock)(u,{key:2,options:e.options["two-factor-authentication"]??{},user:e.user},null,8,["options","user"])):(0,o.createCommentVNode)("",!0)])])}}});const n=(0,r(66262).A)(a,[["__file","UserSecurity.vue"]])},3056:(e,t,r)=>{"use strict";r.d(t,{A:()=>c});var o=r(29726);var i=r(35229),l=r(25542);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 n(e,t,r){return(t=function(e){var t=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)}(e,"string");return"symbol"==typeof t?t:t+""}(t))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:[i.rd,i.Uf],provide(){return{removeFile:this.removeFile}},props:function(e){for(var t=1;t<arguments.length;t++){var r=null!=arguments[t]?arguments[t]:{};t%2?a(Object(r),!0).forEach((function(t){n(e,t,r[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):a(Object(r)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(r,t))}))}return e}({mode:{type:String,default:"form",validator:e=>["modal","form"].includes(e)}},(0,i.rr)(["resourceName","viaResource","viaResourceId","viaRelationship"])),data:()=>({formUniqueId:(0,l.L)()}),methods:{handleResourceCreated({redirect:e,id:t}){return"form"!==this.mode&&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()},cancelCreatingResource(){return"form"===this.mode?(this.handleProceedingToPreviousPage(),void this.proceedToPreviousPage(this.isRelation?`/resources/${this.viaResource}/${this.viaResourceId}`:`/resources/${this.resourceName}`)):(this.allowLeavingModal(),this.$emit("create-cancelled"))},onUpdateFormStatus(){"form"!==this.mode&&this.updateModalStatus()},removeFile(e){}},computed:{isRelation(){return Boolean(this.viaResourceId&&this.viaRelationship)}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,i,l,a){const n=(0,o.resolveComponent)("CreateForm");return(0,o.openBlock)(),(0,o.createBlock)(n,{onResourceCreated:a.handleResourceCreated,onResourceCreatedAndAddingAnother:a.handleResourceCreatedAndAddingAnother,onCreateCancelled:a.cancelCreatingResource,mode:r.mode,"resource-name":e.resourceName,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,onUpdateFormStatus:a.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":65215,"./AppLogo.vue":72172,"./Avatar.vue":39383,"./Backdrop.vue":62953,"./Badges/Badge.vue":57091,"./Badges/CircleBadge.vue":82958,"./BooleanOption.vue":95564,"./Buttons/CopyButton.vue":1780,"./Buttons/InertiaButton.vue":77518,"./Buttons/InvertedButton.vue":23105,"./Card.vue":61070,"./CardWrapper.vue":40506,"./Cards.vue":90581,"./Cards/HelpCard.vue":29433,"./Checkbox.vue":63136,"./CheckboxWithLabel.vue":35893,"./CollapseButton.vue":65764,"./ConfirmsPassword.vue":96813,"./Controls/MultiSelectControl.vue":89042,"./Controls/SelectControl.vue":99138,"./CreateForm.vue":72522,"./CreateResourceButton.vue":76037,"./DefaultField.vue":57199,"./DeleteMenu.vue":52613,"./DividerLine.vue":71786,"./DropZone/DropZone.vue":28213,"./DropZone/FilePreviewBlock.vue":84547,"./DropZone/SingleDropZone.vue":80636,"./Dropdowns/ActionDropdown.vue":46644,"./Dropdowns/DetailActionDropdown.vue":30013,"./Dropdowns/Dropdown.vue":36663,"./Dropdowns/DropdownMenu.vue":41600,"./Dropdowns/DropdownMenuHeading.vue":84787,"./Dropdowns/DropdownMenuItem.vue":73020,"./Dropdowns/InlineActionDropdown.vue":58909,"./Dropdowns/SelectAllDropdown.vue":81518,"./Dropdowns/ThemeDropdown.vue":32657,"./Excerpt.vue":30422,"./FadeTransition.vue":27284,"./FieldWrapper.vue":46854,"./FilterMenu.vue":15604,"./Filters/BooleanFilter.vue":10255,"./Filters/DateFilter.vue":2891,"./Filters/FilterContainer.vue":56138,"./Filters/SelectFilter.vue":84183,"./FormButton.vue":81433,"./FormLabel.vue":62415,"./GlobalSearch.vue":36623,"./Heading.vue":13750,"./HelpText.vue":91303,"./HelpTextTooltip.vue":6491,"./Icons/CopyIcon.vue":92407,"./Icons/Editor/IconBold.vue":74960,"./Icons/Editor/IconFullScreen.vue":76825,"./Icons/Editor/IconImage.vue":57404,"./Icons/Editor/IconItalic.vue":87446,"./Icons/Editor/IconLink.vue":48309,"./Icons/ErrorPageIcon.vue":49467,"./Icons/IconArrow.vue":21449,"./Icons/IconBoolean.vue":16018,"./Icons/IconBooleanOption.vue":18711,"./Icons/Loader.vue":47833,"./ImageLoader.vue":12617,"./IndexEmptyDialog.vue":73289,"./IndexErrorDialog.vue":96735,"./Inputs/CharacterCounter.vue":87853,"./Inputs/ComboBoxInput.vue":36706,"./Inputs/IndexSearchInput.vue":26762,"./Inputs/RoundInput.vue":40902,"./Inputs/SearchInput.vue":21760,"./Inputs/SearchInputResult.vue":76402,"./LensSelector.vue":24511,"./LicenseWarning.vue":99820,"./LoadingCard.vue":89204,"./LoadingView.vue":5983,"./Markdown/MarkdownEditor.vue":1085,"./Markdown/MarkdownEditorToolbar.vue":24143,"./Menu/Breadcrumbs.vue":25787,"./Menu/MainMenu.vue":43134,"./Menu/MenuGroup.vue":16839,"./Menu/MenuItem.vue":12899,"./Menu/MenuList.vue":21081,"./Menu/MenuSection.vue":84372,"./Metrics/Base/BasePartitionMetric.vue":29033,"./Metrics/Base/BaseProgressMetric.vue":39157,"./Metrics/Base/BaseTrendMetric.vue":28104,"./Metrics/Base/BaseValueMetric.vue":32983,"./Metrics/MetricTableRow.vue":99543,"./Metrics/PartitionMetric.vue":64903,"./Metrics/ProgressMetric.vue":98825,"./Metrics/TableMetric.vue":33796,"./Metrics/TrendMetric.vue":1740,"./Metrics/ValueMetric.vue":58937,"./MobileUserMenu.vue":61462,"./Modals/ConfirmActionModal.vue":75713,"./Modals/ConfirmUploadRemovalModal.vue":48619,"./Modals/ConfirmsPasswordModal.vue":80245,"./Modals/CreateRelationModal.vue":6347,"./Modals/DeleteResourceModal.vue":24916,"./Modals/Modal.vue":41488,"./Modals/ModalContent.vue":23772,"./Modals/ModalFooter.vue":51434,"./Modals/ModalHeader.vue":62532,"./Modals/PreviewResourceModal.vue":22308,"./Modals/RestoreResourceModal.vue":71368,"./Notifications/MessageNotification.vue":14197,"./Notifications/NotificationCenter.vue":70261,"./Notifications/NotificationList.vue":15001,"./Pagination/PaginationLinks.vue":84661,"./Pagination/PaginationLoadMore.vue":55623,"./Pagination/PaginationSimple.vue":9320,"./Pagination/ResourcePagination.vue":75268,"./PanelItem.vue":57228,"./PassthroughLogo.vue":29627,"./ProgressBar.vue":5112,"./RelationPeek.vue":84227,"./Repeater/RepeaterRow.vue":34324,"./ResourceTable.vue":55293,"./ResourceTableHeader.vue":50101,"./ResourceTableRow.vue":79344,"./ResourceTableToolbar.vue":15404,"./ScrollWrap.vue":96279,"./SortableIcon.vue":33025,"./Tags/TagGroup.vue":19078,"./Tags/TagGroupItem.vue":40229,"./Tags/TagList.vue":17039,"./Tags/TagListItem.vue":99973,"./Tooltip.vue":69793,"./TooltipContent.vue":18384,"./TrashedCheckbox.vue":25882,"./Trix.vue":46199,"./UserMenu.vue":60465,"./UserSecurity/UserSecurityTwoFactorAuthentication.vue":21073,"./UserSecurity/UserSecurityUpdatePasswords.vue":39699};function i(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]}i.keys=function(){return Object.keys(o)},i.resolve=l,e.exports=i,i.id=60630},11079:(e,t,r)=>{var o={"./AudioField.vue":2202,"./BadgeField.vue":77421,"./BelongsToField.vue":71818,"./BelongsToManyField.vue":40605,"./BooleanField.vue":3001,"./BooleanGroupField.vue":35336,"./CodeField.vue":35480,"./ColorField.vue":12310,"./CurrencyField.vue":43175,"./DateField.vue":46960,"./DateTimeField.vue":74405,"./EmailField.vue":69556,"./FileField.vue":92048,"./HasManyField.vue":70813,"./HasManyThroughField.vue":70425,"./HasOneField.vue":7746,"./HasOneThroughField.vue":8588,"./HeadingField.vue":26949,"./HiddenField.vue":41968,"./IdField.vue":13699,"./KeyValueField.vue":16979,"./MarkdownField.vue":21199,"./MorphToActionTargetField.vue":50769,"./MorphToField.vue":18318,"./MorphToManyField.vue":59958,"./MultiSelectField.vue":89535,"./Panel.vue":73437,"./PasswordField.vue":16181,"./RelationshipPanel.vue":63726,"./RepeaterField.vue":22092,"./SelectField.vue":89032,"./SlugField.vue":79175,"./SparklineField.vue":71788,"./StackField.vue":58403,"./StatusField.vue":12136,"./TabsPanel.vue":91167,"./TagField.vue":82141,"./TextField.vue":21738,"./TextareaField.vue":29765,"./TrixField.vue":96134,"./UrlField.vue":69928,"./VaporAudioField.vue":92135,"./VaporFileField.vue":57562};function i(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]}i.keys=function(){return Object.keys(o)},i.resolve=l,e.exports=i,i.id=11079},77978:(e,t,r)=>{var o={"./BelongsToField.vue":53941,"./BooleanField.vue":43460,"./BooleanGroupField.vue":28514,"./DateField.vue":78430,"./DateTimeField.vue":94299,"./EloquentField.vue":83240,"./EmailField.vue":34245,"./MorphToField.vue":86951,"./MultiSelectField.vue":33011,"./NumberField.vue":72482,"./SelectField.vue":71595,"./TextField.vue":85645};function i(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]}i.keys=function(){return Object.keys(o)},i.resolve=l,e.exports=i,i.id=77978},67970:(e,t,r)=>{var o={"./AudioField.vue":77054,"./BelongsToField.vue":14056,"./BooleanField.vue":36938,"./BooleanGroupField.vue":6461,"./CodeField.vue":61907,"./ColorField.vue":3210,"./CurrencyField.vue":72366,"./DateField.vue":18166,"./DateTimeField.vue":23019,"./EmailField.vue":36078,"./FileField.vue":22988,"./HasOneField.vue":58116,"./HeadingField.vue":79899,"./HiddenField.vue":6970,"./KeyValueField.vue":18053,"./KeyValueHeader.vue":99682,"./KeyValueItem.vue":5226,"./KeyValueTable.vue":83420,"./MarkdownField.vue":19399,"./MorphToField.vue":69976,"./MultiSelectField.vue":6629,"./Panel.vue":82437,"./PasswordField.vue":13662,"./RelationshipPanel.vue":52568,"./RepeaterField.vue":7275,"./SelectField.vue":59123,"./SlugField.vue":81909,"./StatusField.vue":48080,"./TabsPanel.vue":19736,"./TagField.vue":13868,"./TextField.vue":35841,"./TextareaField.vue":75649,"./TrixField.vue":98385,"./UrlField.vue":54185,"./VaporAudioField.vue":16192,"./VaporFileField.vue":50531};function i(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]}i.keys=function(){return Object.keys(o)},i.resolve=l,e.exports=i,i.id=67970},49020:(e,t,r)=>{var o={"./AudioField.vue":43032,"./BadgeField.vue":51086,"./BelongsToField.vue":99723,"./BooleanField.vue":95915,"./BooleanGroupField.vue":55371,"./ColorField.vue":84706,"./CurrencyField.vue":41129,"./DateField.vue":81871,"./DateTimeField.vue":9952,"./EmailField.vue":13785,"./FileField.vue":48242,"./HeadingField.vue":81173,"./HiddenField.vue":76439,"./IdField.vue":21451,"./LineField.vue":24549,"./MorphToActionTargetField.vue":25736,"./MorphToField.vue":59219,"./MultiSelectField.vue":8947,"./PasswordField.vue":46750,"./SelectField.vue":61775,"./SlugField.vue":42212,"./SparklineField.vue":46086,"./StackField.vue":95328,"./StatusField.vue":7187,"./TagField.vue":25565,"./TextField.vue":89250,"./UrlField.vue":51466,"./VaporAudioField.vue":35656,"./VaporFileField.vue":22104};function i(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]}i.keys=function(){return Object.keys(o)},i.resolve=l,e.exports=i,i.id=49020},87092:(e,t,r)=>{var o={"./HasOneField.vue":64087};function i(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]}i.keys=function(){return Object.keys(o)},i.resolve=l,e.exports=i,i.id=87092},74640:e=>{"use strict";e.exports=LaravelNovaUi},42634:()=>{}},e=>{var t=t=>e(e.s=t);e.O(0,[524,332],(()=>(t(12327),t(43478))));e.O()}]);
\ No newline at end of file
diff --git a/application/public/vendor/nova/mix-manifest.json b/application/public/vendor/nova/mix-manifest.json
index 305f4a61..3a96f63a 100644
--- a/application/public/vendor/nova/mix-manifest.json
+++ b/application/public/vendor/nova/mix-manifest.json
@@ -1,9 +1,9 @@
 {
-    "/app.js": "/app.js?id=0b8d0c81132e4af6a591acbb980c590f",
-    "/ui.js": "/ui.js?id=211c185d3f583726e3ec9435b2af5c14",
+    "/app.js": "/app.js?id=fb86bfe81a677d526f7609cc39242b53",
+    "/ui.js": "/ui.js?id=592866a715b1c20b43fff6ca7980b279",
     "/manifest.js": "/manifest.js?id=3267e5c99fd7b729e2f38ec55b50397d",
-    "/app.css": "/app.css?id=b19862e6863844c0c0b63c669e1702c5",
-    "/vendor.js": "/vendor.js?id=b51081d96a08fc9fb5fe461b8565ac0d",
+    "/app.css": "/app.css?id=280997874d170673c647003e9ea350bf",
+    "/vendor.js": "/vendor.js?id=689760c8299915f174866d2137d0cbab",
     "/fonts/snunitosansv11pe01mimslybiv1o4x1m8cce4g1pty10iurt9w6fk2a.woff2": "/fonts/snunitosansv11pe01mimslybiv1o4x1m8cce4g1pty10iurt9w6fk2a.woff2?id=c8390e146be0a3c8a5498355dec892ae",
     "/fonts/snunitosansv11pe01mimslybiv1o4x1m8cce4g1pty14iurt9w6fk2a.woff2": "/fonts/snunitosansv11pe01mimslybiv1o4x1m8cce4g1pty14iurt9w6fk2a.woff2?id=b0735c7dd6126471acbaf9d6e9f5e41a",
     "/fonts/snunitosansv11pe01mimslybiv1o4x1m8cce4g1pty1ciurt9w6fk2a.woff2": "/fonts/snunitosansv11pe01mimslybiv1o4x1m8cce4g1pty1ciurt9w6fk2a.woff2?id=7c1fb232e3050e36dcc1aee61f1d0c06",
diff --git a/application/public/vendor/nova/ui.js b/application/public/vendor/nova/ui.js
index ae7a9085..0e6db717 100644
--- a/application/public/vendor/nova/ui.js
+++ b/application/public/vendor/nova/ui.js
@@ -1 +1 @@
-(self.webpackChunklaravel_nova=self.webpackChunklaravel_nova||[]).push([[312],{1973:(e,r,a)=>{"use strict";a.r(r),a.d(r,{Badge:()=>f,Button:()=>N,Checkbox:()=>P,Icon:()=>g,Loader:()=>v});var t=a(29726),o=a(11982),l=a(32113),n=a(30917),i=a(89384),s=a(84058),d=a.n(s),c=a(90128),u=a.n(c);const p=(0,t.defineComponent)({__name:"Icon",props:{name:{default:"ellipsis-horizontal"},type:{default:"outline"}},setup(e){const r=e,a={solid:l,outline:o,mini:n,micro:i},s={Adjustments:"AdjustmentsVertical",Annotation:"ChatBubbleBottomCenterText",Archive:"ArchiveBox",ArrowCircleDown:"ArrowDownCircle",ArrowCircleLeft:"ArrowLeftCircle",ArrowCircleRight:"ArrowRightCircle",ArrowCircleUp:"ArrowUpCircle",ArrowNarrowDown:"ArrowLongDown",ArrowNarrowLeft:"ArrowLongLeft",ArrowNarrowRight:"ArrowLongRight",ArrowNarrowUp:"ArrowLongUp",ArrowsExpand:"ArrowsPointingOut",ArrowSmDown:"ArrowSmallDown",ArrowSmLeft:"ArrowSmallLeft",ArrowSmRight:"ArrowSmallRight",ArrowSmUp:"ArrowSmallUp",BadgeCheck:"CheckBadge",Ban:"NoSymbol",BookmarkAlt:"BookmarkSquare",Cash:"Banknotes",ChartSquareBar:"ChartBarSquare",ChatAlt2:"ChatBubbleLeftRight",ChatAlt:"ChatBubbleLeftEllipsis",Chat:"ChatBubbleOvalLeftEllipsis",Chip:"CpuChip",ClipboardCheck:"ClipboardDocumentCheck",ClipboardCopy:"ClipboardDocument",ClipboardList:"ClipboardDocumentList",CloudDownload:"CloudArrowDown",CloudUpload:"CloudArrowUp",Code:"CodeBracket",Collection:"RectangleStack",ColorSwatch:"Swatch",CursorClick:"CursorArrowRays",Database:"CircleStack",DesktopComputer:"ComputerDesktop",DeviceMobile:"DevicePhoneMobile",DocumentAdd:"DocumentPlus",DocumentDownload:"DocumentArrowDown",DocumentRemove:"DocumentMinus",DocumentReport:"DocumentChartBar",DocumentSearch:"DocumentMagnifyingGlass",DotsCircleHorizontal:"EllipsisHorizontalCircle",DotsHorizontal:"EllipsisHorizontal",DotsVertical:"EllipsisVertical",Download:"ArrowDownTray",Duplicate:"Square2Stack",EmojiHappy:"FaceSmile",EmojiSad:"FaceFrown",Exclamation:"ExclamationTriangle",ExternalLink:"ArrowTopRightOnSquare",EyeOff:"EyeSlash",FastForward:"Forward",Filter:"Funnel",FolderAdd:"FolderPlus",FolderDownload:"FolderArrowDown",FolderRemove:"FolderMinus",Globe:"GlobeAmericas",Hand:"HandRaised",InboxIn:"InboxArrowDown",Library:"BuildingLibrary",LightningBolt:"Bolt",LocationMarker:"MapPin",Login:"ArrowLeftOnRectangle",Logout:"ArrowRightOnRectangle",Mail:"Envelope",MailOpen:"EnvelopeOpen",MenuAlt1:"Bars3CenterLeft",MenuAlt2:"Bars3BottomLeft",MenuAlt3:"Bars3BottomRight",MenuAlt4:"Bars2",Menu:"Bars3",MinusSm:"MinusSmall",MusicNote:"MusicalNote",OfficeBuilding:"BuildingOffice",PencilAlt:"PencilSquare",PhoneIncoming:"PhoneArrowDownLeft",PhoneMissedCall:"PhoneXMark",PhoneOutgoing:"PhoneArrowUpRight",Photograph:"Photo",PlusSm:"PlusSmall",Puzzle:"PuzzlePiece",Qrcode:"QrCode",ReceiptTax:"ReceiptPercent",Refresh:"ArrowPath",Reply:"ArrowUturnLeft",Rewind:"Backward",SaveAs:"ArrowDownOnSquareStack",Save:"ArrowDownOnSquare",SearchCircle:"MagnifyingGlassCircle",Search:"MagnifyingGlass",Selector:"ChevronUpDown",SortAscending:"BarsArrowUp",SortDescending:"BarsArrowDown",Speakerphone:"Megaphone",StatusOffline:"SignalSlash",StatusOnline:"Signal",Support:"Lifebuoy",SwitchHorizontal:"ArrowsRightLeft",SwitchVertical:"ArrowsUpDown",Table:"TableCells",Template:"RectangleGroup",Terminal:"CommandLine",ThumbDown:"HandThumbDown",ThumbUp:"HandThumbUp",Translate:"Language",TrendingDown:"ArrowTrendingDown",TrendingUp:"ArrowTrendingUp",Upload:"ArrowUpTray",UserAdd:"UserPlus",UserRemove:"UserMinus",ViewBoards:"ViewColumns",ViewGridAdd:"SquaresPlus",ViewGrid:"Squares2X2",ViewList:"Bars4",VolumeOff:"SpeakerXMark",VolumeUp:"SpeakerWave",X:"XMark",ZoomIn:"MagnifyingGlassPlus",ZoomOut:"MagnifyingGlassMinus"},c=(0,t.computed)((function(){const e=u()(d()(r.name)).replace(/ /g,"");return s[e]?a[r.type][s[e]+"Icon"]:a[r.type][e+"Icon"]})),p=(0,t.computed)((()=>"mini"===r.type?"w-5 h-5":"micro"===r.type?"w-4 h-4":"w-6 h-6"));return(e,r)=>((0,t.openBlock)(),(0,t.createBlock)((0,t.resolveDynamicComponent)(c.value),{class:(0,t.normalizeClass)(p.value)},null,8,["class"]))}});var m=a(66262);const g=(0,m.A)(p,[["__file","Icon.vue"]]);const b={key:0,class:"-ml-1"},h=(0,t.defineComponent)({__name:"Badge",props:{icon:{},rounded:{type:Boolean},variant:{default:"info"},type:{default:"pill"},extraClasses:{},removable:{type:Boolean,default:!1}},setup(e){const r=e,{common:a,variants:o,types:l}={common:{wrapper:"min-h-6 inline-flex items-center space-x-1 whitespace-nowrap px-2 text-xs font-bold uppercase",button:"",buttonStroke:""},variants:{wrapper:{default:"bg-gray-100 text-gray-700 dark:bg-gray-400 dark:text-gray-900",info:"bg-blue-100 text-blue-700 dark:bg-blue-400 dark:text-blue-900",warning:"bg-yellow-100 text-yellow-800 dark:bg-yellow-400 dark:text-yellow-900",success:"bg-green-100 text-green-700 dark:bg-green-300 dark:text-green-900",danger:"bg-red-100 text-red-700 dark:bg-red-400 dark:text-red-900"},button:{default:"hover:bg-gray-500/20",info:"hover:bg-blue-600/20",warning:"hover:bg-yellow-600/20",success:"hover:bg-green-600/20",danger:"hover:bg-red-600/20"},buttonStroke:{default:"stroke-gray-600/50 dark:stroke-gray-800 group-hover:stroke-gray-600/75 dark:group-hover:stroke-gray-800",info:"stroke-blue-700/50 dark:stroke-blue-800 group-hover:stroke-blue-700/75 dark:group-hover:stroke-blue-800",warning:"stroke-yellow-700/50 dark:stroke-yellow-800 group-hover:stroke-yellow-700/75 dark:group-hover:stroke-yellow-800",success:"stroke-green-700/50 dark:stroke-green-800 group-hover:stroke-green-700/75 dark:group-hover:stroke-green-800",danger:"stroke-red-600/50 dark:stroke-red-800 group-hover:stroke-red-600/75 dark:group-hover:stroke-red-800"}},types:{pill:"rounded-full",brick:"rounded-md"}},n=(0,t.computed)((()=>[a.wrapper,o.wrapper[r.variant],l[r.type]])),i=(0,t.computed)((()=>[o.button[r.variant]])),s=(0,t.computed)((()=>[o.buttonStroke[r.variant]]));return(e,a)=>((0,t.openBlock)(),(0,t.createElementBlock)("span",{class:(0,t.normalizeClass)(n.value)},[e.icon?((0,t.openBlock)(),(0,t.createElementBlock)("span",b,[(0,t.createVNode)(g,{name:e.icon,type:"mini"},null,8,["name"])])):(0,t.createCommentVNode)("",!0),(0,t.createElementVNode)("span",null,[(0,t.renderSlot)(e.$slots,"default")]),r.removable?((0,t.openBlock)(),(0,t.createElementBlock)("button",{key:1,type:"button",class:(0,t.normalizeClass)(["group relative -mr-1 h-3.5 w-3.5 rounded-sm",i.value])},[a[1]||(a[1]=(0,t.createElementVNode)("span",{class:"sr-only"},"Remove",-1)),((0,t.openBlock)(),(0,t.createElementBlock)("svg",{viewBox:"0 0 14 14",class:(0,t.normalizeClass)(["h-3.5 w-3.5",s.value])},a[0]||(a[0]=[(0,t.createElementVNode)("path",{d:"M4 4l6 6m0-6l-6 6"},null,-1)]),2)),a[2]||(a[2]=(0,t.createElementVNode)("span",{class:"absolute -inset-1"},null,-1))],2)):(0,t.createCommentVNode)("",!0)],2))}}),f=(0,m.A)(h,[["__file","Badge.vue"]]),y=["fill"],w=(0,t.defineComponent)({__name:"Loader",props:{width:{default:50},fillColor:{default:"currentColor"}},setup:e=>(e,r)=>((0,t.openBlock)(),(0,t.createElementBlock)("svg",{class:"mx-auto block",style:(0,t.normalizeStyle)({width:`${e.width}px`}),viewBox:"0 0 120 30",xmlns:"http://www.w3.org/2000/svg",fill:e.fillColor},r[0]||(r[0]=[(0,t.createStaticVNode)('<circle cx="15" cy="15" r="15"><animate attributeName="r" from="15" to="15" begin="0s" dur="0.8s" values="15;9;15" calcMode="linear" repeatCount="indefinite"></animate><animate attributeName="fill-opacity" from="1" to="1" begin="0s" dur="0.8s" values="1;.5;1" calcMode="linear" repeatCount="indefinite"></animate></circle><circle cx="60" cy="15" r="9" fill-opacity="0.3"><animate attributeName="r" from="9" to="9" begin="0s" dur="0.8s" values="9;15;9" calcMode="linear" repeatCount="indefinite"></animate><animate attributeName="fill-opacity" from="0.5" to="0.5" begin="0s" dur="0.8s" values=".5;1;.5" calcMode="linear" repeatCount="indefinite"></animate></circle><circle cx="105" cy="15" r="15"><animate attributeName="r" from="15" to="15" begin="0s" dur="0.8s" values="15;9;15" calcMode="linear" repeatCount="indefinite"></animate><animate attributeName="fill-opacity" from="1" to="1" begin="0s" dur="0.8s" values="1;.5;1" calcMode="linear" repeatCount="indefinite"></animate></circle>',3)]),12,y))}),v=(0,m.A)(w,[["__file","Loader.vue"]]);function k(e,r){var a=Object.keys(e);if(Object.getOwnPropertySymbols){var t=Object.getOwnPropertySymbols(e);r&&(t=t.filter((function(r){return Object.getOwnPropertyDescriptor(e,r).enumerable}))),a.push.apply(a,t)}return a}function x(e){for(var r=1;r<arguments.length;r++){var a=null!=arguments[r]?arguments[r]:{};r%2?k(Object(a),!0).forEach((function(r){C(e,r,a[r])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(a)):k(Object(a)).forEach((function(r){Object.defineProperty(e,r,Object.getOwnPropertyDescriptor(a,r))}))}return e}function C(e,r,a){return(r=function(e){var r=function(e,r){if("object"!=typeof e||!e)return e;var a=e[Symbol.toPrimitive];if(void 0!==a){var t=a.call(e,r||"default");if("object"!=typeof t)return t;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===r?String:Number)(e)}(e,"string");return"symbol"==typeof r?r:r+""}(r))in e?Object.defineProperty(e,r,{value:a,enumerable:!0,configurable:!0,writable:!0}):e[r]=a,e}const A={base:"",baseAs:"",class:"bg-transparent border-gray-300 hover:[&:not(:disabled)]:text-primary-500 dark:border-gray-600",sizes:{small:"h-7 text-xs",large:"h-9"},padding:{default:{small:"px-2",large:"px-3"}},states:{},loaderSize:{small:28,large:32}};function B(){const e={solid:{base:"",baseAs:"",class:"shadow",sizes:{small:"h-7 text-xs",large:"h-9"},padding:{default:{small:"px-2",large:"px-3"},tight:{small:"px-2",large:"px-1.5"}},states:{default:{small:"bg-primary-500 border-primary-500 hover:[&:not(:disabled)]:bg-primary-400 hover:[&:not(:disabled)]:border-primary-400 text-white dark:text-gray-900",large:"bg-primary-500 border-primary-500 hover:[&:not(:disabled)]:bg-primary-400 hover:[&:not(:disabled)]:border-primary-400 text-white dark:text-gray-900"},danger:{small:"bg-red-500 border-red-500 hover:[&:not(:disabled)]:bg-red-400 hover:[&:not(:disabled)]:border-red-400 text-white dark:text-red-950",large:"bg-red-500 border-red-500 hover:[&:not(:disabled)]:bg-red-400 hover:[&:not(:disabled)]:border-red-400 text-white dark:text-red-950"}},loaderSize:{small:28,large:32}},ghost:{base:"",baseAs:"",class:"bg-transparent border-transparent",sizes:{small:"h-7 text-xs",large:"h-9"},padding:{default:{small:"px-2",large:"px-3"},tight:{small:"px-2",large:"px-1.5"}},states:{default:{small:"text-gray-600 dark:text-gray-400 hover:[&:not(:disabled)]:bg-gray-700/5 dark:hover:[&:not(:disabled)]:bg-gray-950",large:"text-gray-600 dark:text-gray-400 hover:[&:not(:disabled)]:bg-gray-700/5 dark:hover:[&:not(:disabled)]:bg-gray-950"}},loaderSize:{small:28,large:32}},outline:A,icon:A,link:{base:"",baseAs:"",class:"border-transparent ",sizes:{small:"h-7 text-xs",large:"h-9"},alignment:{left:"text-left",center:"text-center"},padding:{default:{small:"px-2",large:"px-3"}},states:{default:{small:"text-primary-500 hover:[&:not(:disabled)]:text-primary-400",large:"text-primary-500 hover:[&:not(:disabled)]:text-primary-400"},mellow:{small:"text-gray-500 hover:[&:not(:disabled)]:text-gray-400 dark:enabled:text-gray-400 dark:enabled:hover:text-gray-300",large:"text-gray-500 hover:[&:not(:disabled)]:text-gray-400 dark:enabled:text-gray-400 dark:enabled:hover:text-gray-300"},danger:{small:"text-red-500 hover:[&:not(:disabled)]:text-red-400",large:"text-red-500 hover:[&:not(:disabled)]:text-red-400"}}},action:{base:"",baseAs:"",class:"bg-transparent border-transparent text-gray-500 dark:text-gray-400 hover:[&:not(:disabled)]:text-primary-500",sizes:{large:"h-9 w-9"},padding:{default:{small:"",large:""}},states:{},loaderSize:{small:28,large:32}}},r=()=>Object.keys(e).map((r=>{const a=e[r].sizes;return{[r]:Object.keys(a)}})).reduce(((e,r)=>x(x({},e),r)),{});function a(e,a){const t=r();return t[e]?.includes(a)??!1}function t(r,a){const t=Object.keys(e).map((r=>{const a=e[r]?.padding;return{[r]:Object.keys(a??[])}})).reduce(((e,r)=>x(x({},e),r)),{});return t[r]?.includes(a)??!1}return{base:"border text-left appearance-none cursor-pointer rounded text-sm font-bold focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600 relative disabled:cursor-not-allowed",baseAs:"inline-flex items-center justify-center",disabled:"disabled:opacity-50",variants:e,availableSizes:r,checkSize:a,validateSize:function(e,r){if(!a(e,r))throw new Error(`Invalid variant/size combination: ${e}/${r}`)},validatePadding:function(e,r){if(!t(e,r))throw new Error(`Invalid variant/padding combination: ${e}/${r}`)},iconType:function(e,r){return"outline"}}}const S={key:0},D={key:1},V={key:2},O={key:0,class:"absolute",style:{top:"50%",left:"50%",transform:"translate(-50%, -50%)"}},E=(0,t.defineComponent)({__name:"Button",props:{as:{default:"button"},size:{default:"large"},label:{},variant:{default:"solid"},state:{default:"default"},padding:{default:"default"},loading:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1},icon:{},leadingIcon:{},trailingIcon:{}},setup(e){const{base:r,baseAs:a,variants:o,disabled:l,validateSize:n,validatePadding:i}=B(),s=e,d=(0,t.computed)((()=>s.size)),c=(0,t.computed)((()=>s.padding));n(s.variant,d.value),i(s.variant,c.value);const u=(0,t.computed)((()=>s.disabled||s.loading)),p=(0,t.computed)((()=>[r,s.as?a:"",s.disabled&&!s.loading&&l,o[s.variant]?.class||"",o[s.variant]?.sizes[d.value]||"",o[s.variant]?.padding[s.padding]?.[d.value]||"",o[s.variant]?.states[s.state]?.[d.value]||""])),m=(0,t.computed)((()=>o[s.variant]?.loaderSize[d.value])),b=(0,t.computed)((()=>"large"===d.value?"outline":"small"===d.value?"micro":"mini")),h=(0,t.computed)((()=>"mini"));return(e,r)=>((0,t.openBlock)(),(0,t.createBlock)((0,t.resolveDynamicComponent)(e.as),{type:"button"===e.as?"button":null,class:(0,t.normalizeClass)(p.value),disabled:u.value},{default:(0,t.withCtx)((()=>[(0,t.createElementVNode)("span",{class:(0,t.normalizeClass)(["flex items-center gap-1",{invisible:e.loading}])},[e.leadingIcon?((0,t.openBlock)(),(0,t.createElementBlock)("span",S,[(0,t.createVNode)(g,{name:e.leadingIcon,type:h.value},null,8,["name","type"])])):(0,t.createCommentVNode)("",!0),e.icon?((0,t.openBlock)(),(0,t.createElementBlock)("span",D,[(0,t.createVNode)(g,{name:e.icon,type:b.value},null,8,["name","type"])])):(0,t.createCommentVNode)("",!0),(0,t.renderSlot)(e.$slots,"default",{},(()=>[(0,t.createTextVNode)((0,t.toDisplayString)(e.label),1)])),e.trailingIcon?((0,t.openBlock)(),(0,t.createElementBlock)("span",V,[(0,t.createVNode)(g,{name:e.trailingIcon,type:h.value},null,8,["name","type"])])):(0,t.createCommentVNode)("",!0)],2),e.loading?((0,t.openBlock)(),(0,t.createElementBlock)("span",O,[(0,t.createVNode)(v,{width:m.value},null,8,["width"])])):(0,t.createCommentVNode)("",!0)])),_:3},8,["type","class","disabled"]))}}),N=(0,m.A)(E,[["__file","Button.vue"]]),L={key:0},M=(0,t.defineComponent)({__name:"Checkbox",props:{modelValue:{type:Boolean,default:!1},indeterminate:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1},label:{}},emits:["update:modelValue","change"],setup(e,{expose:r,emit:a}){const o=e,l=a,n=(0,t.ref)(!1),i=(0,t.ref)(null),s=(0,t.computed)((()=>o.indeterminate?"indeterminate":o.modelValue?"checked":"unchecked")),d=e=>{o.disabled||(l("change",!o.modelValue),l("update:modelValue",!o.modelValue))},c=(0,t.computed)((()=>{const{label:e,disabled:r}=o;return{"aria-label":e,"aria-disabled":r,"data-focus":!o.disabled&&n.value,"data-state":s.value,":aria-checked":o.indeterminate?"mixed":o.modelValue,checkedValue:o.modelValue,checkedState:s.value}})),u=(0,t.computed)((()=>"div"));return r({focus:()=>{n.value=!0,i.value?.focus()}}),(e,r)=>((0,t.openBlock)(),(0,t.createBlock)((0,t.resolveDynamicComponent)(u.value),(0,t.mergeProps)({onClick:d,onKeydown:(0,t.withKeys)((0,t.withModifiers)(d,["prevent"]),["space"]),onFocus:r[0]||(r[0]=e=>n.value=!0),onBlur:r[1]||(r[1]=e=>n.value=!1),tabindex:e.disabled?"-1":0,class:"group inline-flex shrink-0 items-center gap-2 focus:outline-none",role:"checkbox"},c.value,{ref_key:"theCheckbox",ref:i}),{default:(0,t.withCtx)((()=>[(0,t.createElementVNode)("span",{class:(0,t.normalizeClass)(["relative inline-flex h-4 w-4 items-center justify-center rounded border border-gray-950/20 bg-white text-white ring-offset-2 group-data-[state=checked]:border-primary-500 group-data-[state=indeterminate]:border-primary-500 group-data-[state=checked]:bg-primary-500 group-data-[state=indeterminate]:bg-primary-500 group-data-[focus=true]:ring-2 group-data-[focus=true]:ring-primary-500 dark:border-gray-600 dark:bg-gray-900 group-data-[focus]:dark:ring-offset-gray-950",{"bg-gray-200 opacity-50 dark:!border-gray-500 dark:!bg-gray-600":e.disabled}])},r[2]||(r[2]=[(0,t.createElementVNode)("svg",{xmlns:"http://www.w3.org/2000/svg",class:"h-3 w-3",viewBox:"0 0 12 12"},[(0,t.createElementVNode)("g",{fill:"currentColor","fill-rule":"nonzero"},[(0,t.createElementVNode)("path",{class:"group-data-[state=checked]:opacity-0 group-data-[state=indeterminate]:opacity-100 group-data-[state=unchecked]:opacity-0",d:"M9.999 6a1 1 0 0 1-.883.993L8.999 7h-6a1 1 0 0 1-.117-1.993L2.999 5h6a1 1 0 0 1 1 1Z"}),(0,t.createElementVNode)("path",{class:"group-data-[state=checked]:opacity-100 group-data-[state=indeterminate]:opacity-0 group-data-[state=unchecked]:opacity-0",d:"M3.708 5.293a1 1 0 1 0-1.415 1.416l2 2a1 1 0 0 0 1.414 0l4-4a1 1 0 0 0-1.414-1.416L5.001 6.587 3.708 5.293Z"})])],-1)]),2),e.label||e.$slots.default?((0,t.openBlock)(),(0,t.createElementBlock)("span",L,[(0,t.renderSlot)(e.$slots,"default",{},(()=>[(0,t.createTextVNode)((0,t.toDisplayString)(e.label),1)]))])):(0,t.createCommentVNode)("",!0)])),_:3},16,["onKeydown","tabindex"]))}}),P=(0,m.A)(M,[["__file","Checkbox.vue"]])},81667:(e,r,a)=>{window.LaravelNovaUi=a(1973)}},e=>{e.O(0,[332],(()=>{return r=81667,e(e.s=r);var r}));e.O()}]);
\ No newline at end of file
+(self.webpackChunklaravel_nova=self.webpackChunklaravel_nova||[]).push([[312],{1973:(e,r,a)=>{"use strict";a.r(r),a.d(r,{Badge:()=>h,Button:()=>N,Checkbox:()=>P,Icon:()=>g,Loader:()=>v});var t=a(29726),o=a(11982),l=a(32113),n=a(30917),i=a(89384),s=a(84058),d=a.n(s),c=a(90128),u=a.n(c);const p=(0,t.defineComponent)({__name:"Icon",props:{name:{default:"ellipsis-horizontal"},type:{default:"outline"}},setup(e){const r=e,a={solid:l,outline:o,mini:n,micro:i},s={Adjustments:"AdjustmentsVertical",Annotation:"ChatBubbleBottomCenterText",Archive:"ArchiveBox",ArrowCircleDown:"ArrowDownCircle",ArrowCircleLeft:"ArrowLeftCircle",ArrowCircleRight:"ArrowRightCircle",ArrowCircleUp:"ArrowUpCircle",ArrowNarrowDown:"ArrowLongDown",ArrowNarrowLeft:"ArrowLongLeft",ArrowNarrowRight:"ArrowLongRight",ArrowNarrowUp:"ArrowLongUp",ArrowsExpand:"ArrowsPointingOut",ArrowSmDown:"ArrowSmallDown",ArrowSmLeft:"ArrowSmallLeft",ArrowSmRight:"ArrowSmallRight",ArrowSmUp:"ArrowSmallUp",BadgeCheck:"CheckBadge",Ban:"NoSymbol",BookmarkAlt:"BookmarkSquare",Cash:"Banknotes",ChartSquareBar:"ChartBarSquare",ChatAlt2:"ChatBubbleLeftRight",ChatAlt:"ChatBubbleLeftEllipsis",Chat:"ChatBubbleOvalLeftEllipsis",Chip:"CpuChip",ClipboardCheck:"ClipboardDocumentCheck",ClipboardCopy:"ClipboardDocument",ClipboardList:"ClipboardDocumentList",CloudDownload:"CloudArrowDown",CloudUpload:"CloudArrowUp",Code:"CodeBracket",Collection:"RectangleStack",ColorSwatch:"Swatch",CursorClick:"CursorArrowRays",Database:"CircleStack",DesktopComputer:"ComputerDesktop",DeviceMobile:"DevicePhoneMobile",DocumentAdd:"DocumentPlus",DocumentDownload:"DocumentArrowDown",DocumentRemove:"DocumentMinus",DocumentReport:"DocumentChartBar",DocumentSearch:"DocumentMagnifyingGlass",DotsCircleHorizontal:"EllipsisHorizontalCircle",DotsHorizontal:"EllipsisHorizontal",DotsVertical:"EllipsisVertical",Download:"ArrowDownTray",Duplicate:"Square2Stack",EmojiHappy:"FaceSmile",EmojiSad:"FaceFrown",Exclamation:"ExclamationTriangle",ExternalLink:"ArrowTopRightOnSquare",EyeOff:"EyeSlash",FastForward:"Forward",Filter:"Funnel",FolderAdd:"FolderPlus",FolderDownload:"FolderArrowDown",FolderRemove:"FolderMinus",Globe:"GlobeAmericas",Hand:"HandRaised",InboxIn:"InboxArrowDown",Library:"BuildingLibrary",LightningBolt:"Bolt",LocationMarker:"MapPin",Login:"ArrowLeftOnRectangle",Logout:"ArrowRightOnRectangle",Mail:"Envelope",MailOpen:"EnvelopeOpen",MenuAlt1:"Bars3CenterLeft",MenuAlt2:"Bars3BottomLeft",MenuAlt3:"Bars3BottomRight",MenuAlt4:"Bars2",Menu:"Bars3",MinusSm:"MinusSmall",MusicNote:"MusicalNote",OfficeBuilding:"BuildingOffice",PencilAlt:"PencilSquare",PhoneIncoming:"PhoneArrowDownLeft",PhoneMissedCall:"PhoneXMark",PhoneOutgoing:"PhoneArrowUpRight",Photograph:"Photo",PlusSm:"PlusSmall",Puzzle:"PuzzlePiece",Qrcode:"QrCode",ReceiptTax:"ReceiptPercent",Refresh:"ArrowPath",Reply:"ArrowUturnLeft",Rewind:"Backward",SaveAs:"ArrowDownOnSquareStack",Save:"ArrowDownOnSquare",SearchCircle:"MagnifyingGlassCircle",Search:"MagnifyingGlass",Selector:"ChevronUpDown",SortAscending:"BarsArrowUp",SortDescending:"BarsArrowDown",Speakerphone:"Megaphone",StatusOffline:"SignalSlash",StatusOnline:"Signal",Support:"Lifebuoy",SwitchHorizontal:"ArrowsRightLeft",SwitchVertical:"ArrowsUpDown",Table:"TableCells",Template:"RectangleGroup",Terminal:"CommandLine",ThumbDown:"HandThumbDown",ThumbUp:"HandThumbUp",Translate:"Language",TrendingDown:"ArrowTrendingDown",TrendingUp:"ArrowTrendingUp",Upload:"ArrowUpTray",UserAdd:"UserPlus",UserRemove:"UserMinus",ViewBoards:"ViewColumns",ViewGridAdd:"SquaresPlus",ViewGrid:"Squares2X2",ViewList:"Bars4",VolumeOff:"SpeakerXMark",VolumeUp:"SpeakerWave",X:"XMark",ZoomIn:"MagnifyingGlassPlus",ZoomOut:"MagnifyingGlassMinus"},c=(0,t.computed)((function(){if(e=r.type,!Object.keys(a).includes(e))throw new Error(`Invalid icon type: ${r.type}`);var e;const t=u()(d()(r.name)).replace(/ /g,"");return s[t]?a[r.type][s[t]+"Icon"]:a[r.type][t+"Icon"]})),p=(0,t.computed)((()=>"mini"===r.type?"w-5 h-5":"micro"===r.type?"w-4 h-4":"w-6 h-6"));return(e,r)=>((0,t.openBlock)(),(0,t.createBlock)((0,t.resolveDynamicComponent)(c.value),{class:(0,t.normalizeClass)(p.value)},null,8,["class"]))}});var m=a(66262);const g=(0,m.A)(p,[["__file","Icon.vue"]]);const b={key:0,class:"-ml-1"},y=(0,t.defineComponent)({__name:"Badge",props:{icon:{},rounded:{type:Boolean},variant:{default:"info"},type:{default:"pill"},extraClasses:{},removable:{type:Boolean,default:!1}},setup(e){const r=e,{common:a,variants:o,types:l}={common:{wrapper:"min-h-6 inline-flex items-center space-x-1 whitespace-nowrap px-2 text-xs font-bold uppercase",button:"",buttonStroke:""},variants:{wrapper:{default:"bg-gray-100 text-gray-700 dark:bg-gray-400 dark:text-gray-900",info:"bg-blue-100 text-blue-700 dark:bg-blue-400 dark:text-blue-900",warning:"bg-yellow-100 text-yellow-800 dark:bg-yellow-400 dark:text-yellow-900",success:"bg-green-100 text-green-700 dark:bg-green-300 dark:text-green-900",danger:"bg-red-100 text-red-700 dark:bg-red-400 dark:text-red-900"},button:{default:"hover:bg-gray-500/20",info:"hover:bg-blue-600/20",warning:"hover:bg-yellow-600/20",success:"hover:bg-green-600/20",danger:"hover:bg-red-600/20"},buttonStroke:{default:"stroke-gray-600/50 dark:stroke-gray-800 group-hover:stroke-gray-600/75 dark:group-hover:stroke-gray-800",info:"stroke-blue-700/50 dark:stroke-blue-800 group-hover:stroke-blue-700/75 dark:group-hover:stroke-blue-800",warning:"stroke-yellow-700/50 dark:stroke-yellow-800 group-hover:stroke-yellow-700/75 dark:group-hover:stroke-yellow-800",success:"stroke-green-700/50 dark:stroke-green-800 group-hover:stroke-green-700/75 dark:group-hover:stroke-green-800",danger:"stroke-red-600/50 dark:stroke-red-800 group-hover:stroke-red-600/75 dark:group-hover:stroke-red-800"}},types:{pill:"rounded-full",brick:"rounded-md"}},n=(0,t.computed)((()=>[a.wrapper,o.wrapper[r.variant],l[r.type]])),i=(0,t.computed)((()=>[o.button[r.variant]])),s=(0,t.computed)((()=>[o.buttonStroke[r.variant]]));return(e,a)=>((0,t.openBlock)(),(0,t.createElementBlock)("span",{class:(0,t.normalizeClass)(n.value)},[e.icon?((0,t.openBlock)(),(0,t.createElementBlock)("span",b,[(0,t.createVNode)(g,{name:e.icon,type:"mini"},null,8,["name"])])):(0,t.createCommentVNode)("",!0),(0,t.createElementVNode)("span",null,[(0,t.renderSlot)(e.$slots,"default")]),r.removable?((0,t.openBlock)(),(0,t.createElementBlock)("button",{key:1,type:"button",class:(0,t.normalizeClass)(["group relative -mr-1 h-3.5 w-3.5 rounded-sm",i.value])},[a[1]||(a[1]=(0,t.createElementVNode)("span",{class:"sr-only"},"Remove",-1)),((0,t.openBlock)(),(0,t.createElementBlock)("svg",{viewBox:"0 0 14 14",class:(0,t.normalizeClass)(["h-3.5 w-3.5",s.value])},a[0]||(a[0]=[(0,t.createElementVNode)("path",{d:"M4 4l6 6m0-6l-6 6"},null,-1)]),2)),a[2]||(a[2]=(0,t.createElementVNode)("span",{class:"absolute -inset-1"},null,-1))],2)):(0,t.createCommentVNode)("",!0)],2))}}),h=(0,m.A)(y,[["__file","Badge.vue"]]),f=["fill"],w=(0,t.defineComponent)({__name:"Loader",props:{width:{default:50},fillColor:{default:"currentColor"}},setup:e=>(e,r)=>((0,t.openBlock)(),(0,t.createElementBlock)("svg",{class:"mx-auto block",style:(0,t.normalizeStyle)({width:`${e.width}px`}),viewBox:"0 0 120 30",xmlns:"http://www.w3.org/2000/svg",fill:e.fillColor},r[0]||(r[0]=[(0,t.createStaticVNode)('<circle cx="15" cy="15" r="15"><animate attributeName="r" from="15" to="15" begin="0s" dur="0.8s" values="15;9;15" calcMode="linear" repeatCount="indefinite"></animate><animate attributeName="fill-opacity" from="1" to="1" begin="0s" dur="0.8s" values="1;.5;1" calcMode="linear" repeatCount="indefinite"></animate></circle><circle cx="60" cy="15" r="9" fill-opacity="0.3"><animate attributeName="r" from="9" to="9" begin="0s" dur="0.8s" values="9;15;9" calcMode="linear" repeatCount="indefinite"></animate><animate attributeName="fill-opacity" from="0.5" to="0.5" begin="0s" dur="0.8s" values=".5;1;.5" calcMode="linear" repeatCount="indefinite"></animate></circle><circle cx="105" cy="15" r="15"><animate attributeName="r" from="15" to="15" begin="0s" dur="0.8s" values="15;9;15" calcMode="linear" repeatCount="indefinite"></animate><animate attributeName="fill-opacity" from="1" to="1" begin="0s" dur="0.8s" values="1;.5;1" calcMode="linear" repeatCount="indefinite"></animate></circle>',3)]),12,f))}),v=(0,m.A)(w,[["__file","Loader.vue"]]);function k(e,r){var a=Object.keys(e);if(Object.getOwnPropertySymbols){var t=Object.getOwnPropertySymbols(e);r&&(t=t.filter((function(r){return Object.getOwnPropertyDescriptor(e,r).enumerable}))),a.push.apply(a,t)}return a}function x(e){for(var r=1;r<arguments.length;r++){var a=null!=arguments[r]?arguments[r]:{};r%2?k(Object(a),!0).forEach((function(r){C(e,r,a[r])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(a)):k(Object(a)).forEach((function(r){Object.defineProperty(e,r,Object.getOwnPropertyDescriptor(a,r))}))}return e}function C(e,r,a){return(r=function(e){var r=function(e,r){if("object"!=typeof e||!e)return e;var a=e[Symbol.toPrimitive];if(void 0!==a){var t=a.call(e,r||"default");if("object"!=typeof t)return t;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===r?String:Number)(e)}(e,"string");return"symbol"==typeof r?r:r+""}(r))in e?Object.defineProperty(e,r,{value:a,enumerable:!0,configurable:!0,writable:!0}):e[r]=a,e}const A={base:"",baseAs:"",class:"bg-transparent border-gray-300 hover:[&:not(:disabled)]:text-primary-500 dark:border-gray-600",sizes:{small:"h-7 text-xs",large:"h-9"},padding:{default:{small:"px-2",large:"px-3"}},states:{},loaderSize:{small:28,large:32}};function B(){const e={solid:{base:"",baseAs:"",class:"shadow",sizes:{small:"h-7 text-xs",large:"h-9"},padding:{default:{small:"px-2",large:"px-3"},tight:{small:"px-2",large:"px-1.5"}},states:{default:{small:"bg-primary-500 border-primary-500 hover:[&:not(:disabled)]:bg-primary-400 hover:[&:not(:disabled)]:border-primary-400 text-white dark:text-gray-900",large:"bg-primary-500 border-primary-500 hover:[&:not(:disabled)]:bg-primary-400 hover:[&:not(:disabled)]:border-primary-400 text-white dark:text-gray-900"},danger:{small:"bg-red-500 border-red-500 hover:[&:not(:disabled)]:bg-red-400 hover:[&:not(:disabled)]:border-red-400 text-white dark:text-red-950",large:"bg-red-500 border-red-500 hover:[&:not(:disabled)]:bg-red-400 hover:[&:not(:disabled)]:border-red-400 text-white dark:text-red-950"}},loaderSize:{small:28,large:32}},ghost:{base:"",baseAs:"",class:"bg-transparent border-transparent",sizes:{small:"h-7 text-xs",large:"h-9"},padding:{default:{small:"px-2",large:"px-3"},tight:{small:"px-2",large:"px-1.5"}},states:{default:{small:"text-gray-600 dark:text-gray-400 hover:[&:not(:disabled)]:bg-gray-700/5 dark:hover:[&:not(:disabled)]:bg-gray-950",large:"text-gray-600 dark:text-gray-400 hover:[&:not(:disabled)]:bg-gray-700/5 dark:hover:[&:not(:disabled)]:bg-gray-950"}},loaderSize:{small:28,large:32}},outline:A,icon:A,link:{base:"",baseAs:"",class:"border-transparent ",sizes:{small:"h-7 text-xs",large:"h-9"},alignment:{left:"text-left",center:"text-center"},padding:{default:{small:"px-2",large:"px-3"}},states:{default:{small:"text-primary-500 hover:[&:not(:disabled)]:text-primary-400",large:"text-primary-500 hover:[&:not(:disabled)]:text-primary-400"},mellow:{small:"text-gray-500 hover:[&:not(:disabled)]:text-gray-400 dark:enabled:text-gray-400 dark:enabled:hover:text-gray-300",large:"text-gray-500 hover:[&:not(:disabled)]:text-gray-400 dark:enabled:text-gray-400 dark:enabled:hover:text-gray-300"},danger:{small:"text-red-500 hover:[&:not(:disabled)]:text-red-400",large:"text-red-500 hover:[&:not(:disabled)]:text-red-400"}}},action:{base:"",baseAs:"",class:"bg-transparent border-transparent text-gray-500 dark:text-gray-400 hover:[&:not(:disabled)]:text-primary-500",sizes:{large:"h-9 w-9"},padding:{default:{small:"",large:""}},states:{},loaderSize:{small:28,large:32}}},r=()=>Object.keys(e).map((r=>{const a=e[r].sizes;return{[r]:Object.keys(a)}})).reduce(((e,r)=>x(x({},e),r)),{});function a(e,a){const t=r();return t[e]?.includes(a)??!1}function t(r,a){const t=Object.keys(e).map((r=>{const a=e[r]?.padding;return{[r]:Object.keys(a??[])}})).reduce(((e,r)=>x(x({},e),r)),{});return t[r]?.includes(a)??!1}return{base:"border text-left appearance-none cursor-pointer rounded text-sm font-bold focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600 relative disabled:cursor-not-allowed",baseAs:"inline-flex items-center justify-center",disabled:"disabled:opacity-50",variants:e,availableSizes:r,checkSize:a,validateSize:function(e,r){if(!a(e,r))throw new Error(`Invalid variant/size combination: ${e}/${r}`)},validatePadding:function(e,r){if(!t(e,r))throw new Error(`Invalid variant/padding combination: ${e}/${r}`)},iconType:function(e,r){return"outline"}}}const S={key:0},D={key:1},V={key:2},O={key:0,class:"absolute",style:{top:"50%",left:"50%",transform:"translate(-50%, -50%)"}},E=(0,t.defineComponent)({__name:"Button",props:{as:{default:"button"},size:{default:"large"},label:{},variant:{default:"solid"},state:{default:"default"},padding:{default:"default"},loading:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1},icon:{},leadingIcon:{},trailingIcon:{}},setup(e){const{base:r,baseAs:a,variants:o,disabled:l,validateSize:n,validatePadding:i}=B(),s=e,d=(0,t.computed)((()=>s.size)),c=(0,t.computed)((()=>s.padding));n(s.variant,d.value),i(s.variant,c.value);const u=(0,t.computed)((()=>s.disabled||s.loading)),p=(0,t.computed)((()=>[r,s.as?a:"",s.disabled&&!s.loading&&l,o[s.variant]?.class||"",o[s.variant]?.sizes[d.value]||"",o[s.variant]?.padding[s.padding]?.[d.value]||"",o[s.variant]?.states[s.state]?.[d.value]||""])),m=(0,t.computed)((()=>o[s.variant]?.loaderSize[d.value])),b=(0,t.computed)((()=>"large"===d.value?"outline":"small"===d.value?"micro":"mini")),y=(0,t.computed)((()=>"mini"));return(e,r)=>((0,t.openBlock)(),(0,t.createBlock)((0,t.resolveDynamicComponent)(e.as),{type:"button"===e.as?"button":null,class:(0,t.normalizeClass)(p.value),disabled:u.value},{default:(0,t.withCtx)((()=>[(0,t.createElementVNode)("span",{class:(0,t.normalizeClass)(["flex items-center gap-1",{invisible:e.loading}])},[e.leadingIcon?((0,t.openBlock)(),(0,t.createElementBlock)("span",S,[(0,t.createVNode)(g,{name:e.leadingIcon,type:y.value},null,8,["name","type"])])):(0,t.createCommentVNode)("",!0),e.icon?((0,t.openBlock)(),(0,t.createElementBlock)("span",D,[(0,t.createVNode)(g,{name:e.icon,type:b.value},null,8,["name","type"])])):(0,t.createCommentVNode)("",!0),(0,t.renderSlot)(e.$slots,"default",{},(()=>[(0,t.createTextVNode)((0,t.toDisplayString)(e.label),1)])),e.trailingIcon?((0,t.openBlock)(),(0,t.createElementBlock)("span",V,[(0,t.createVNode)(g,{name:e.trailingIcon,type:y.value},null,8,["name","type"])])):(0,t.createCommentVNode)("",!0)],2),e.loading?((0,t.openBlock)(),(0,t.createElementBlock)("span",O,[(0,t.createVNode)(v,{width:m.value},null,8,["width"])])):(0,t.createCommentVNode)("",!0)])),_:3},8,["type","class","disabled"]))}}),N=(0,m.A)(E,[["__file","Button.vue"]]),L={key:0},M=(0,t.defineComponent)({__name:"Checkbox",props:{modelValue:{type:Boolean,default:!1},indeterminate:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1},label:{}},emits:["update:modelValue","change"],setup(e,{expose:r,emit:a}){const o=e,l=a,n=(0,t.ref)(!1),i=(0,t.ref)(null),s=(0,t.computed)((()=>o.indeterminate?"indeterminate":o.modelValue?"checked":"unchecked")),d=e=>{o.disabled||(l("change",!o.modelValue),l("update:modelValue",!o.modelValue))},c=(0,t.computed)((()=>{const{label:e,disabled:r}=o;return{"aria-label":e,"aria-disabled":r,"data-focus":!o.disabled&&n.value,"data-state":s.value,":aria-checked":o.indeterminate?"mixed":o.modelValue,checkedValue:o.modelValue,checkedState:s.value}})),u=(0,t.computed)((()=>"div"));return r({focus:()=>{n.value=!0,i.value?.focus()}}),(e,r)=>((0,t.openBlock)(),(0,t.createBlock)((0,t.resolveDynamicComponent)(u.value),(0,t.mergeProps)({onClick:d,onKeydown:(0,t.withKeys)((0,t.withModifiers)(d,["prevent"]),["space"]),onFocus:r[0]||(r[0]=e=>n.value=!0),onBlur:r[1]||(r[1]=e=>n.value=!1),tabindex:e.disabled?"-1":0,class:"group inline-flex shrink-0 items-center gap-2 focus:outline-none",role:"checkbox"},c.value,{ref_key:"theCheckbox",ref:i}),{default:(0,t.withCtx)((()=>[(0,t.createElementVNode)("span",{class:(0,t.normalizeClass)(["relative inline-flex h-4 w-4 items-center justify-center rounded border border-gray-950/20 bg-white text-white ring-offset-2 group-data-[state=checked]:border-primary-500 group-data-[state=indeterminate]:border-primary-500 group-data-[state=checked]:bg-primary-500 group-data-[state=indeterminate]:bg-primary-500 group-data-[focus=true]:ring-2 group-data-[focus=true]:ring-primary-500 dark:border-gray-600 dark:bg-gray-900 group-data-[focus]:dark:ring-offset-gray-950",{"bg-gray-200 opacity-50 dark:!border-gray-500 dark:!bg-gray-600":e.disabled}])},r[2]||(r[2]=[(0,t.createElementVNode)("svg",{xmlns:"http://www.w3.org/2000/svg",class:"h-3 w-3",viewBox:"0 0 12 12"},[(0,t.createElementVNode)("g",{fill:"currentColor","fill-rule":"nonzero"},[(0,t.createElementVNode)("path",{class:"group-data-[state=checked]:opacity-0 group-data-[state=indeterminate]:opacity-100 group-data-[state=unchecked]:opacity-0",d:"M9.999 6a1 1 0 0 1-.883.993L8.999 7h-6a1 1 0 0 1-.117-1.993L2.999 5h6a1 1 0 0 1 1 1Z"}),(0,t.createElementVNode)("path",{class:"group-data-[state=checked]:opacity-100 group-data-[state=indeterminate]:opacity-0 group-data-[state=unchecked]:opacity-0",d:"M3.708 5.293a1 1 0 1 0-1.415 1.416l2 2a1 1 0 0 0 1.414 0l4-4a1 1 0 0 0-1.414-1.416L5.001 6.587 3.708 5.293Z"})])],-1)]),2),e.label||e.$slots.default?((0,t.openBlock)(),(0,t.createElementBlock)("span",L,[(0,t.renderSlot)(e.$slots,"default",{},(()=>[(0,t.createTextVNode)((0,t.toDisplayString)(e.label),1)]))])):(0,t.createCommentVNode)("",!0)])),_:3},16,["onKeydown","tabindex"]))}}),P=(0,m.A)(M,[["__file","Checkbox.vue"]])},81667:(e,r,a)=>{window.LaravelNovaUi=a(1973)}},e=>{e.O(0,[332],(()=>{return r=81667,e(e.s=r);var r}));e.O()}]);
\ No newline at end of file
diff --git a/application/public/vendor/nova/vendor.js b/application/public/vendor/nova/vendor.js
index debf0550..113ae207 100644
--- a/application/public/vendor/nova/vendor.js
+++ b/application/public/vendor/nova/vendor.js
@@ -1,2 +1,2 @@
 /*! For license information please see vendor.js.LICENSE.txt */
-(self.webpackChunklaravel_nova=self.webpackChunklaravel_nova||[]).push([[332],{98234:(e,t,n)=>{"use strict";function r(e){if(null==e)return window;if("[object Window]"!==e.toString()){var t=e.ownerDocument;return t&&t.defaultView||window}return e}function o(e){return e instanceof r(e).Element||e instanceof Element}function i(e){return e instanceof r(e).HTMLElement||e instanceof HTMLElement}function a(e){return"undefined"!=typeof ShadowRoot&&(e instanceof r(e).ShadowRoot||e instanceof ShadowRoot)}n.d(t,{n4:()=>fe});var l=Math.max,s=Math.min,c=Math.round;function u(){var e=navigator.userAgentData;return null!=e&&e.brands&&Array.isArray(e.brands)?e.brands.map((function(e){return e.brand+"/"+e.version})).join(" "):navigator.userAgent}function d(){return!/^((?!chrome|android).)*safari/i.test(u())}function h(e,t,n){void 0===t&&(t=!1),void 0===n&&(n=!1);var a=e.getBoundingClientRect(),l=1,s=1;t&&i(e)&&(l=e.offsetWidth>0&&c(a.width)/e.offsetWidth||1,s=e.offsetHeight>0&&c(a.height)/e.offsetHeight||1);var u=(o(e)?r(e):window).visualViewport,h=!d()&&n,p=(a.left+(h&&u?u.offsetLeft:0))/l,f=(a.top+(h&&u?u.offsetTop:0))/s,m=a.width/l,v=a.height/s;return{width:m,height:v,top:f,right:p+m,bottom:f+v,left:p,x:p,y:f}}function p(e){var t=r(e);return{scrollLeft:t.pageXOffset,scrollTop:t.pageYOffset}}function f(e){return e?(e.nodeName||"").toLowerCase():null}function m(e){return((o(e)?e.ownerDocument:e.document)||window.document).documentElement}function v(e){return h(m(e)).left+p(e).scrollLeft}function g(e){return r(e).getComputedStyle(e)}function w(e){var t=g(e),n=t.overflow,r=t.overflowX,o=t.overflowY;return/auto|scroll|overlay|hidden/.test(n+o+r)}function y(e,t,n){void 0===n&&(n=!1);var o,a,l=i(t),s=i(t)&&function(e){var t=e.getBoundingClientRect(),n=c(t.width)/e.offsetWidth||1,r=c(t.height)/e.offsetHeight||1;return 1!==n||1!==r}(t),u=m(t),d=h(e,s,n),g={scrollLeft:0,scrollTop:0},y={x:0,y:0};return(l||!l&&!n)&&(("body"!==f(t)||w(u))&&(g=(o=t)!==r(o)&&i(o)?{scrollLeft:(a=o).scrollLeft,scrollTop:a.scrollTop}:p(o)),i(t)?((y=h(t,!0)).x+=t.clientLeft,y.y+=t.clientTop):u&&(y.x=v(u))),{x:d.left+g.scrollLeft-y.x,y:d.top+g.scrollTop-y.y,width:d.width,height:d.height}}function b(e){var t=h(e),n=e.offsetWidth,r=e.offsetHeight;return Math.abs(t.width-n)<=1&&(n=t.width),Math.abs(t.height-r)<=1&&(r=t.height),{x:e.offsetLeft,y:e.offsetTop,width:n,height:r}}function x(e){return"html"===f(e)?e:e.assignedSlot||e.parentNode||(a(e)?e.host:null)||m(e)}function k(e){return["html","body","#document"].indexOf(f(e))>=0?e.ownerDocument.body:i(e)&&w(e)?e:k(x(e))}function E(e,t){var n;void 0===t&&(t=[]);var o=k(e),i=o===(null==(n=e.ownerDocument)?void 0:n.body),a=r(o),l=i?[a].concat(a.visualViewport||[],w(o)?o:[]):o,s=t.concat(l);return i?s:s.concat(E(x(l)))}function A(e){return["table","td","th"].indexOf(f(e))>=0}function C(e){return i(e)&&"fixed"!==g(e).position?e.offsetParent:null}function B(e){for(var t=r(e),n=C(e);n&&A(n)&&"static"===g(n).position;)n=C(n);return n&&("html"===f(n)||"body"===f(n)&&"static"===g(n).position)?t:n||function(e){var t=/firefox/i.test(u());if(/Trident/i.test(u())&&i(e)&&"fixed"===g(e).position)return null;var n=x(e);for(a(n)&&(n=n.host);i(n)&&["html","body"].indexOf(f(n))<0;){var r=g(n);if("none"!==r.transform||"none"!==r.perspective||"paint"===r.contain||-1!==["transform","perspective"].indexOf(r.willChange)||t&&"filter"===r.willChange||t&&r.filter&&"none"!==r.filter)return n;n=n.parentNode}return null}(e)||t}var M="top",_="bottom",S="right",N="left",V="auto",L=[M,_,S,N],T="start",I="end",Z="viewport",O="popper",D=L.reduce((function(e,t){return e.concat([t+"-"+T,t+"-"+I])}),[]),R=[].concat(L,[V]).reduce((function(e,t){return e.concat([t,t+"-"+T,t+"-"+I])}),[]),H=["beforeRead","read","afterRead","beforeMain","main","afterMain","beforeWrite","write","afterWrite"];function P(e){var t=new Map,n=new Set,r=[];function o(e){n.add(e.name),[].concat(e.requires||[],e.requiresIfExists||[]).forEach((function(e){if(!n.has(e)){var r=t.get(e);r&&o(r)}})),r.push(e)}return e.forEach((function(e){t.set(e.name,e)})),e.forEach((function(e){n.has(e.name)||o(e)})),r}var j={placement:"bottom",modifiers:[],strategy:"absolute"};function F(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return!t.some((function(e){return!(e&&"function"==typeof e.getBoundingClientRect)}))}function z(e){void 0===e&&(e={});var t=e,n=t.defaultModifiers,r=void 0===n?[]:n,i=t.defaultOptions,a=void 0===i?j:i;return function(e,t,n){void 0===n&&(n=a);var i,l,s={placement:"bottom",orderedModifiers:[],options:Object.assign({},j,a),modifiersData:{},elements:{reference:e,popper:t},attributes:{},styles:{}},c=[],u=!1,d={state:s,setOptions:function(n){var i="function"==typeof n?n(s.options):n;h(),s.options=Object.assign({},a,s.options,i),s.scrollParents={reference:o(e)?E(e):e.contextElement?E(e.contextElement):[],popper:E(t)};var l,u,p=function(e){var t=P(e);return H.reduce((function(e,n){return e.concat(t.filter((function(e){return e.phase===n})))}),[])}((l=[].concat(r,s.options.modifiers),u=l.reduce((function(e,t){var n=e[t.name];return e[t.name]=n?Object.assign({},n,t,{options:Object.assign({},n.options,t.options),data:Object.assign({},n.data,t.data)}):t,e}),{}),Object.keys(u).map((function(e){return u[e]}))));return s.orderedModifiers=p.filter((function(e){return e.enabled})),s.orderedModifiers.forEach((function(e){var t=e.name,n=e.options,r=void 0===n?{}:n,o=e.effect;if("function"==typeof o){var i=o({state:s,name:t,instance:d,options:r}),a=function(){};c.push(i||a)}})),d.update()},forceUpdate:function(){if(!u){var e=s.elements,t=e.reference,n=e.popper;if(F(t,n)){s.rects={reference:y(t,B(n),"fixed"===s.options.strategy),popper:b(n)},s.reset=!1,s.placement=s.options.placement,s.orderedModifiers.forEach((function(e){return s.modifiersData[e.name]=Object.assign({},e.data)}));for(var r=0;r<s.orderedModifiers.length;r++)if(!0!==s.reset){var o=s.orderedModifiers[r],i=o.fn,a=o.options,l=void 0===a?{}:a,c=o.name;"function"==typeof i&&(s=i({state:s,options:l,name:c,instance:d})||s)}else s.reset=!1,r=-1}}},update:(i=function(){return new Promise((function(e){d.forceUpdate(),e(s)}))},function(){return l||(l=new Promise((function(e){Promise.resolve().then((function(){l=void 0,e(i())}))}))),l}),destroy:function(){h(),u=!0}};if(!F(e,t))return d;function h(){c.forEach((function(e){return e()})),c=[]}return d.setOptions(n).then((function(e){!u&&n.onFirstUpdate&&n.onFirstUpdate(e)})),d}}var q={passive:!0};function U(e){return e.split("-")[0]}function $(e){return e.split("-")[1]}function W(e){return["top","bottom"].indexOf(e)>=0?"x":"y"}function G(e){var t,n=e.reference,r=e.element,o=e.placement,i=o?U(o):null,a=o?$(o):null,l=n.x+n.width/2-r.width/2,s=n.y+n.height/2-r.height/2;switch(i){case M:t={x:l,y:n.y-r.height};break;case _:t={x:l,y:n.y+n.height};break;case S:t={x:n.x+n.width,y:s};break;case N:t={x:n.x-r.width,y:s};break;default:t={x:n.x,y:n.y}}var c=i?W(i):null;if(null!=c){var u="y"===c?"height":"width";switch(a){case T:t[c]=t[c]-(n[u]/2-r[u]/2);break;case I:t[c]=t[c]+(n[u]/2-r[u]/2)}}return t}var K={top:"auto",right:"auto",bottom:"auto",left:"auto"};function Y(e){var t,n=e.popper,o=e.popperRect,i=e.placement,a=e.variation,l=e.offsets,s=e.position,u=e.gpuAcceleration,d=e.adaptive,h=e.roundOffsets,p=e.isFixed,f=l.x,v=void 0===f?0:f,w=l.y,y=void 0===w?0:w,b="function"==typeof h?h({x:v,y}):{x:v,y};v=b.x,y=b.y;var x=l.hasOwnProperty("x"),k=l.hasOwnProperty("y"),E=N,A=M,C=window;if(d){var V=B(n),L="clientHeight",T="clientWidth";if(V===r(n)&&"static"!==g(V=m(n)).position&&"absolute"===s&&(L="scrollHeight",T="scrollWidth"),i===M||(i===N||i===S)&&a===I)A=_,y-=(p&&V===C&&C.visualViewport?C.visualViewport.height:V[L])-o.height,y*=u?1:-1;if(i===N||(i===M||i===_)&&a===I)E=S,v-=(p&&V===C&&C.visualViewport?C.visualViewport.width:V[T])-o.width,v*=u?1:-1}var Z,O=Object.assign({position:s},d&&K),D=!0===h?function(e,t){var n=e.x,r=e.y,o=t.devicePixelRatio||1;return{x:c(n*o)/o||0,y:c(r*o)/o||0}}({x:v,y},r(n)):{x:v,y};return v=D.x,y=D.y,u?Object.assign({},O,((Z={})[A]=k?"0":"",Z[E]=x?"0":"",Z.transform=(C.devicePixelRatio||1)<=1?"translate("+v+"px, "+y+"px)":"translate3d("+v+"px, "+y+"px, 0)",Z)):Object.assign({},O,((t={})[A]=k?y+"px":"",t[E]=x?v+"px":"",t.transform="",t))}const X={name:"offset",enabled:!0,phase:"main",requires:["popperOffsets"],fn:function(e){var t=e.state,n=e.options,r=e.name,o=n.offset,i=void 0===o?[0,0]:o,a=R.reduce((function(e,n){return e[n]=function(e,t,n){var r=U(e),o=[N,M].indexOf(r)>=0?-1:1,i="function"==typeof n?n(Object.assign({},t,{placement:e})):n,a=i[0],l=i[1];return a=a||0,l=(l||0)*o,[N,S].indexOf(r)>=0?{x:l,y:a}:{x:a,y:l}}(n,t.rects,i),e}),{}),l=a[t.placement],s=l.x,c=l.y;null!=t.modifiersData.popperOffsets&&(t.modifiersData.popperOffsets.x+=s,t.modifiersData.popperOffsets.y+=c),t.modifiersData[r]=a}};var J={left:"right",right:"left",bottom:"top",top:"bottom"};function Q(e){return e.replace(/left|right|bottom|top/g,(function(e){return J[e]}))}var ee={start:"end",end:"start"};function te(e){return e.replace(/start|end/g,(function(e){return ee[e]}))}function ne(e,t){var n=t.getRootNode&&t.getRootNode();if(e.contains(t))return!0;if(n&&a(n)){var r=t;do{if(r&&e.isSameNode(r))return!0;r=r.parentNode||r.host}while(r)}return!1}function re(e){return Object.assign({},e,{left:e.x,top:e.y,right:e.x+e.width,bottom:e.y+e.height})}function oe(e,t,n){return t===Z?re(function(e,t){var n=r(e),o=m(e),i=n.visualViewport,a=o.clientWidth,l=o.clientHeight,s=0,c=0;if(i){a=i.width,l=i.height;var u=d();(u||!u&&"fixed"===t)&&(s=i.offsetLeft,c=i.offsetTop)}return{width:a,height:l,x:s+v(e),y:c}}(e,n)):o(t)?function(e,t){var n=h(e,!1,"fixed"===t);return n.top=n.top+e.clientTop,n.left=n.left+e.clientLeft,n.bottom=n.top+e.clientHeight,n.right=n.left+e.clientWidth,n.width=e.clientWidth,n.height=e.clientHeight,n.x=n.left,n.y=n.top,n}(t,n):re(function(e){var t,n=m(e),r=p(e),o=null==(t=e.ownerDocument)?void 0:t.body,i=l(n.scrollWidth,n.clientWidth,o?o.scrollWidth:0,o?o.clientWidth:0),a=l(n.scrollHeight,n.clientHeight,o?o.scrollHeight:0,o?o.clientHeight:0),s=-r.scrollLeft+v(e),c=-r.scrollTop;return"rtl"===g(o||n).direction&&(s+=l(n.clientWidth,o?o.clientWidth:0)-i),{width:i,height:a,x:s,y:c}}(m(e)))}function ie(e,t,n,r){var a="clippingParents"===t?function(e){var t=E(x(e)),n=["absolute","fixed"].indexOf(g(e).position)>=0&&i(e)?B(e):e;return o(n)?t.filter((function(e){return o(e)&&ne(e,n)&&"body"!==f(e)})):[]}(e):[].concat(t),c=[].concat(a,[n]),u=c[0],d=c.reduce((function(t,n){var o=oe(e,n,r);return t.top=l(o.top,t.top),t.right=s(o.right,t.right),t.bottom=s(o.bottom,t.bottom),t.left=l(o.left,t.left),t}),oe(e,u,r));return d.width=d.right-d.left,d.height=d.bottom-d.top,d.x=d.left,d.y=d.top,d}function ae(e){return Object.assign({},{top:0,right:0,bottom:0,left:0},e)}function le(e,t){return t.reduce((function(t,n){return t[n]=e,t}),{})}function se(e,t){void 0===t&&(t={});var n=t,r=n.placement,i=void 0===r?e.placement:r,a=n.strategy,l=void 0===a?e.strategy:a,s=n.boundary,c=void 0===s?"clippingParents":s,u=n.rootBoundary,d=void 0===u?Z:u,p=n.elementContext,f=void 0===p?O:p,v=n.altBoundary,g=void 0!==v&&v,w=n.padding,y=void 0===w?0:w,b=ae("number"!=typeof y?y:le(y,L)),x=f===O?"reference":O,k=e.rects.popper,E=e.elements[g?x:f],A=ie(o(E)?E:E.contextElement||m(e.elements.popper),c,d,l),C=h(e.elements.reference),B=G({reference:C,element:k,strategy:"absolute",placement:i}),N=re(Object.assign({},k,B)),V=f===O?N:C,T={top:A.top-V.top+b.top,bottom:V.bottom-A.bottom+b.bottom,left:A.left-V.left+b.left,right:V.right-A.right+b.right},I=e.modifiersData.offset;if(f===O&&I){var D=I[i];Object.keys(T).forEach((function(e){var t=[S,_].indexOf(e)>=0?1:-1,n=[M,_].indexOf(e)>=0?"y":"x";T[e]+=D[n]*t}))}return T}function ce(e,t,n){return l(e,s(t,n))}const ue={name:"preventOverflow",enabled:!0,phase:"main",fn:function(e){var t=e.state,n=e.options,r=e.name,o=n.mainAxis,i=void 0===o||o,a=n.altAxis,c=void 0!==a&&a,u=n.boundary,d=n.rootBoundary,h=n.altBoundary,p=n.padding,f=n.tether,m=void 0===f||f,v=n.tetherOffset,g=void 0===v?0:v,w=se(t,{boundary:u,rootBoundary:d,padding:p,altBoundary:h}),y=U(t.placement),x=$(t.placement),k=!x,E=W(y),A="x"===E?"y":"x",C=t.modifiersData.popperOffsets,V=t.rects.reference,L=t.rects.popper,I="function"==typeof g?g(Object.assign({},t.rects,{placement:t.placement})):g,Z="number"==typeof I?{mainAxis:I,altAxis:I}:Object.assign({mainAxis:0,altAxis:0},I),O=t.modifiersData.offset?t.modifiersData.offset[t.placement]:null,D={x:0,y:0};if(C){if(i){var R,H="y"===E?M:N,P="y"===E?_:S,j="y"===E?"height":"width",F=C[E],z=F+w[H],q=F-w[P],G=m?-L[j]/2:0,K=x===T?V[j]:L[j],Y=x===T?-L[j]:-V[j],X=t.elements.arrow,J=m&&X?b(X):{width:0,height:0},Q=t.modifiersData["arrow#persistent"]?t.modifiersData["arrow#persistent"].padding:{top:0,right:0,bottom:0,left:0},ee=Q[H],te=Q[P],ne=ce(0,V[j],J[j]),re=k?V[j]/2-G-ne-ee-Z.mainAxis:K-ne-ee-Z.mainAxis,oe=k?-V[j]/2+G+ne+te+Z.mainAxis:Y+ne+te+Z.mainAxis,ie=t.elements.arrow&&B(t.elements.arrow),ae=ie?"y"===E?ie.clientTop||0:ie.clientLeft||0:0,le=null!=(R=null==O?void 0:O[E])?R:0,ue=F+oe-le,de=ce(m?s(z,F+re-le-ae):z,F,m?l(q,ue):q);C[E]=de,D[E]=de-F}if(c){var he,pe="x"===E?M:N,fe="x"===E?_:S,me=C[A],ve="y"===A?"height":"width",ge=me+w[pe],we=me-w[fe],ye=-1!==[M,N].indexOf(y),be=null!=(he=null==O?void 0:O[A])?he:0,xe=ye?ge:me-V[ve]-L[ve]-be+Z.altAxis,ke=ye?me+V[ve]+L[ve]-be-Z.altAxis:we,Ee=m&&ye?function(e,t,n){var r=ce(e,t,n);return r>n?n:r}(xe,me,ke):ce(m?xe:ge,me,m?ke:we);C[A]=Ee,D[A]=Ee-me}t.modifiersData[r]=D}},requiresIfExists:["offset"]};const de={name:"arrow",enabled:!0,phase:"main",fn:function(e){var t,n=e.state,r=e.name,o=e.options,i=n.elements.arrow,a=n.modifiersData.popperOffsets,l=U(n.placement),s=W(l),c=[N,S].indexOf(l)>=0?"height":"width";if(i&&a){var u=function(e,t){return ae("number"!=typeof(e="function"==typeof e?e(Object.assign({},t.rects,{placement:t.placement})):e)?e:le(e,L))}(o.padding,n),d=b(i),h="y"===s?M:N,p="y"===s?_:S,f=n.rects.reference[c]+n.rects.reference[s]-a[s]-n.rects.popper[c],m=a[s]-n.rects.reference[s],v=B(i),g=v?"y"===s?v.clientHeight||0:v.clientWidth||0:0,w=f/2-m/2,y=u[h],x=g-d[c]-u[p],k=g/2-d[c]/2+w,E=ce(y,k,x),A=s;n.modifiersData[r]=((t={})[A]=E,t.centerOffset=E-k,t)}},effect:function(e){var t=e.state,n=e.options.element,r=void 0===n?"[data-popper-arrow]":n;null!=r&&("string"!=typeof r||(r=t.elements.popper.querySelector(r)))&&ne(t.elements.popper,r)&&(t.elements.arrow=r)},requires:["popperOffsets"],requiresIfExists:["preventOverflow"]};function he(e,t,n){return void 0===n&&(n={x:0,y:0}),{top:e.top-t.height-n.y,right:e.right-t.width+n.x,bottom:e.bottom-t.height+n.y,left:e.left-t.width-n.x}}function pe(e){return[M,S,_,N].some((function(t){return e[t]>=0}))}var fe=z({defaultModifiers:[{name:"eventListeners",enabled:!0,phase:"write",fn:function(){},effect:function(e){var t=e.state,n=e.instance,o=e.options,i=o.scroll,a=void 0===i||i,l=o.resize,s=void 0===l||l,c=r(t.elements.popper),u=[].concat(t.scrollParents.reference,t.scrollParents.popper);return a&&u.forEach((function(e){e.addEventListener("scroll",n.update,q)})),s&&c.addEventListener("resize",n.update,q),function(){a&&u.forEach((function(e){e.removeEventListener("scroll",n.update,q)})),s&&c.removeEventListener("resize",n.update,q)}},data:{}},{name:"popperOffsets",enabled:!0,phase:"read",fn:function(e){var t=e.state,n=e.name;t.modifiersData[n]=G({reference:t.rects.reference,element:t.rects.popper,strategy:"absolute",placement:t.placement})},data:{}},{name:"computeStyles",enabled:!0,phase:"beforeWrite",fn:function(e){var t=e.state,n=e.options,r=n.gpuAcceleration,o=void 0===r||r,i=n.adaptive,a=void 0===i||i,l=n.roundOffsets,s=void 0===l||l,c={placement:U(t.placement),variation:$(t.placement),popper:t.elements.popper,popperRect:t.rects.popper,gpuAcceleration:o,isFixed:"fixed"===t.options.strategy};null!=t.modifiersData.popperOffsets&&(t.styles.popper=Object.assign({},t.styles.popper,Y(Object.assign({},c,{offsets:t.modifiersData.popperOffsets,position:t.options.strategy,adaptive:a,roundOffsets:s})))),null!=t.modifiersData.arrow&&(t.styles.arrow=Object.assign({},t.styles.arrow,Y(Object.assign({},c,{offsets:t.modifiersData.arrow,position:"absolute",adaptive:!1,roundOffsets:s})))),t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-placement":t.placement})},data:{}},{name:"applyStyles",enabled:!0,phase:"write",fn:function(e){var t=e.state;Object.keys(t.elements).forEach((function(e){var n=t.styles[e]||{},r=t.attributes[e]||{},o=t.elements[e];i(o)&&f(o)&&(Object.assign(o.style,n),Object.keys(r).forEach((function(e){var t=r[e];!1===t?o.removeAttribute(e):o.setAttribute(e,!0===t?"":t)})))}))},effect:function(e){var t=e.state,n={popper:{position:t.options.strategy,left:"0",top:"0",margin:"0"},arrow:{position:"absolute"},reference:{}};return Object.assign(t.elements.popper.style,n.popper),t.styles=n,t.elements.arrow&&Object.assign(t.elements.arrow.style,n.arrow),function(){Object.keys(t.elements).forEach((function(e){var r=t.elements[e],o=t.attributes[e]||{},a=Object.keys(t.styles.hasOwnProperty(e)?t.styles[e]:n[e]).reduce((function(e,t){return e[t]="",e}),{});i(r)&&f(r)&&(Object.assign(r.style,a),Object.keys(o).forEach((function(e){r.removeAttribute(e)})))}))}},requires:["computeStyles"]},X,{name:"flip",enabled:!0,phase:"main",fn:function(e){var t=e.state,n=e.options,r=e.name;if(!t.modifiersData[r]._skip){for(var o=n.mainAxis,i=void 0===o||o,a=n.altAxis,l=void 0===a||a,s=n.fallbackPlacements,c=n.padding,u=n.boundary,d=n.rootBoundary,h=n.altBoundary,p=n.flipVariations,f=void 0===p||p,m=n.allowedAutoPlacements,v=t.options.placement,g=U(v),w=s||(g===v||!f?[Q(v)]:function(e){if(U(e)===V)return[];var t=Q(e);return[te(e),t,te(t)]}(v)),y=[v].concat(w).reduce((function(e,n){return e.concat(U(n)===V?function(e,t){void 0===t&&(t={});var n=t,r=n.placement,o=n.boundary,i=n.rootBoundary,a=n.padding,l=n.flipVariations,s=n.allowedAutoPlacements,c=void 0===s?R:s,u=$(r),d=u?l?D:D.filter((function(e){return $(e)===u})):L,h=d.filter((function(e){return c.indexOf(e)>=0}));0===h.length&&(h=d);var p=h.reduce((function(t,n){return t[n]=se(e,{placement:n,boundary:o,rootBoundary:i,padding:a})[U(n)],t}),{});return Object.keys(p).sort((function(e,t){return p[e]-p[t]}))}(t,{placement:n,boundary:u,rootBoundary:d,padding:c,flipVariations:f,allowedAutoPlacements:m}):n)}),[]),b=t.rects.reference,x=t.rects.popper,k=new Map,E=!0,A=y[0],C=0;C<y.length;C++){var B=y[C],I=U(B),Z=$(B)===T,O=[M,_].indexOf(I)>=0,H=O?"width":"height",P=se(t,{placement:B,boundary:u,rootBoundary:d,altBoundary:h,padding:c}),j=O?Z?S:N:Z?_:M;b[H]>x[H]&&(j=Q(j));var F=Q(j),z=[];if(i&&z.push(P[I]<=0),l&&z.push(P[j]<=0,P[F]<=0),z.every((function(e){return e}))){A=B,E=!1;break}k.set(B,z)}if(E)for(var q=function(e){var t=y.find((function(t){var n=k.get(t);if(n)return n.slice(0,e).every((function(e){return e}))}));if(t)return A=t,"break"},W=f?3:1;W>0;W--){if("break"===q(W))break}t.placement!==A&&(t.modifiersData[r]._skip=!0,t.placement=A,t.reset=!0)}},requiresIfExists:["offset"],data:{_skip:!1}},ue,de,{name:"hide",enabled:!0,phase:"main",requiresIfExists:["preventOverflow"],fn:function(e){var t=e.state,n=e.name,r=t.rects.reference,o=t.rects.popper,i=t.modifiersData.preventOverflow,a=se(t,{elementContext:"reference"}),l=se(t,{altBoundary:!0}),s=he(a,r),c=he(l,o,i),u=pe(s),d=pe(c);t.modifiersData[n]={referenceClippingOffsets:s,popperEscapeOffsets:c,isReferenceHidden:u,hasPopperEscaped:d},t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-reference-hidden":u,"data-popper-escaped":d})}}]})},17554:function(e,t,n){var r,o,i,a={scope:{}};a.defineProperty="function"==typeof Object.defineProperties?Object.defineProperty:function(e,t,n){if(n.get||n.set)throw new TypeError("ES3 does not support getters and setters.");e!=Array.prototype&&e!=Object.prototype&&(e[t]=n.value)},a.getGlobal=function(e){return"undefined"!=typeof window&&window===e?e:void 0!==n.g&&null!=n.g?n.g:e},a.global=a.getGlobal(this),a.SYMBOL_PREFIX="jscomp_symbol_",a.initSymbol=function(){a.initSymbol=function(){},a.global.Symbol||(a.global.Symbol=a.Symbol)},a.symbolCounter_=0,a.Symbol=function(e){return a.SYMBOL_PREFIX+(e||"")+a.symbolCounter_++},a.initSymbolIterator=function(){a.initSymbol();var e=a.global.Symbol.iterator;e||(e=a.global.Symbol.iterator=a.global.Symbol("iterator")),"function"!=typeof Array.prototype[e]&&a.defineProperty(Array.prototype,e,{configurable:!0,writable:!0,value:function(){return a.arrayIterator(this)}}),a.initSymbolIterator=function(){}},a.arrayIterator=function(e){var t=0;return a.iteratorPrototype((function(){return t<e.length?{done:!1,value:e[t++]}:{done:!0}}))},a.iteratorPrototype=function(e){return a.initSymbolIterator(),(e={next:e})[a.global.Symbol.iterator]=function(){return this},e},a.array=a.array||{},a.iteratorFromArray=function(e,t){a.initSymbolIterator(),e instanceof String&&(e+="");var n=0,r={next:function(){if(n<e.length){var o=n++;return{value:t(o,e[o]),done:!1}}return r.next=function(){return{done:!0,value:void 0}},r.next()}};return r[Symbol.iterator]=function(){return r},r},a.polyfill=function(e,t,n,r){if(t){for(n=a.global,e=e.split("."),r=0;r<e.length-1;r++){var o=e[r];o in n||(n[o]={}),n=n[o]}(t=t(r=n[e=e[e.length-1]]))!=r&&null!=t&&a.defineProperty(n,e,{configurable:!0,writable:!0,value:t})}},a.polyfill("Array.prototype.keys",(function(e){return e||function(){return a.iteratorFromArray(this,(function(e){return e}))}}),"es6-impl","es3");var l=this;o=[],r=function(){function e(e){if(!R.col(e))try{return document.querySelectorAll(e)}catch(e){}}function t(e,t){for(var n=e.length,r=2<=arguments.length?arguments[1]:void 0,o=[],i=0;i<n;i++)if(i in e){var a=e[i];t.call(r,a,i,e)&&o.push(a)}return o}function n(e){return e.reduce((function(e,t){return e.concat(R.arr(t)?n(t):t)}),[])}function r(t){return R.arr(t)?t:(R.str(t)&&(t=e(t)||t),t instanceof NodeList||t instanceof HTMLCollection?[].slice.call(t):[t])}function o(e,t){return e.some((function(e){return e===t}))}function i(e){var t,n={};for(t in e)n[t]=e[t];return n}function a(e,t){var n,r=i(e);for(n in e)r[n]=t.hasOwnProperty(n)?t[n]:e[n];return r}function s(e,t){var n,r=i(e);for(n in t)r[n]=R.und(e[n])?t[n]:e[n];return r}function c(e){e=e.replace(/^#?([a-f\d])([a-f\d])([a-f\d])$/i,(function(e,t,n,r){return t+t+n+n+r+r}));var t=/^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i.exec(e);return"rgba("+(e=parseInt(t[1],16))+","+parseInt(t[2],16)+","+(t=parseInt(t[3],16))+",1)"}function u(e){function t(e,t,n){return 0>n&&(n+=1),1<n&&--n,n<1/6?e+6*(t-e)*n:.5>n?t:n<2/3?e+(t-e)*(2/3-n)*6:e}var n=/hsl\((\d+),\s*([\d.]+)%,\s*([\d.]+)%\)/g.exec(e)||/hsla\((\d+),\s*([\d.]+)%,\s*([\d.]+)%,\s*([\d.]+)\)/g.exec(e);e=parseInt(n[1])/360;var r=parseInt(n[2])/100,o=parseInt(n[3])/100;if(n=n[4]||1,0==r)o=r=e=o;else{var i=.5>o?o*(1+r):o+r-o*r,a=2*o-i;o=t(a,i,e+1/3),r=t(a,i,e),e=t(a,i,e-1/3)}return"rgba("+255*o+","+255*r+","+255*e+","+n+")"}function d(e){if(e=/([\+\-]?[0-9#\.]+)(%|px|pt|em|rem|in|cm|mm|ex|ch|pc|vw|vh|vmin|vmax|deg|rad|turn)?$/.exec(e))return e[2]}function h(e){return-1<e.indexOf("translate")||"perspective"===e?"px":-1<e.indexOf("rotate")||-1<e.indexOf("skew")?"deg":void 0}function p(e,t){return R.fnc(e)?e(t.target,t.id,t.total):e}function f(e,t){if(t in e.style)return getComputedStyle(e).getPropertyValue(t.replace(/([a-z])([A-Z])/g,"$1-$2").toLowerCase())||"0"}function m(e,t){return R.dom(e)&&o(D,t)?"transform":R.dom(e)&&(e.getAttribute(t)||R.svg(e)&&e[t])?"attribute":R.dom(e)&&"transform"!==t&&f(e,t)?"css":null!=e[t]?"object":void 0}function v(e,n){var r=h(n);if(r=-1<n.indexOf("scale")?1:0+r,!(e=e.style.transform))return r;for(var o=[],i=[],a=[],l=/(\w+)\((.+?)\)/g;o=l.exec(e);)i.push(o[1]),a.push(o[2]);return e=t(a,(function(e,t){return i[t]===n})),e.length?e[0]:r}function g(e,t){switch(m(e,t)){case"transform":return v(e,t);case"css":return f(e,t);case"attribute":return e.getAttribute(t)}return e[t]||0}function w(e,t){var n=/^(\*=|\+=|-=)/.exec(e);if(!n)return e;var r=d(e)||0;switch(t=parseFloat(t),e=parseFloat(e.replace(n[0],"")),n[0][0]){case"+":return t+e+r;case"-":return t-e+r;case"*":return t*e+r}}function y(e,t){return Math.sqrt(Math.pow(t.x-e.x,2)+Math.pow(t.y-e.y,2))}function b(e){e=e.points;for(var t,n=0,r=0;r<e.numberOfItems;r++){var o=e.getItem(r);0<r&&(n+=y(t,o)),t=o}return n}function x(e){if(e.getTotalLength)return e.getTotalLength();switch(e.tagName.toLowerCase()){case"circle":return 2*Math.PI*e.getAttribute("r");case"rect":return 2*e.getAttribute("width")+2*e.getAttribute("height");case"line":return y({x:e.getAttribute("x1"),y:e.getAttribute("y1")},{x:e.getAttribute("x2"),y:e.getAttribute("y2")});case"polyline":return b(e);case"polygon":var t=e.points;return b(e)+y(t.getItem(t.numberOfItems-1),t.getItem(0))}}function k(e,t){function n(n){return n=void 0===n?0:n,e.el.getPointAtLength(1<=t+n?t+n:0)}var r=n(),o=n(-1),i=n(1);switch(e.property){case"x":return r.x;case"y":return r.y;case"angle":return 180*Math.atan2(i.y-o.y,i.x-o.x)/Math.PI}}function E(e,t){var n,r=/-?\d*\.?\d+/g;if(n=R.pth(e)?e.totalLength:e,R.col(n))if(R.rgb(n)){var o=/rgb\((\d+,\s*[\d]+,\s*[\d]+)\)/g.exec(n);n=o?"rgba("+o[1]+",1)":n}else n=R.hex(n)?c(n):R.hsl(n)?u(n):void 0;else o=(o=d(n))?n.substr(0,n.length-o.length):n,n=t&&!/\s/g.test(n)?o+t:o;return{original:n+="",numbers:n.match(r)?n.match(r).map(Number):[0],strings:R.str(e)||t?n.split(r):[]}}function A(e){return t(e=e?n(R.arr(e)?e.map(r):r(e)):[],(function(e,t,n){return n.indexOf(e)===t}))}function C(e){var t=A(e);return t.map((function(e,n){return{target:e,id:n,total:t.length}}))}function B(e,t){var n=i(t);if(R.arr(e)){var o=e.length;2!==o||R.obj(e[0])?R.fnc(t.duration)||(n.duration=t.duration/o):e={value:e}}return r(e).map((function(e,n){return n=n?0:t.delay,e=R.obj(e)&&!R.pth(e)?e:{value:e},R.und(e.delay)&&(e.delay=n),e})).map((function(e){return s(e,n)}))}function M(e,t){var n,r={};for(n in e){var o=p(e[n],t);R.arr(o)&&(o=o.map((function(e){return p(e,t)})),1===o.length&&(o=o[0])),r[n]=o}return r.duration=parseFloat(r.duration),r.delay=parseFloat(r.delay),r}function _(e){return R.arr(e)?H.apply(this,e):P[e]}function S(e,t){var n;return e.tweens.map((function(r){var o=(r=M(r,t)).value,i=g(t.target,e.name),a=n?n.to.original:i,l=(a=R.arr(o)?o[0]:a,w(R.arr(o)?o[1]:o,a));return i=d(l)||d(a)||d(i),r.from=E(a,i),r.to=E(l,i),r.start=n?n.end:e.offset,r.end=r.start+r.delay+r.duration,r.easing=_(r.easing),r.elasticity=(1e3-Math.min(Math.max(r.elasticity,1),999))/1e3,r.isPath=R.pth(o),r.isColor=R.col(r.from.original),r.isColor&&(r.round=1),n=r}))}function N(e,r){return t(n(e.map((function(e){return r.map((function(t){var n=m(e.target,t.name);if(n){var r=S(t,e);t={type:n,property:t.name,animatable:e,tweens:r,duration:r[r.length-1].end,delay:r[0].delay}}else t=void 0;return t}))}))),(function(e){return!R.und(e)}))}function V(e,t,n,r){var o="delay"===e;return t.length?(o?Math.min:Math.max).apply(Math,t.map((function(t){return t[e]}))):o?r.delay:n.offset+r.delay+r.duration}function L(e){var t,n=a(Z,e),r=a(O,e),o=C(e.targets),i=[],l=s(n,r);for(t in e)l.hasOwnProperty(t)||"targets"===t||i.push({name:t,offset:l.offset,tweens:B(e[t],r)});return s(n,{children:[],animatables:o,animations:e=N(o,i),duration:V("duration",e,n,r),delay:V("delay",e,n,r)})}function T(e){function n(){return window.Promise&&new Promise((function(e){return d=e}))}function r(e){return p.reversed?p.duration-e:e}function o(e){for(var n=0,r={},o=p.animations,i=o.length;n<i;){var a=o[n],l=a.animatable,s=(c=a.tweens)[h=c.length-1];h&&(s=t(c,(function(t){return e<t.end}))[0]||s);for(var c=Math.min(Math.max(e-s.start-s.delay,0),s.duration)/s.duration,u=isNaN(c)?1:s.easing(c,s.elasticity),d=(c=s.to.strings,s.round),h=[],m=void 0,v=(m=s.to.numbers.length,0);v<m;v++){var g=void 0,w=(g=s.to.numbers[v],s.from.numbers[v]);g=s.isPath?k(s.value,u*g):w+u*(g-w),d&&(s.isColor&&2<v||(g=Math.round(g*d)/d)),h.push(g)}if(s=c.length)for(m=c[0],u=0;u<s;u++)d=c[u+1],v=h[u],isNaN(v)||(m=d?m+(v+d):m+(v+" "));else m=h[0];j[a.type](l.target,a.property,m,r,l.id),a.currentValue=m,n++}if(n=Object.keys(r).length)for(o=0;o<n;o++)I||(I=f(document.body,"transform")?"transform":"-webkit-transform"),p.animatables[o].target.style[I]=r[o].join(" ");p.currentTime=e,p.progress=e/p.duration*100}function i(e){p[e]&&p[e](p)}function a(){p.remaining&&!0!==p.remaining&&p.remaining--}function l(e){var t=p.duration,l=p.offset,f=l+p.delay,m=p.currentTime,v=p.reversed,g=r(e);if(p.children.length){var w=p.children,y=w.length;if(g>=p.currentTime)for(var b=0;b<y;b++)w[b].seek(g);else for(;y--;)w[y].seek(g)}(g>=f||!t)&&(p.began||(p.began=!0,i("begin")),i("run")),g>l&&g<t?o(g):(g<=l&&0!==m&&(o(0),v&&a()),(g>=t&&m!==t||!t)&&(o(t),v||a())),i("update"),e>=t&&(p.remaining?(c=s,"alternate"===p.direction&&(p.reversed=!p.reversed)):(p.pause(),p.completed||(p.completed=!0,i("complete"),"Promise"in window&&(d(),h=n()))),u=0)}e=void 0===e?{}:e;var s,c,u=0,d=null,h=n(),p=L(e);return p.reset=function(){var e=p.direction,t=p.loop;for(p.currentTime=0,p.progress=0,p.paused=!0,p.began=!1,p.completed=!1,p.reversed="reverse"===e,p.remaining="alternate"===e&&1===t?2:t,o(0),e=p.children.length;e--;)p.children[e].reset()},p.tick=function(e){s=e,c||(c=s),l((u+s-c)*T.speed)},p.seek=function(e){l(r(e))},p.pause=function(){var e=F.indexOf(p);-1<e&&F.splice(e,1),p.paused=!0},p.play=function(){p.paused&&(p.paused=!1,c=0,u=r(p.currentTime),F.push(p),z||q())},p.reverse=function(){p.reversed=!p.reversed,c=0,u=r(p.currentTime)},p.restart=function(){p.pause(),p.reset(),p.play()},p.finished=h,p.reset(),p.autoplay&&p.play(),p}var I,Z={update:void 0,begin:void 0,run:void 0,complete:void 0,loop:1,direction:"normal",autoplay:!0,offset:0},O={duration:1e3,delay:0,easing:"easeOutElastic",elasticity:500,round:0},D="translateX translateY translateZ rotate rotateX rotateY rotateZ scale scaleX scaleY scaleZ skewX skewY perspective".split(" "),R={arr:function(e){return Array.isArray(e)},obj:function(e){return-1<Object.prototype.toString.call(e).indexOf("Object")},pth:function(e){return R.obj(e)&&e.hasOwnProperty("totalLength")},svg:function(e){return e instanceof SVGElement},dom:function(e){return e.nodeType||R.svg(e)},str:function(e){return"string"==typeof e},fnc:function(e){return"function"==typeof e},und:function(e){return void 0===e},hex:function(e){return/(^#[0-9A-F]{6}$)|(^#[0-9A-F]{3}$)/i.test(e)},rgb:function(e){return/^rgb/.test(e)},hsl:function(e){return/^hsl/.test(e)},col:function(e){return R.hex(e)||R.rgb(e)||R.hsl(e)}},H=function(){function e(e,t,n){return(((1-3*n+3*t)*e+(3*n-6*t))*e+3*t)*e}return function(t,n,r,o){if(0<=t&&1>=t&&0<=r&&1>=r){var i=new Float32Array(11);if(t!==n||r!==o)for(var a=0;11>a;++a)i[a]=e(.1*a,t,r);return function(a){if(t===n&&r===o)return a;if(0===a)return 0;if(1===a)return 1;for(var l=0,s=1;10!==s&&i[s]<=a;++s)l+=.1;--s,s=l+(a-i[s])/(i[s+1]-i[s])*.1;var c=3*(1-3*r+3*t)*s*s+2*(3*r-6*t)*s+3*t;if(.001<=c){for(l=0;4>l&&0!=(c=3*(1-3*r+3*t)*s*s+2*(3*r-6*t)*s+3*t);++l){var u=e(s,t,r)-a;s-=u/c}a=s}else if(0===c)a=s;else{s=l,l+=.1;var d=0;do{0<(c=e(u=s+(l-s)/2,t,r)-a)?l=u:s=u}while(1e-7<Math.abs(c)&&10>++d);a=u}return e(a,n,o)}}}}(),P=function(){function e(e,t){return 0===e||1===e?e:-Math.pow(2,10*(e-1))*Math.sin(2*(e-1-t/(2*Math.PI)*Math.asin(1))*Math.PI/t)}var t,n="Quad Cubic Quart Quint Sine Expo Circ Back Elastic".split(" "),r={In:[[.55,.085,.68,.53],[.55,.055,.675,.19],[.895,.03,.685,.22],[.755,.05,.855,.06],[.47,0,.745,.715],[.95,.05,.795,.035],[.6,.04,.98,.335],[.6,-.28,.735,.045],e],Out:[[.25,.46,.45,.94],[.215,.61,.355,1],[.165,.84,.44,1],[.23,1,.32,1],[.39,.575,.565,1],[.19,1,.22,1],[.075,.82,.165,1],[.175,.885,.32,1.275],function(t,n){return 1-e(1-t,n)}],InOut:[[.455,.03,.515,.955],[.645,.045,.355,1],[.77,0,.175,1],[.86,0,.07,1],[.445,.05,.55,.95],[1,0,0,1],[.785,.135,.15,.86],[.68,-.55,.265,1.55],function(t,n){return.5>t?e(2*t,n)/2:1-e(-2*t+2,n)/2}]},o={linear:H(.25,.25,.75,.75)},i={};for(t in r)i.type=t,r[i.type].forEach(function(e){return function(t,r){o["ease"+e.type+n[r]]=R.fnc(t)?t:H.apply(l,t)}}(i)),i={type:i.type};return o}(),j={css:function(e,t,n){return e.style[t]=n},attribute:function(e,t,n){return e.setAttribute(t,n)},object:function(e,t,n){return e[t]=n},transform:function(e,t,n,r,o){r[o]||(r[o]=[]),r[o].push(t+"("+n+")")}},F=[],z=0,q=function(){function e(){z=requestAnimationFrame(t)}function t(t){var n=F.length;if(n){for(var r=0;r<n;)F[r]&&F[r].tick(t),r++;e()}else cancelAnimationFrame(z),z=0}return e}();return T.version="2.2.0",T.speed=1,T.running=F,T.remove=function(e){e=A(e);for(var t=F.length;t--;)for(var n=F[t],r=n.animations,i=r.length;i--;)o(e,r[i].animatable.target)&&(r.splice(i,1),r.length||n.pause())},T.getValue=g,T.path=function(t,n){var r=R.str(t)?e(t)[0]:t,o=n||100;return function(e){return{el:r,property:e,totalLength:x(r)*(o/100)}}},T.setDashoffset=function(e){var t=x(e);return e.setAttribute("stroke-dasharray",t),t},T.bezier=H,T.easings=P,T.timeline=function(e){var t=T(e);return t.pause(),t.duration=0,t.add=function(n){return t.children.forEach((function(e){e.began=!0,e.completed=!0})),r(n).forEach((function(n){var r=s(n,a(O,e||{}));r.targets=r.targets||e.targets,n=t.duration;var o=r.offset;r.autoplay=!1,r.direction=t.direction,r.offset=R.und(o)?n:w(o,n),t.began=!0,t.completed=!0,t.seek(r.offset),(r=T(r)).began=!0,r.completed=!0,r.duration>n&&(t.duration=r.duration),t.children.push(r)})),t.seek(0),t.reset(),t.autoplay&&t.restart(),t},t},T.random=function(e,t){return Math.floor(Math.random()*(t-e+1))+e},T},void 0===(i="function"==typeof r?r.apply(t,o):r)||(e.exports=i)},89692:function(e,t){var n,r,o;r=[e,t],n=function(e,t){"use strict";var n,r,o="function"==typeof Map?new Map:(n=[],r=[],{has:function(e){return n.indexOf(e)>-1},get:function(e){return r[n.indexOf(e)]},set:function(e,t){-1===n.indexOf(e)&&(n.push(e),r.push(t))},delete:function(e){var t=n.indexOf(e);t>-1&&(n.splice(t,1),r.splice(t,1))}}),i=function(e){return new Event(e,{bubbles:!0})};try{new Event("test")}catch(e){i=function(e){var t=document.createEvent("Event");return t.initEvent(e,!0,!1),t}}function a(e){if(e&&e.nodeName&&"TEXTAREA"===e.nodeName&&!o.has(e)){var t=null,n=null,r=null,a=function(){e.clientWidth!==n&&h()},l=function(t){window.removeEventListener("resize",a,!1),e.removeEventListener("input",h,!1),e.removeEventListener("keyup",h,!1),e.removeEventListener("autosize:destroy",l,!1),e.removeEventListener("autosize:update",h,!1),Object.keys(t).forEach((function(n){e.style[n]=t[n]})),o.delete(e)}.bind(e,{height:e.style.height,resize:e.style.resize,overflowY:e.style.overflowY,overflowX:e.style.overflowX,wordWrap:e.style.wordWrap});e.addEventListener("autosize:destroy",l,!1),"onpropertychange"in e&&"oninput"in e&&e.addEventListener("keyup",h,!1),window.addEventListener("resize",a,!1),e.addEventListener("input",h,!1),e.addEventListener("autosize:update",h,!1),e.style.overflowX="hidden",e.style.wordWrap="break-word",o.set(e,{destroy:l,update:h}),s()}function s(){var n=window.getComputedStyle(e,null);"vertical"===n.resize?e.style.resize="none":"both"===n.resize&&(e.style.resize="horizontal"),t="content-box"===n.boxSizing?-(parseFloat(n.paddingTop)+parseFloat(n.paddingBottom)):parseFloat(n.borderTopWidth)+parseFloat(n.borderBottomWidth),isNaN(t)&&(t=0),h()}function c(t){var n=e.style.width;e.style.width="0px",e.offsetWidth,e.style.width=n,e.style.overflowY=t}function u(e){for(var t=[];e&&e.parentNode&&e.parentNode instanceof Element;)e.parentNode.scrollTop&&t.push({node:e.parentNode,scrollTop:e.parentNode.scrollTop}),e=e.parentNode;return t}function d(){if(0!==e.scrollHeight){var r=u(e),o=document.documentElement&&document.documentElement.scrollTop;e.style.height="",e.style.height=e.scrollHeight+t+"px",n=e.clientWidth,r.forEach((function(e){e.node.scrollTop=e.scrollTop})),o&&(document.documentElement.scrollTop=o)}}function h(){d();var t=Math.round(parseFloat(e.style.height)),n=window.getComputedStyle(e,null),o="content-box"===n.boxSizing?Math.round(parseFloat(n.height)):e.offsetHeight;if(o<t?"hidden"===n.overflowY&&(c("scroll"),d(),o="content-box"===n.boxSizing?Math.round(parseFloat(window.getComputedStyle(e,null).height)):e.offsetHeight):"hidden"!==n.overflowY&&(c("hidden"),d(),o="content-box"===n.boxSizing?Math.round(parseFloat(window.getComputedStyle(e,null).height)):e.offsetHeight),r!==o){r=o;var a=i("autosize:resized");try{e.dispatchEvent(a)}catch(e){}}}}function l(e){var t=o.get(e);t&&t.destroy()}function s(e){var t=o.get(e);t&&t.update()}var c=null;"undefined"==typeof window||"function"!=typeof window.getComputedStyle?((c=function(e){return e}).destroy=function(e){return e},c.update=function(e){return e}):((c=function(e,t){return e&&Array.prototype.forEach.call(e.length?e:[e],(function(e){return a(e,t)})),e}).destroy=function(e){return e&&Array.prototype.forEach.call(e.length?e:[e],l),e},c.update=function(e){return e&&Array.prototype.forEach.call(e.length?e:[e],s),e}),t.default=c,e.exports=t.default},void 0===(o="function"==typeof n?n.apply(t,r):n)||(e.exports=o)},67526:(e,t)=>{"use strict";t.byteLength=function(e){var t=l(e),n=t[0],r=t[1];return 3*(n+r)/4-r},t.toByteArray=function(e){var t,n,i=l(e),a=i[0],s=i[1],c=new o(function(e,t,n){return 3*(t+n)/4-n}(0,a,s)),u=0,d=s>0?a-4:a;for(n=0;n<d;n+=4)t=r[e.charCodeAt(n)]<<18|r[e.charCodeAt(n+1)]<<12|r[e.charCodeAt(n+2)]<<6|r[e.charCodeAt(n+3)],c[u++]=t>>16&255,c[u++]=t>>8&255,c[u++]=255&t;2===s&&(t=r[e.charCodeAt(n)]<<2|r[e.charCodeAt(n+1)]>>4,c[u++]=255&t);1===s&&(t=r[e.charCodeAt(n)]<<10|r[e.charCodeAt(n+1)]<<4|r[e.charCodeAt(n+2)]>>2,c[u++]=t>>8&255,c[u++]=255&t);return c},t.fromByteArray=function(e){for(var t,r=e.length,o=r%3,i=[],a=16383,l=0,c=r-o;l<c;l+=a)i.push(s(e,l,l+a>c?c:l+a));1===o?(t=e[r-1],i.push(n[t>>2]+n[t<<4&63]+"==")):2===o&&(t=(e[r-2]<<8)+e[r-1],i.push(n[t>>10]+n[t>>4&63]+n[t<<2&63]+"="));return i.join("")};for(var n=[],r=[],o="undefined"!=typeof Uint8Array?Uint8Array:Array,i="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",a=0;a<64;++a)n[a]=i[a],r[i.charCodeAt(a)]=a;function l(e){var t=e.length;if(t%4>0)throw new Error("Invalid string. Length must be a multiple of 4");var n=e.indexOf("=");return-1===n&&(n=t),[n,n===t?0:4-n%4]}function s(e,t,r){for(var o,i,a=[],l=t;l<r;l+=3)o=(e[l]<<16&16711680)+(e[l+1]<<8&65280)+(255&e[l+2]),a.push(n[(i=o)>>18&63]+n[i>>12&63]+n[i>>6&63]+n[63&i]);return a.join("")}r["-".charCodeAt(0)]=62,r["_".charCodeAt(0)]=63},48287:(e,t,n)=>{"use strict";var r=n(67526),o=n(251),i=n(64634);function a(){return s.TYPED_ARRAY_SUPPORT?2147483647:1073741823}function l(e,t){if(a()<t)throw new RangeError("Invalid typed array length");return s.TYPED_ARRAY_SUPPORT?(e=new Uint8Array(t)).__proto__=s.prototype:(null===e&&(e=new s(t)),e.length=t),e}function s(e,t,n){if(!(s.TYPED_ARRAY_SUPPORT||this instanceof s))return new s(e,t,n);if("number"==typeof e){if("string"==typeof t)throw new Error("If encoding is specified then the first argument must be a string");return d(this,e)}return c(this,e,t,n)}function c(e,t,n,r){if("number"==typeof t)throw new TypeError('"value" argument must not be a number');return"undefined"!=typeof ArrayBuffer&&t instanceof ArrayBuffer?function(e,t,n,r){if(t.byteLength,n<0||t.byteLength<n)throw new RangeError("'offset' is out of bounds");if(t.byteLength<n+(r||0))throw new RangeError("'length' is out of bounds");t=void 0===n&&void 0===r?new Uint8Array(t):void 0===r?new Uint8Array(t,n):new Uint8Array(t,n,r);s.TYPED_ARRAY_SUPPORT?(e=t).__proto__=s.prototype:e=h(e,t);return e}(e,t,n,r):"string"==typeof t?function(e,t,n){"string"==typeof n&&""!==n||(n="utf8");if(!s.isEncoding(n))throw new TypeError('"encoding" must be a valid string encoding');var r=0|f(t,n);e=l(e,r);var o=e.write(t,n);o!==r&&(e=e.slice(0,o));return e}(e,t,n):function(e,t){if(s.isBuffer(t)){var n=0|p(t.length);return 0===(e=l(e,n)).length||t.copy(e,0,0,n),e}if(t){if("undefined"!=typeof ArrayBuffer&&t.buffer instanceof ArrayBuffer||"length"in t)return"number"!=typeof t.length||(r=t.length)!=r?l(e,0):h(e,t);if("Buffer"===t.type&&i(t.data))return h(e,t.data)}var r;throw new TypeError("First argument must be a string, Buffer, ArrayBuffer, Array, or array-like object.")}(e,t)}function u(e){if("number"!=typeof e)throw new TypeError('"size" argument must be a number');if(e<0)throw new RangeError('"size" argument must not be negative')}function d(e,t){if(u(t),e=l(e,t<0?0:0|p(t)),!s.TYPED_ARRAY_SUPPORT)for(var n=0;n<t;++n)e[n]=0;return e}function h(e,t){var n=t.length<0?0:0|p(t.length);e=l(e,n);for(var r=0;r<n;r+=1)e[r]=255&t[r];return e}function p(e){if(e>=a())throw new RangeError("Attempt to allocate Buffer larger than maximum size: 0x"+a().toString(16)+" bytes");return 0|e}function f(e,t){if(s.isBuffer(e))return e.length;if("undefined"!=typeof ArrayBuffer&&"function"==typeof ArrayBuffer.isView&&(ArrayBuffer.isView(e)||e instanceof ArrayBuffer))return e.byteLength;"string"!=typeof e&&(e=""+e);var n=e.length;if(0===n)return 0;for(var r=!1;;)switch(t){case"ascii":case"latin1":case"binary":return n;case"utf8":case"utf-8":case void 0:return j(e).length;case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return 2*n;case"hex":return n>>>1;case"base64":return F(e).length;default:if(r)return j(e).length;t=(""+t).toLowerCase(),r=!0}}function m(e,t,n){var r=!1;if((void 0===t||t<0)&&(t=0),t>this.length)return"";if((void 0===n||n>this.length)&&(n=this.length),n<=0)return"";if((n>>>=0)<=(t>>>=0))return"";for(e||(e="utf8");;)switch(e){case"hex":return N(this,t,n);case"utf8":case"utf-8":return B(this,t,n);case"ascii":return _(this,t,n);case"latin1":case"binary":return S(this,t,n);case"base64":return C(this,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return V(this,t,n);default:if(r)throw new TypeError("Unknown encoding: "+e);e=(e+"").toLowerCase(),r=!0}}function v(e,t,n){var r=e[t];e[t]=e[n],e[n]=r}function g(e,t,n,r,o){if(0===e.length)return-1;if("string"==typeof n?(r=n,n=0):n>2147483647?n=2147483647:n<-2147483648&&(n=-2147483648),n=+n,isNaN(n)&&(n=o?0:e.length-1),n<0&&(n=e.length+n),n>=e.length){if(o)return-1;n=e.length-1}else if(n<0){if(!o)return-1;n=0}if("string"==typeof t&&(t=s.from(t,r)),s.isBuffer(t))return 0===t.length?-1:w(e,t,n,r,o);if("number"==typeof t)return t&=255,s.TYPED_ARRAY_SUPPORT&&"function"==typeof Uint8Array.prototype.indexOf?o?Uint8Array.prototype.indexOf.call(e,t,n):Uint8Array.prototype.lastIndexOf.call(e,t,n):w(e,[t],n,r,o);throw new TypeError("val must be string, number or Buffer")}function w(e,t,n,r,o){var i,a=1,l=e.length,s=t.length;if(void 0!==r&&("ucs2"===(r=String(r).toLowerCase())||"ucs-2"===r||"utf16le"===r||"utf-16le"===r)){if(e.length<2||t.length<2)return-1;a=2,l/=2,s/=2,n/=2}function c(e,t){return 1===a?e[t]:e.readUInt16BE(t*a)}if(o){var u=-1;for(i=n;i<l;i++)if(c(e,i)===c(t,-1===u?0:i-u)){if(-1===u&&(u=i),i-u+1===s)return u*a}else-1!==u&&(i-=i-u),u=-1}else for(n+s>l&&(n=l-s),i=n;i>=0;i--){for(var d=!0,h=0;h<s;h++)if(c(e,i+h)!==c(t,h)){d=!1;break}if(d)return i}return-1}function y(e,t,n,r){n=Number(n)||0;var o=e.length-n;r?(r=Number(r))>o&&(r=o):r=o;var i=t.length;if(i%2!=0)throw new TypeError("Invalid hex string");r>i/2&&(r=i/2);for(var a=0;a<r;++a){var l=parseInt(t.substr(2*a,2),16);if(isNaN(l))return a;e[n+a]=l}return a}function b(e,t,n,r){return z(j(t,e.length-n),e,n,r)}function x(e,t,n,r){return z(function(e){for(var t=[],n=0;n<e.length;++n)t.push(255&e.charCodeAt(n));return t}(t),e,n,r)}function k(e,t,n,r){return x(e,t,n,r)}function E(e,t,n,r){return z(F(t),e,n,r)}function A(e,t,n,r){return z(function(e,t){for(var n,r,o,i=[],a=0;a<e.length&&!((t-=2)<0);++a)r=(n=e.charCodeAt(a))>>8,o=n%256,i.push(o),i.push(r);return i}(t,e.length-n),e,n,r)}function C(e,t,n){return 0===t&&n===e.length?r.fromByteArray(e):r.fromByteArray(e.slice(t,n))}function B(e,t,n){n=Math.min(e.length,n);for(var r=[],o=t;o<n;){var i,a,l,s,c=e[o],u=null,d=c>239?4:c>223?3:c>191?2:1;if(o+d<=n)switch(d){case 1:c<128&&(u=c);break;case 2:128==(192&(i=e[o+1]))&&(s=(31&c)<<6|63&i)>127&&(u=s);break;case 3:i=e[o+1],a=e[o+2],128==(192&i)&&128==(192&a)&&(s=(15&c)<<12|(63&i)<<6|63&a)>2047&&(s<55296||s>57343)&&(u=s);break;case 4:i=e[o+1],a=e[o+2],l=e[o+3],128==(192&i)&&128==(192&a)&&128==(192&l)&&(s=(15&c)<<18|(63&i)<<12|(63&a)<<6|63&l)>65535&&s<1114112&&(u=s)}null===u?(u=65533,d=1):u>65535&&(u-=65536,r.push(u>>>10&1023|55296),u=56320|1023&u),r.push(u),o+=d}return function(e){var t=e.length;if(t<=M)return String.fromCharCode.apply(String,e);var n="",r=0;for(;r<t;)n+=String.fromCharCode.apply(String,e.slice(r,r+=M));return n}(r)}t.hp=s,t.IS=50,s.TYPED_ARRAY_SUPPORT=void 0!==n.g.TYPED_ARRAY_SUPPORT?n.g.TYPED_ARRAY_SUPPORT:function(){try{var e=new Uint8Array(1);return e.__proto__={__proto__:Uint8Array.prototype,foo:function(){return 42}},42===e.foo()&&"function"==typeof e.subarray&&0===e.subarray(1,1).byteLength}catch(e){return!1}}(),a(),s.poolSize=8192,s._augment=function(e){return e.__proto__=s.prototype,e},s.from=function(e,t,n){return c(null,e,t,n)},s.TYPED_ARRAY_SUPPORT&&(s.prototype.__proto__=Uint8Array.prototype,s.__proto__=Uint8Array,"undefined"!=typeof Symbol&&Symbol.species&&s[Symbol.species]===s&&Object.defineProperty(s,Symbol.species,{value:null,configurable:!0})),s.alloc=function(e,t,n){return function(e,t,n,r){return u(t),t<=0?l(e,t):void 0!==n?"string"==typeof r?l(e,t).fill(n,r):l(e,t).fill(n):l(e,t)}(null,e,t,n)},s.allocUnsafe=function(e){return d(null,e)},s.allocUnsafeSlow=function(e){return d(null,e)},s.isBuffer=function(e){return!(null==e||!e._isBuffer)},s.compare=function(e,t){if(!s.isBuffer(e)||!s.isBuffer(t))throw new TypeError("Arguments must be Buffers");if(e===t)return 0;for(var n=e.length,r=t.length,o=0,i=Math.min(n,r);o<i;++o)if(e[o]!==t[o]){n=e[o],r=t[o];break}return n<r?-1:r<n?1:0},s.isEncoding=function(e){switch(String(e).toLowerCase()){case"hex":case"utf8":case"utf-8":case"ascii":case"latin1":case"binary":case"base64":case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return!0;default:return!1}},s.concat=function(e,t){if(!i(e))throw new TypeError('"list" argument must be an Array of Buffers');if(0===e.length)return s.alloc(0);var n;if(void 0===t)for(t=0,n=0;n<e.length;++n)t+=e[n].length;var r=s.allocUnsafe(t),o=0;for(n=0;n<e.length;++n){var a=e[n];if(!s.isBuffer(a))throw new TypeError('"list" argument must be an Array of Buffers');a.copy(r,o),o+=a.length}return r},s.byteLength=f,s.prototype._isBuffer=!0,s.prototype.swap16=function(){var e=this.length;if(e%2!=0)throw new RangeError("Buffer size must be a multiple of 16-bits");for(var t=0;t<e;t+=2)v(this,t,t+1);return this},s.prototype.swap32=function(){var e=this.length;if(e%4!=0)throw new RangeError("Buffer size must be a multiple of 32-bits");for(var t=0;t<e;t+=4)v(this,t,t+3),v(this,t+1,t+2);return this},s.prototype.swap64=function(){var e=this.length;if(e%8!=0)throw new RangeError("Buffer size must be a multiple of 64-bits");for(var t=0;t<e;t+=8)v(this,t,t+7),v(this,t+1,t+6),v(this,t+2,t+5),v(this,t+3,t+4);return this},s.prototype.toString=function(){var e=0|this.length;return 0===e?"":0===arguments.length?B(this,0,e):m.apply(this,arguments)},s.prototype.equals=function(e){if(!s.isBuffer(e))throw new TypeError("Argument must be a Buffer");return this===e||0===s.compare(this,e)},s.prototype.inspect=function(){var e="",n=t.IS;return this.length>0&&(e=this.toString("hex",0,n).match(/.{2}/g).join(" "),this.length>n&&(e+=" ... ")),"<Buffer "+e+">"},s.prototype.compare=function(e,t,n,r,o){if(!s.isBuffer(e))throw new TypeError("Argument must be a Buffer");if(void 0===t&&(t=0),void 0===n&&(n=e?e.length:0),void 0===r&&(r=0),void 0===o&&(o=this.length),t<0||n>e.length||r<0||o>this.length)throw new RangeError("out of range index");if(r>=o&&t>=n)return 0;if(r>=o)return-1;if(t>=n)return 1;if(this===e)return 0;for(var i=(o>>>=0)-(r>>>=0),a=(n>>>=0)-(t>>>=0),l=Math.min(i,a),c=this.slice(r,o),u=e.slice(t,n),d=0;d<l;++d)if(c[d]!==u[d]){i=c[d],a=u[d];break}return i<a?-1:a<i?1:0},s.prototype.includes=function(e,t,n){return-1!==this.indexOf(e,t,n)},s.prototype.indexOf=function(e,t,n){return g(this,e,t,n,!0)},s.prototype.lastIndexOf=function(e,t,n){return g(this,e,t,n,!1)},s.prototype.write=function(e,t,n,r){if(void 0===t)r="utf8",n=this.length,t=0;else if(void 0===n&&"string"==typeof t)r=t,n=this.length,t=0;else{if(!isFinite(t))throw new Error("Buffer.write(string, encoding, offset[, length]) is no longer supported");t|=0,isFinite(n)?(n|=0,void 0===r&&(r="utf8")):(r=n,n=void 0)}var o=this.length-t;if((void 0===n||n>o)&&(n=o),e.length>0&&(n<0||t<0)||t>this.length)throw new RangeError("Attempt to write outside buffer bounds");r||(r="utf8");for(var i=!1;;)switch(r){case"hex":return y(this,e,t,n);case"utf8":case"utf-8":return b(this,e,t,n);case"ascii":return x(this,e,t,n);case"latin1":case"binary":return k(this,e,t,n);case"base64":return E(this,e,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return A(this,e,t,n);default:if(i)throw new TypeError("Unknown encoding: "+r);r=(""+r).toLowerCase(),i=!0}},s.prototype.toJSON=function(){return{type:"Buffer",data:Array.prototype.slice.call(this._arr||this,0)}};var M=4096;function _(e,t,n){var r="";n=Math.min(e.length,n);for(var o=t;o<n;++o)r+=String.fromCharCode(127&e[o]);return r}function S(e,t,n){var r="";n=Math.min(e.length,n);for(var o=t;o<n;++o)r+=String.fromCharCode(e[o]);return r}function N(e,t,n){var r=e.length;(!t||t<0)&&(t=0),(!n||n<0||n>r)&&(n=r);for(var o="",i=t;i<n;++i)o+=P(e[i]);return o}function V(e,t,n){for(var r=e.slice(t,n),o="",i=0;i<r.length;i+=2)o+=String.fromCharCode(r[i]+256*r[i+1]);return o}function L(e,t,n){if(e%1!=0||e<0)throw new RangeError("offset is not uint");if(e+t>n)throw new RangeError("Trying to access beyond buffer length")}function T(e,t,n,r,o,i){if(!s.isBuffer(e))throw new TypeError('"buffer" argument must be a Buffer instance');if(t>o||t<i)throw new RangeError('"value" argument is out of bounds');if(n+r>e.length)throw new RangeError("Index out of range")}function I(e,t,n,r){t<0&&(t=65535+t+1);for(var o=0,i=Math.min(e.length-n,2);o<i;++o)e[n+o]=(t&255<<8*(r?o:1-o))>>>8*(r?o:1-o)}function Z(e,t,n,r){t<0&&(t=4294967295+t+1);for(var o=0,i=Math.min(e.length-n,4);o<i;++o)e[n+o]=t>>>8*(r?o:3-o)&255}function O(e,t,n,r,o,i){if(n+r>e.length)throw new RangeError("Index out of range");if(n<0)throw new RangeError("Index out of range")}function D(e,t,n,r,i){return i||O(e,0,n,4),o.write(e,t,n,r,23,4),n+4}function R(e,t,n,r,i){return i||O(e,0,n,8),o.write(e,t,n,r,52,8),n+8}s.prototype.slice=function(e,t){var n,r=this.length;if((e=~~e)<0?(e+=r)<0&&(e=0):e>r&&(e=r),(t=void 0===t?r:~~t)<0?(t+=r)<0&&(t=0):t>r&&(t=r),t<e&&(t=e),s.TYPED_ARRAY_SUPPORT)(n=this.subarray(e,t)).__proto__=s.prototype;else{var o=t-e;n=new s(o,void 0);for(var i=0;i<o;++i)n[i]=this[i+e]}return n},s.prototype.readUIntLE=function(e,t,n){e|=0,t|=0,n||L(e,t,this.length);for(var r=this[e],o=1,i=0;++i<t&&(o*=256);)r+=this[e+i]*o;return r},s.prototype.readUIntBE=function(e,t,n){e|=0,t|=0,n||L(e,t,this.length);for(var r=this[e+--t],o=1;t>0&&(o*=256);)r+=this[e+--t]*o;return r},s.prototype.readUInt8=function(e,t){return t||L(e,1,this.length),this[e]},s.prototype.readUInt16LE=function(e,t){return t||L(e,2,this.length),this[e]|this[e+1]<<8},s.prototype.readUInt16BE=function(e,t){return t||L(e,2,this.length),this[e]<<8|this[e+1]},s.prototype.readUInt32LE=function(e,t){return t||L(e,4,this.length),(this[e]|this[e+1]<<8|this[e+2]<<16)+16777216*this[e+3]},s.prototype.readUInt32BE=function(e,t){return t||L(e,4,this.length),16777216*this[e]+(this[e+1]<<16|this[e+2]<<8|this[e+3])},s.prototype.readIntLE=function(e,t,n){e|=0,t|=0,n||L(e,t,this.length);for(var r=this[e],o=1,i=0;++i<t&&(o*=256);)r+=this[e+i]*o;return r>=(o*=128)&&(r-=Math.pow(2,8*t)),r},s.prototype.readIntBE=function(e,t,n){e|=0,t|=0,n||L(e,t,this.length);for(var r=t,o=1,i=this[e+--r];r>0&&(o*=256);)i+=this[e+--r]*o;return i>=(o*=128)&&(i-=Math.pow(2,8*t)),i},s.prototype.readInt8=function(e,t){return t||L(e,1,this.length),128&this[e]?-1*(255-this[e]+1):this[e]},s.prototype.readInt16LE=function(e,t){t||L(e,2,this.length);var n=this[e]|this[e+1]<<8;return 32768&n?4294901760|n:n},s.prototype.readInt16BE=function(e,t){t||L(e,2,this.length);var n=this[e+1]|this[e]<<8;return 32768&n?4294901760|n:n},s.prototype.readInt32LE=function(e,t){return t||L(e,4,this.length),this[e]|this[e+1]<<8|this[e+2]<<16|this[e+3]<<24},s.prototype.readInt32BE=function(e,t){return t||L(e,4,this.length),this[e]<<24|this[e+1]<<16|this[e+2]<<8|this[e+3]},s.prototype.readFloatLE=function(e,t){return t||L(e,4,this.length),o.read(this,e,!0,23,4)},s.prototype.readFloatBE=function(e,t){return t||L(e,4,this.length),o.read(this,e,!1,23,4)},s.prototype.readDoubleLE=function(e,t){return t||L(e,8,this.length),o.read(this,e,!0,52,8)},s.prototype.readDoubleBE=function(e,t){return t||L(e,8,this.length),o.read(this,e,!1,52,8)},s.prototype.writeUIntLE=function(e,t,n,r){(e=+e,t|=0,n|=0,r)||T(this,e,t,n,Math.pow(2,8*n)-1,0);var o=1,i=0;for(this[t]=255&e;++i<n&&(o*=256);)this[t+i]=e/o&255;return t+n},s.prototype.writeUIntBE=function(e,t,n,r){(e=+e,t|=0,n|=0,r)||T(this,e,t,n,Math.pow(2,8*n)-1,0);var o=n-1,i=1;for(this[t+o]=255&e;--o>=0&&(i*=256);)this[t+o]=e/i&255;return t+n},s.prototype.writeUInt8=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,1,255,0),s.TYPED_ARRAY_SUPPORT||(e=Math.floor(e)),this[t]=255&e,t+1},s.prototype.writeUInt16LE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,2,65535,0),s.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8):I(this,e,t,!0),t+2},s.prototype.writeUInt16BE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,2,65535,0),s.TYPED_ARRAY_SUPPORT?(this[t]=e>>>8,this[t+1]=255&e):I(this,e,t,!1),t+2},s.prototype.writeUInt32LE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,4,4294967295,0),s.TYPED_ARRAY_SUPPORT?(this[t+3]=e>>>24,this[t+2]=e>>>16,this[t+1]=e>>>8,this[t]=255&e):Z(this,e,t,!0),t+4},s.prototype.writeUInt32BE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,4,4294967295,0),s.TYPED_ARRAY_SUPPORT?(this[t]=e>>>24,this[t+1]=e>>>16,this[t+2]=e>>>8,this[t+3]=255&e):Z(this,e,t,!1),t+4},s.prototype.writeIntLE=function(e,t,n,r){if(e=+e,t|=0,!r){var o=Math.pow(2,8*n-1);T(this,e,t,n,o-1,-o)}var i=0,a=1,l=0;for(this[t]=255&e;++i<n&&(a*=256);)e<0&&0===l&&0!==this[t+i-1]&&(l=1),this[t+i]=(e/a|0)-l&255;return t+n},s.prototype.writeIntBE=function(e,t,n,r){if(e=+e,t|=0,!r){var o=Math.pow(2,8*n-1);T(this,e,t,n,o-1,-o)}var i=n-1,a=1,l=0;for(this[t+i]=255&e;--i>=0&&(a*=256);)e<0&&0===l&&0!==this[t+i+1]&&(l=1),this[t+i]=(e/a|0)-l&255;return t+n},s.prototype.writeInt8=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,1,127,-128),s.TYPED_ARRAY_SUPPORT||(e=Math.floor(e)),e<0&&(e=255+e+1),this[t]=255&e,t+1},s.prototype.writeInt16LE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,2,32767,-32768),s.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8):I(this,e,t,!0),t+2},s.prototype.writeInt16BE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,2,32767,-32768),s.TYPED_ARRAY_SUPPORT?(this[t]=e>>>8,this[t+1]=255&e):I(this,e,t,!1),t+2},s.prototype.writeInt32LE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,4,2147483647,-2147483648),s.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8,this[t+2]=e>>>16,this[t+3]=e>>>24):Z(this,e,t,!0),t+4},s.prototype.writeInt32BE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,4,2147483647,-2147483648),e<0&&(e=4294967295+e+1),s.TYPED_ARRAY_SUPPORT?(this[t]=e>>>24,this[t+1]=e>>>16,this[t+2]=e>>>8,this[t+3]=255&e):Z(this,e,t,!1),t+4},s.prototype.writeFloatLE=function(e,t,n){return D(this,e,t,!0,n)},s.prototype.writeFloatBE=function(e,t,n){return D(this,e,t,!1,n)},s.prototype.writeDoubleLE=function(e,t,n){return R(this,e,t,!0,n)},s.prototype.writeDoubleBE=function(e,t,n){return R(this,e,t,!1,n)},s.prototype.copy=function(e,t,n,r){if(n||(n=0),r||0===r||(r=this.length),t>=e.length&&(t=e.length),t||(t=0),r>0&&r<n&&(r=n),r===n)return 0;if(0===e.length||0===this.length)return 0;if(t<0)throw new RangeError("targetStart out of bounds");if(n<0||n>=this.length)throw new RangeError("sourceStart out of bounds");if(r<0)throw new RangeError("sourceEnd out of bounds");r>this.length&&(r=this.length),e.length-t<r-n&&(r=e.length-t+n);var o,i=r-n;if(this===e&&n<t&&t<r)for(o=i-1;o>=0;--o)e[o+t]=this[o+n];else if(i<1e3||!s.TYPED_ARRAY_SUPPORT)for(o=0;o<i;++o)e[o+t]=this[o+n];else Uint8Array.prototype.set.call(e,this.subarray(n,n+i),t);return i},s.prototype.fill=function(e,t,n,r){if("string"==typeof e){if("string"==typeof t?(r=t,t=0,n=this.length):"string"==typeof n&&(r=n,n=this.length),1===e.length){var o=e.charCodeAt(0);o<256&&(e=o)}if(void 0!==r&&"string"!=typeof r)throw new TypeError("encoding must be a string");if("string"==typeof r&&!s.isEncoding(r))throw new TypeError("Unknown encoding: "+r)}else"number"==typeof e&&(e&=255);if(t<0||this.length<t||this.length<n)throw new RangeError("Out of range index");if(n<=t)return this;var i;if(t>>>=0,n=void 0===n?this.length:n>>>0,e||(e=0),"number"==typeof e)for(i=t;i<n;++i)this[i]=e;else{var a=s.isBuffer(e)?e:j(new s(e,r).toString()),l=a.length;for(i=0;i<n-t;++i)this[i+t]=a[i%l]}return this};var H=/[^+\/0-9A-Za-z-_]/g;function P(e){return e<16?"0"+e.toString(16):e.toString(16)}function j(e,t){var n;t=t||1/0;for(var r=e.length,o=null,i=[],a=0;a<r;++a){if((n=e.charCodeAt(a))>55295&&n<57344){if(!o){if(n>56319){(t-=3)>-1&&i.push(239,191,189);continue}if(a+1===r){(t-=3)>-1&&i.push(239,191,189);continue}o=n;continue}if(n<56320){(t-=3)>-1&&i.push(239,191,189),o=n;continue}n=65536+(o-55296<<10|n-56320)}else o&&(t-=3)>-1&&i.push(239,191,189);if(o=null,n<128){if((t-=1)<0)break;i.push(n)}else if(n<2048){if((t-=2)<0)break;i.push(n>>6|192,63&n|128)}else if(n<65536){if((t-=3)<0)break;i.push(n>>12|224,n>>6&63|128,63&n|128)}else{if(!(n<1114112))throw new Error("Invalid code point");if((t-=4)<0)break;i.push(n>>18|240,n>>12&63|128,n>>6&63|128,63&n|128)}}return i}function F(e){return r.toByteArray(function(e){if((e=function(e){return e.trim?e.trim():e.replace(/^\s+|\s+$/g,"")}(e).replace(H,"")).length<2)return"";for(;e.length%4!=0;)e+="=";return e}(e))}function z(e,t,n,r){for(var o=0;o<r&&!(o+n>=t.length||o>=e.length);++o)t[o+n]=e[o];return o}},38075:(e,t,n)=>{"use strict";var r=n(70453),o=n(10487),i=o(r("String.prototype.indexOf"));e.exports=function(e,t){var n=r(e,!!t);return"function"==typeof n&&i(e,".prototype.")>-1?o(n):n}},10487:(e,t,n)=>{"use strict";var r=n(66743),o=n(70453),i=n(96897),a=n(69675),l=o("%Function.prototype.apply%"),s=o("%Function.prototype.call%"),c=o("%Reflect.apply%",!0)||r.call(s,l),u=n(30655),d=o("%Math.max%");e.exports=function(e){if("function"!=typeof e)throw new a("a function is required");var t=c(r,s,arguments);return i(t,1+d(0,e.length-(arguments.length-1)),!0)};var h=function(){return c(r,l,arguments)};u?u(e.exports,"apply",{value:h}):e.exports.apply=h},399:function(e,t,n){var r,o,i;void 0===(i=this)&&void 0!==window&&(i=window),r=[n(72188)],void 0===(o=function(e){return i["Chartist.plugins.tooltip"]=(t=e,function(e,t,n){"use strict";var r={currency:void 0,currencyFormatCallback:void 0,tooltipOffset:{x:0,y:-20},anchorToPoint:!1,appendToBody:!0,class:void 0,pointClass:"ct-point"};function o(e,t){return(" "+e.getAttribute("class")+" ").indexOf(" "+t+" ")>-1}function i(e,t){do{e=e.nextSibling}while(e&&!o(e,t));return e}function a(e){return e.innerText||e.textContent}function l(n){var r;return l in n?((r=n.offsetParent)||(r=t.body.parentElement),r):(r=n.parentNode)?"static"!==e.getComputedStyle(r).position?r:"BODY"===r.tagName?r.parentElement:l(r):t.body.parentElement}n.plugins=n.plugins||{},n.plugins.tooltip=function(s){return s=n.extend({},r,s),function(r){var c=s.pointClass;r instanceof n.BarChart?c="ct-bar":r instanceof n.PieChart&&(c=r.options.donut?r.options.donutSolid?"ct-slice-donut-solid":"ct-slice-donut":"ct-slice-pie");var u,d=r.container,h=!1,p=l(d);(u=s.appendToBody?t.querySelector(".chartist-tooltip"):d.querySelector(".chartist-tooltip"))||((u=t.createElement("div")).className=s.class?"chartist-tooltip "+s.class:"chartist-tooltip",s.appendToBody?t.body.appendChild(u):d.appendChild(u));var f=u.offsetHeight,m=u.offsetWidth;function v(e,t,n){d.addEventListener(e,(function(e){t&&!o(e.target,t)||n(e)}))}function g(t){f=f||u.offsetHeight;var n=-(m=m||u.offsetWidth)/2+s.tooltipOffset.x,r=-f+s.tooltipOffset.y,o=!0===s.anchorToPoint&&t.target.x2&&t.target.y2;if(!0===s.appendToBody)if(o){var i=d.getBoundingClientRect(),a=t.target.x2.baseVal.value+i.left+e.pageXOffset,l=t.target.y2.baseVal.value+i.top+e.pageYOffset;u.style.left=a+n+"px",u.style.top=l+r+"px"}else u.style.left=t.pageX+n+"px",u.style.top=t.pageY+r+"px";else{var c=p.getBoundingClientRect(),h=-c.left-e.pageXOffset+n,v=-c.top-e.pageYOffset+r;o?(i=d.getBoundingClientRect(),a=t.target.x2.baseVal.value+i.left+e.pageXOffset,l=t.target.y2.baseVal.value+i.top+e.pageYOffset,u.style.left=a+h+"px",u.style.top=l+v+"px"):(u.style.left=t.pageX+h+"px",u.style.top=t.pageY+v+"px")}}function w(e){h=!0,o(e,"tooltip-show")||(e.className=e.className+" tooltip-show")}function y(e){h=!1;var t=new RegExp("tooltip-show\\s*","gi");e.className=e.className.replace(t,"").trim()}y(u),v("mouseover",c,(function(e){var o=e.target,c="",h=(r instanceof n.PieChart?o:o.parentNode)?o.parentNode.getAttribute("ct:meta")||o.parentNode.getAttribute("ct:series-name"):"",v=o.getAttribute("ct:meta")||h||"",y=!!v,b=o.getAttribute("ct:value");if(s.transformTooltipTextFnc&&"function"==typeof s.transformTooltipTextFnc&&(b=s.transformTooltipTextFnc(b)),s.tooltipFnc&&"function"==typeof s.tooltipFnc)c=s.tooltipFnc(v,b);else{if(s.metaIsHTML){var x=t.createElement("textarea");x.innerHTML=v,v=x.value}if(v='<span class="chartist-tooltip-meta">'+v+"</span>",y)c+=v+"<br>";else if(r instanceof n.PieChart){var k=i(o,"ct-label");k&&(c+=a(k)+"<br>")}b&&(s.currency&&(b=null!=s.currencyFormatCallback?s.currencyFormatCallback(b,s):s.currency+b.replace(/(\d)(?=(\d{3})+(?:\.\d+)?$)/g,"$1,")),c+=b='<span class="chartist-tooltip-value">'+b+"</span>")}c&&(u.innerHTML=c,f=u.offsetHeight,m=u.offsetWidth,!0!==s.appendToBody&&(p=l(d)),"absolute"!==u.style.display&&(u.style.display="absolute"),g(e),w(u),f=u.offsetHeight,m=u.offsetWidth)})),v("mouseout",c,(function(){y(u)})),v("mousemove",null,(function(e){!1===s.anchorToPoint&&h&&g(e)}))}}}(window,document,t),t.plugins.tooltip);var t}.apply(t,r))||(e.exports=o)},28527:(e,t,n)=>{!function(e){function t(t,n,r){var o,i=t.getWrapperElement();return(o=i.appendChild(document.createElement("div"))).className=r?"CodeMirror-dialog CodeMirror-dialog-bottom":"CodeMirror-dialog CodeMirror-dialog-top","string"==typeof n?o.innerHTML=n:o.appendChild(n),e.addClass(i,"dialog-opened"),o}function n(e,t){e.state.currentNotificationClose&&e.state.currentNotificationClose(),e.state.currentNotificationClose=t}e.defineExtension("openDialog",(function(r,o,i){i||(i={}),n(this,null);var a=t(this,r,i.bottom),l=!1,s=this;function c(t){if("string"==typeof t)d.value=t;else{if(l)return;l=!0,e.rmClass(a.parentNode,"dialog-opened"),a.parentNode.removeChild(a),s.focus(),i.onClose&&i.onClose(a)}}var u,d=a.getElementsByTagName("input")[0];return d?(d.focus(),i.value&&(d.value=i.value,!1!==i.selectValueOnOpen&&d.select()),i.onInput&&e.on(d,"input",(function(e){i.onInput(e,d.value,c)})),i.onKeyUp&&e.on(d,"keyup",(function(e){i.onKeyUp(e,d.value,c)})),e.on(d,"keydown",(function(t){i&&i.onKeyDown&&i.onKeyDown(t,d.value,c)||((27==t.keyCode||!1!==i.closeOnEnter&&13==t.keyCode)&&(d.blur(),e.e_stop(t),c()),13==t.keyCode&&o(d.value,t))})),!1!==i.closeOnBlur&&e.on(a,"focusout",(function(e){null!==e.relatedTarget&&c()}))):(u=a.getElementsByTagName("button")[0])&&(e.on(u,"click",(function(){c(),s.focus()})),!1!==i.closeOnBlur&&e.on(u,"blur",c),u.focus()),c})),e.defineExtension("openConfirm",(function(r,o,i){n(this,null);var a=t(this,r,i&&i.bottom),l=a.getElementsByTagName("button"),s=!1,c=this,u=1;function d(){s||(s=!0,e.rmClass(a.parentNode,"dialog-opened"),a.parentNode.removeChild(a),c.focus())}l[0].focus();for(var h=0;h<l.length;++h){var p=l[h];!function(t){e.on(p,"click",(function(n){e.e_preventDefault(n),d(),t&&t(c)}))}(o[h]),e.on(p,"blur",(function(){--u,setTimeout((function(){u<=0&&d()}),200)})),e.on(p,"focus",(function(){++u}))}})),e.defineExtension("openNotification",(function(r,o){n(this,c);var i,a=t(this,r,o&&o.bottom),l=!1,s=o&&void 0!==o.duration?o.duration:5e3;function c(){l||(l=!0,clearTimeout(i),e.rmClass(a.parentNode,"dialog-opened"),a.parentNode.removeChild(a))}return e.on(a,"click",(function(t){e.e_preventDefault(t),c()})),s&&(i=setTimeout(c,s)),c}))}(n(15237))},97923:(e,t,n)=>{!function(e){var t=/MSIE \d/.test(navigator.userAgent)&&(null==document.documentMode||document.documentMode<8),n=e.Pos,r={"(":")>",")":"(<","[":"]>","]":"[<","{":"}>","}":"{<","<":">>",">":"<<"};function o(e){return e&&e.bracketRegex||/[(){}[\]]/}function i(e,t,i){var l=e.getLineHandle(t.line),s=t.ch-1,c=i&&i.afterCursor;null==c&&(c=/(^| )cm-fat-cursor($| )/.test(e.getWrapperElement().className));var u=o(i),d=!c&&s>=0&&u.test(l.text.charAt(s))&&r[l.text.charAt(s)]||u.test(l.text.charAt(s+1))&&r[l.text.charAt(++s)];if(!d)return null;var h=">"==d.charAt(1)?1:-1;if(i&&i.strict&&h>0!=(s==t.ch))return null;var p=e.getTokenTypeAt(n(t.line,s+1)),f=a(e,n(t.line,s+(h>0?1:0)),h,p,i);return null==f?null:{from:n(t.line,s),to:f&&f.pos,match:f&&f.ch==d.charAt(0),forward:h>0}}function a(e,t,i,a,l){for(var s=l&&l.maxScanLineLength||1e4,c=l&&l.maxScanLines||1e3,u=[],d=o(l),h=i>0?Math.min(t.line+c,e.lastLine()+1):Math.max(e.firstLine()-1,t.line-c),p=t.line;p!=h;p+=i){var f=e.getLine(p);if(f){var m=i>0?0:f.length-1,v=i>0?f.length:-1;if(!(f.length>s))for(p==t.line&&(m=t.ch-(i<0?1:0));m!=v;m+=i){var g=f.charAt(m);if(d.test(g)&&(void 0===a||(e.getTokenTypeAt(n(p,m+1))||"")==(a||""))){var w=r[g];if(w&&">"==w.charAt(1)==i>0)u.push(g);else{if(!u.length)return{pos:n(p,m),ch:g};u.pop()}}}}}return p-i!=(i>0?e.lastLine():e.firstLine())&&null}function l(e,r,o){for(var a=e.state.matchBrackets.maxHighlightLineLength||1e3,l=o&&o.highlightNonMatching,s=[],c=e.listSelections(),u=0;u<c.length;u++){var d=c[u].empty()&&i(e,c[u].head,o);if(d&&(d.match||!1!==l)&&e.getLine(d.from.line).length<=a){var h=d.match?"CodeMirror-matchingbracket":"CodeMirror-nonmatchingbracket";s.push(e.markText(d.from,n(d.from.line,d.from.ch+1),{className:h})),d.to&&e.getLine(d.to.line).length<=a&&s.push(e.markText(d.to,n(d.to.line,d.to.ch+1),{className:h}))}}if(s.length){t&&e.state.focused&&e.focus();var p=function(){e.operation((function(){for(var e=0;e<s.length;e++)s[e].clear()}))};if(!r)return p;setTimeout(p,800)}}function s(e){e.operation((function(){e.state.matchBrackets.currentlyHighlighted&&(e.state.matchBrackets.currentlyHighlighted(),e.state.matchBrackets.currentlyHighlighted=null),e.state.matchBrackets.currentlyHighlighted=l(e,!1,e.state.matchBrackets)}))}function c(e){e.state.matchBrackets&&e.state.matchBrackets.currentlyHighlighted&&(e.state.matchBrackets.currentlyHighlighted(),e.state.matchBrackets.currentlyHighlighted=null)}e.defineOption("matchBrackets",!1,(function(t,n,r){r&&r!=e.Init&&(t.off("cursorActivity",s),t.off("focus",s),t.off("blur",c),c(t)),n&&(t.state.matchBrackets="object"==typeof n?n:{},t.on("cursorActivity",s),t.on("focus",s),t.on("blur",c))})),e.defineExtension("matchBrackets",(function(){l(this,!0)})),e.defineExtension("findMatchingBracket",(function(e,t,n){return(n||"boolean"==typeof t)&&(n?(n.strict=t,t=n):t=t?{strict:!0}:null),i(this,e,t)})),e.defineExtension("scanForBracket",(function(e,t,n,r){return a(this,e,t,n,r)}))}(n(15237))},97340:(e,t,n)=>{!function(e){"use strict";e.multiplexingMode=function(t){var n=Array.prototype.slice.call(arguments,1);function r(e,t,n,r){if("string"==typeof t){var o=e.indexOf(t,n);return r&&o>-1?o+t.length:o}var i=t.exec(n?e.slice(n):e);return i?i.index+n+(r?i[0].length:0):-1}return{startState:function(){return{outer:e.startState(t),innerActive:null,inner:null,startingInner:!1}},copyState:function(n){return{outer:e.copyState(t,n.outer),innerActive:n.innerActive,inner:n.innerActive&&e.copyState(n.innerActive.mode,n.inner),startingInner:n.startingInner}},token:function(o,i){if(i.innerActive){var a=i.innerActive;if(c=o.string,!a.close&&o.sol())return i.innerActive=i.inner=null,this.token(o,i);if((d=a.close&&!i.startingInner?r(c,a.close,o.pos,a.parseDelimiters):-1)==o.pos&&!a.parseDelimiters)return o.match(a.close),i.innerActive=i.inner=null,a.delimStyle&&a.delimStyle+" "+a.delimStyle+"-close";d>-1&&(o.string=c.slice(0,d));var l=a.mode.token(o,i.inner);return d>-1?o.string=c:o.pos>o.start&&(i.startingInner=!1),d==o.pos&&a.parseDelimiters&&(i.innerActive=i.inner=null),a.innerStyle&&(l=l?l+" "+a.innerStyle:a.innerStyle),l}for(var s=1/0,c=o.string,u=0;u<n.length;++u){var d,h=n[u];if((d=r(c,h.open,o.pos))==o.pos){h.parseDelimiters||o.match(h.open),i.startingInner=!!h.parseDelimiters,i.innerActive=h;var p=0;if(t.indent){var f=t.indent(i.outer,"","");f!==e.Pass&&(p=f)}return i.inner=e.startState(h.mode,p),h.delimStyle&&h.delimStyle+" "+h.delimStyle+"-open"}-1!=d&&d<s&&(s=d)}s!=1/0&&(o.string=c.slice(0,s));var m=t.token(o,i.outer);return s!=1/0&&(o.string=c),m},indent:function(n,r,o){var i=n.innerActive?n.innerActive.mode:t;return i.indent?i.indent(n.innerActive?n.inner:n.outer,r,o):e.Pass},blankLine:function(r){var o=r.innerActive?r.innerActive.mode:t;if(o.blankLine&&o.blankLine(r.innerActive?r.inner:r.outer),r.innerActive)"\n"===r.innerActive.close&&(r.innerActive=r.inner=null);else for(var i=0;i<n.length;++i){var a=n[i];"\n"===a.open&&(r.innerActive=a,r.inner=e.startState(a.mode,o.indent?o.indent(r.outer,"",""):0))}},electricChars:t.electricChars,innerMode:function(e){return e.inner?{state:e.inner,mode:e.innerActive.mode}:{state:e.outer,mode:t}}}}}(n(15237))},32580:(e,t,n)=>{!function(e){"use strict";e.overlayMode=function(t,n,r){return{startState:function(){return{base:e.startState(t),overlay:e.startState(n),basePos:0,baseCur:null,overlayPos:0,overlayCur:null,streamSeen:null}},copyState:function(r){return{base:e.copyState(t,r.base),overlay:e.copyState(n,r.overlay),basePos:r.basePos,baseCur:null,overlayPos:r.overlayPos,overlayCur:null}},token:function(e,o){return(e!=o.streamSeen||Math.min(o.basePos,o.overlayPos)<e.start)&&(o.streamSeen=e,o.basePos=o.overlayPos=e.start),e.start==o.basePos&&(o.baseCur=t.token(e,o.base),o.basePos=e.pos),e.start==o.overlayPos&&(e.pos=e.start,o.overlayCur=n.token(e,o.overlay),o.overlayPos=e.pos),e.pos=Math.min(o.basePos,o.overlayPos),null==o.overlayCur?o.baseCur:null!=o.baseCur&&o.overlay.combineTokens||r&&null==o.overlay.combineTokens?o.baseCur+" "+o.overlayCur:o.overlayCur},indent:t.indent&&function(e,n,r){return t.indent(e.base,n,r)},electricChars:t.electricChars,innerMode:function(e){return{state:e.base,mode:t}},blankLine:function(e){var o,i;return t.blankLine&&(o=t.blankLine(e.base)),n.blankLine&&(i=n.blankLine(e.overlay)),null==i?o:r&&null!=o?o+" "+i:i}}}}(n(15237))},34856:(e,t,n)=>{!function(e){"use strict";function t(e,t){if(!e.hasOwnProperty(t))throw new Error("Undefined state "+t+" in simple mode")}function n(e,t){if(!e)return/(?:)/;var n="";return e instanceof RegExp?(e.ignoreCase&&(n="i"),e.unicode&&(n+="u"),e=e.source):e=String(e),new RegExp((!1===t?"":"^")+"(?:"+e+")",n)}function r(e){if(!e)return null;if(e.apply)return e;if("string"==typeof e)return e.replace(/\./g," ");for(var t=[],n=0;n<e.length;n++)t.push(e[n]&&e[n].replace(/\./g," "));return t}function o(e,o){(e.next||e.push)&&t(o,e.next||e.push),this.regex=n(e.regex),this.token=r(e.token),this.data=e}function i(e,t){return function(n,r){if(r.pending){var o=r.pending.shift();return 0==r.pending.length&&(r.pending=null),n.pos+=o.text.length,o.token}if(r.local){if(r.local.end&&n.match(r.local.end)){var i=r.local.endToken||null;return r.local=r.localState=null,i}var a;return i=r.local.mode.token(n,r.localState),r.local.endScan&&(a=r.local.endScan.exec(n.current()))&&(n.pos=n.start+a.index),i}for(var s=e[r.state],c=0;c<s.length;c++){var u=s[c],d=(!u.data.sol||n.sol())&&n.match(u.regex);if(d){u.data.next?r.state=u.data.next:u.data.push?((r.stack||(r.stack=[])).push(r.state),r.state=u.data.push):u.data.pop&&r.stack&&r.stack.length&&(r.state=r.stack.pop()),u.data.mode&&l(t,r,u.data.mode,u.token),u.data.indent&&r.indent.push(n.indentation()+t.indentUnit),u.data.dedent&&r.indent.pop();var h=u.token;if(h&&h.apply&&(h=h(d)),d.length>2&&u.token&&"string"!=typeof u.token){for(var p=2;p<d.length;p++)d[p]&&(r.pending||(r.pending=[])).push({text:d[p],token:u.token[p-1]});return n.backUp(d[0].length-(d[1]?d[1].length:0)),h[0]}return h&&h.join?h[0]:h}}return n.next(),null}}function a(e,t){if(e===t)return!0;if(!e||"object"!=typeof e||!t||"object"!=typeof t)return!1;var n=0;for(var r in e)if(e.hasOwnProperty(r)){if(!t.hasOwnProperty(r)||!a(e[r],t[r]))return!1;n++}for(var r in t)t.hasOwnProperty(r)&&n--;return 0==n}function l(t,r,o,i){var l;if(o.persistent)for(var s=r.persistentStates;s&&!l;s=s.next)(o.spec?a(o.spec,s.spec):o.mode==s.mode)&&(l=s);var c=l?l.mode:o.mode||e.getMode(t,o.spec),u=l?l.state:e.startState(c);o.persistent&&!l&&(r.persistentStates={mode:c,spec:o.spec,state:u,next:r.persistentStates}),r.localState=u,r.local={mode:c,end:o.end&&n(o.end),endScan:o.end&&!1!==o.forceEnd&&n(o.end,!1),endToken:i&&i.join?i[i.length-1]:i}}function s(e,t){for(var n=0;n<t.length;n++)if(t[n]===e)return!0}function c(t,n){return function(r,o,i){if(r.local&&r.local.mode.indent)return r.local.mode.indent(r.localState,o,i);if(null==r.indent||r.local||n.dontIndentStates&&s(r.state,n.dontIndentStates)>-1)return e.Pass;var a=r.indent.length-1,l=t[r.state];e:for(;;){for(var c=0;c<l.length;c++){var u=l[c];if(u.data.dedent&&!1!==u.data.dedentIfLineStart){var d=u.regex.exec(o);if(d&&d[0]){a--,(u.next||u.push)&&(l=t[u.next||u.push]),o=o.slice(d[0].length);continue e}}}break}return a<0?0:r.indent[a]}}e.defineSimpleMode=function(t,n){e.defineMode(t,(function(t){return e.simpleMode(t,n)}))},e.simpleMode=function(n,r){t(r,"start");var a={},l=r.meta||{},s=!1;for(var u in r)if(u!=l&&r.hasOwnProperty(u))for(var d=a[u]=[],h=r[u],p=0;p<h.length;p++){var f=h[p];d.push(new o(f,r)),(f.indent||f.dedent)&&(s=!0)}var m={startState:function(){return{state:"start",pending:null,local:null,localState:null,indent:s?[]:null}},copyState:function(t){var n={state:t.state,pending:t.pending,local:t.local,localState:null,indent:t.indent&&t.indent.slice(0)};t.localState&&(n.localState=e.copyState(t.local.mode,t.localState)),t.stack&&(n.stack=t.stack.slice(0));for(var r=t.persistentStates;r;r=r.next)n.persistentStates={mode:r.mode,spec:r.spec,state:r.state==t.localState?n.localState:e.copyState(r.mode,r.state),next:n.persistentStates};return n},token:i(a,n),innerMode:function(e){return e.local&&{mode:e.local.mode,state:e.localState}},indent:c(a,l)};if(l)for(var v in l)l.hasOwnProperty(v)&&(m[v]=l[v]);return m}}(n(15237))},23653:(e,t,n)=>{!function(e){"use strict";var t,n,r=e.Pos;function o(e){var t=e.flags;return null!=t?t:(e.ignoreCase?"i":"")+(e.global?"g":"")+(e.multiline?"m":"")}function i(e,t){for(var n=o(e),r=n,i=0;i<t.length;i++)-1==r.indexOf(t.charAt(i))&&(r+=t.charAt(i));return n==r?e:new RegExp(e.source,r)}function a(e){return/\\s|\\n|\n|\\W|\\D|\[\^/.test(e.source)}function l(e,t,n){t=i(t,"g");for(var o=n.line,a=n.ch,l=e.lastLine();o<=l;o++,a=0){t.lastIndex=a;var s=e.getLine(o),c=t.exec(s);if(c)return{from:r(o,c.index),to:r(o,c.index+c[0].length),match:c}}}function s(e,t,n){if(!a(t))return l(e,t,n);t=i(t,"gm");for(var o,s=1,c=n.line,u=e.lastLine();c<=u;){for(var d=0;d<s&&!(c>u);d++){var h=e.getLine(c++);o=null==o?h:o+"\n"+h}s*=2,t.lastIndex=n.ch;var p=t.exec(o);if(p){var f=o.slice(0,p.index).split("\n"),m=p[0].split("\n"),v=n.line+f.length-1,g=f[f.length-1].length;return{from:r(v,g),to:r(v+m.length-1,1==m.length?g+m[0].length:m[m.length-1].length),match:p}}}}function c(e,t,n){for(var r,o=0;o<=e.length;){t.lastIndex=o;var i=t.exec(e);if(!i)break;var a=i.index+i[0].length;if(a>e.length-n)break;(!r||a>r.index+r[0].length)&&(r=i),o=i.index+1}return r}function u(e,t,n){t=i(t,"g");for(var o=n.line,a=n.ch,l=e.firstLine();o>=l;o--,a=-1){var s=e.getLine(o),u=c(s,t,a<0?0:s.length-a);if(u)return{from:r(o,u.index),to:r(o,u.index+u[0].length),match:u}}}function d(e,t,n){if(!a(t))return u(e,t,n);t=i(t,"gm");for(var o,l=1,s=e.getLine(n.line).length-n.ch,d=n.line,h=e.firstLine();d>=h;){for(var p=0;p<l&&d>=h;p++){var f=e.getLine(d--);o=null==o?f:f+"\n"+o}l*=2;var m=c(o,t,s);if(m){var v=o.slice(0,m.index).split("\n"),g=m[0].split("\n"),w=d+v.length,y=v[v.length-1].length;return{from:r(w,y),to:r(w+g.length-1,1==g.length?y+g[0].length:g[g.length-1].length),match:m}}}}function h(e,t,n,r){if(e.length==t.length)return n;for(var o=0,i=n+Math.max(0,e.length-t.length);;){if(o==i)return o;var a=o+i>>1,l=r(e.slice(0,a)).length;if(l==n)return a;l>n?i=a:o=a+1}}function p(e,o,i,a){if(!o.length)return null;var l=a?t:n,s=l(o).split(/\r|\n\r?/);e:for(var c=i.line,u=i.ch,d=e.lastLine()+1-s.length;c<=d;c++,u=0){var p=e.getLine(c).slice(u),f=l(p);if(1==s.length){var m=f.indexOf(s[0]);if(-1==m)continue e;return i=h(p,f,m,l)+u,{from:r(c,h(p,f,m,l)+u),to:r(c,h(p,f,m+s[0].length,l)+u)}}var v=f.length-s[0].length;if(f.slice(v)==s[0]){for(var g=1;g<s.length-1;g++)if(l(e.getLine(c+g))!=s[g])continue e;var w=e.getLine(c+s.length-1),y=l(w),b=s[s.length-1];if(y.slice(0,b.length)==b)return{from:r(c,h(p,f,v,l)+u),to:r(c+s.length-1,h(w,y,b.length,l))}}}}function f(e,o,i,a){if(!o.length)return null;var l=a?t:n,s=l(o).split(/\r|\n\r?/);e:for(var c=i.line,u=i.ch,d=e.firstLine()-1+s.length;c>=d;c--,u=-1){var p=e.getLine(c);u>-1&&(p=p.slice(0,u));var f=l(p);if(1==s.length){var m=f.lastIndexOf(s[0]);if(-1==m)continue e;return{from:r(c,h(p,f,m,l)),to:r(c,h(p,f,m+s[0].length,l))}}var v=s[s.length-1];if(f.slice(0,v.length)==v){var g=1;for(i=c-s.length+1;g<s.length-1;g++)if(l(e.getLine(i+g))!=s[g])continue e;var w=e.getLine(c+1-s.length),y=l(w);if(y.slice(y.length-s[0].length)==s[0])return{from:r(c+1-s.length,h(w,y,w.length-s[0].length,l)),to:r(c,h(p,f,v.length,l))}}}}function m(e,t,n,o){var a;this.atOccurrence=!1,this.afterEmptyMatch=!1,this.doc=e,n=n?e.clipPos(n):r(0,0),this.pos={from:n,to:n},"object"==typeof o?a=o.caseFold:(a=o,o=null),"string"==typeof t?(null==a&&(a=!1),this.matches=function(n,r){return(n?f:p)(e,t,r,a)}):(t=i(t,"gm"),o&&!1===o.multiline?this.matches=function(n,r){return(n?u:l)(e,t,r)}:this.matches=function(n,r){return(n?d:s)(e,t,r)})}String.prototype.normalize?(t=function(e){return e.normalize("NFD").toLowerCase()},n=function(e){return e.normalize("NFD")}):(t=function(e){return e.toLowerCase()},n=function(e){return e}),m.prototype={findNext:function(){return this.find(!1)},findPrevious:function(){return this.find(!0)},find:function(t){var n=this.doc.clipPos(t?this.pos.from:this.pos.to);if(this.afterEmptyMatch&&this.atOccurrence&&(n=r(n.line,n.ch),t?(n.ch--,n.ch<0&&(n.line--,n.ch=(this.doc.getLine(n.line)||"").length)):(n.ch++,n.ch>(this.doc.getLine(n.line)||"").length&&(n.ch=0,n.line++)),0!=e.cmpPos(n,this.doc.clipPos(n))))return this.atOccurrence=!1;var o=this.matches(t,n);if(this.afterEmptyMatch=o&&0==e.cmpPos(o.from,o.to),o)return this.pos=o,this.atOccurrence=!0,this.pos.match||!0;var i=r(t?this.doc.firstLine():this.doc.lastLine()+1,0);return this.pos={from:i,to:i},this.atOccurrence=!1},from:function(){if(this.atOccurrence)return this.pos.from},to:function(){if(this.atOccurrence)return this.pos.to},replace:function(t,n){if(this.atOccurrence){var o=e.splitLines(t);this.doc.replaceRange(o,this.pos.from,this.pos.to,n),this.pos.to=r(this.pos.from.line+o.length-1,o[o.length-1].length+(1==o.length?this.pos.from.ch:0))}}},e.defineExtension("getSearchCursor",(function(e,t,n){return new m(this.doc,e,t,n)})),e.defineDocExtension("getSearchCursor",(function(e,t,n){return new m(this,e,t,n)})),e.defineExtension("selectMatches",(function(t,n){for(var r=[],o=this.getSearchCursor(t,this.getCursor("from"),n);o.findNext()&&!(e.cmpPos(o.to(),this.getCursor("to"))>0);)r.push({anchor:o.from(),head:o.to()});r.length&&this.setSelections(r,0)}))}(n(15237))},71275:(e,t,n)=>{!function(e){"use strict";function t(e){var t=e.Pos;function n(e,n){var r=e.state.vim;if(!r||r.insertMode)return n.head;var o=r.sel.head;return o?r.visualBlock&&n.head.line!=o.line?void 0:n.from()!=n.anchor||n.empty()||n.head.line!=o.line||n.head.ch==o.ch?n.head:new t(n.head.line,n.head.ch-1):n.head}var r=[{keys:"<Left>",type:"keyToKey",toKeys:"h"},{keys:"<Right>",type:"keyToKey",toKeys:"l"},{keys:"<Up>",type:"keyToKey",toKeys:"k"},{keys:"<Down>",type:"keyToKey",toKeys:"j"},{keys:"g<Up>",type:"keyToKey",toKeys:"gk"},{keys:"g<Down>",type:"keyToKey",toKeys:"gj"},{keys:"<Space>",type:"keyToKey",toKeys:"l"},{keys:"<BS>",type:"keyToKey",toKeys:"h",context:"normal"},{keys:"<Del>",type:"keyToKey",toKeys:"x",context:"normal"},{keys:"<C-Space>",type:"keyToKey",toKeys:"W"},{keys:"<C-BS>",type:"keyToKey",toKeys:"B",context:"normal"},{keys:"<S-Space>",type:"keyToKey",toKeys:"w"},{keys:"<S-BS>",type:"keyToKey",toKeys:"b",context:"normal"},{keys:"<C-n>",type:"keyToKey",toKeys:"j"},{keys:"<C-p>",type:"keyToKey",toKeys:"k"},{keys:"<C-[>",type:"keyToKey",toKeys:"<Esc>"},{keys:"<C-c>",type:"keyToKey",toKeys:"<Esc>"},{keys:"<C-[>",type:"keyToKey",toKeys:"<Esc>",context:"insert"},{keys:"<C-c>",type:"keyToKey",toKeys:"<Esc>",context:"insert"},{keys:"<C-Esc>",type:"keyToKey",toKeys:"<Esc>"},{keys:"<C-Esc>",type:"keyToKey",toKeys:"<Esc>",context:"insert"},{keys:"s",type:"keyToKey",toKeys:"cl",context:"normal"},{keys:"s",type:"keyToKey",toKeys:"c",context:"visual"},{keys:"S",type:"keyToKey",toKeys:"cc",context:"normal"},{keys:"S",type:"keyToKey",toKeys:"VdO",context:"visual"},{keys:"<Home>",type:"keyToKey",toKeys:"0"},{keys:"<End>",type:"keyToKey",toKeys:"$"},{keys:"<PageUp>",type:"keyToKey",toKeys:"<C-b>"},{keys:"<PageDown>",type:"keyToKey",toKeys:"<C-f>"},{keys:"<CR>",type:"keyToKey",toKeys:"j^",context:"normal"},{keys:"<Ins>",type:"keyToKey",toKeys:"i",context:"normal"},{keys:"<Ins>",type:"action",action:"toggleOverwrite",context:"insert"},{keys:"H",type:"motion",motion:"moveToTopLine",motionArgs:{linewise:!0,toJumplist:!0}},{keys:"M",type:"motion",motion:"moveToMiddleLine",motionArgs:{linewise:!0,toJumplist:!0}},{keys:"L",type:"motion",motion:"moveToBottomLine",motionArgs:{linewise:!0,toJumplist:!0}},{keys:"h",type:"motion",motion:"moveByCharacters",motionArgs:{forward:!1}},{keys:"l",type:"motion",motion:"moveByCharacters",motionArgs:{forward:!0}},{keys:"j",type:"motion",motion:"moveByLines",motionArgs:{forward:!0,linewise:!0}},{keys:"k",type:"motion",motion:"moveByLines",motionArgs:{forward:!1,linewise:!0}},{keys:"gj",type:"motion",motion:"moveByDisplayLines",motionArgs:{forward:!0}},{keys:"gk",type:"motion",motion:"moveByDisplayLines",motionArgs:{forward:!1}},{keys:"w",type:"motion",motion:"moveByWords",motionArgs:{forward:!0,wordEnd:!1}},{keys:"W",type:"motion",motion:"moveByWords",motionArgs:{forward:!0,wordEnd:!1,bigWord:!0}},{keys:"e",type:"motion",motion:"moveByWords",motionArgs:{forward:!0,wordEnd:!0,inclusive:!0}},{keys:"E",type:"motion",motion:"moveByWords",motionArgs:{forward:!0,wordEnd:!0,bigWord:!0,inclusive:!0}},{keys:"b",type:"motion",motion:"moveByWords",motionArgs:{forward:!1,wordEnd:!1}},{keys:"B",type:"motion",motion:"moveByWords",motionArgs:{forward:!1,wordEnd:!1,bigWord:!0}},{keys:"ge",type:"motion",motion:"moveByWords",motionArgs:{forward:!1,wordEnd:!0,inclusive:!0}},{keys:"gE",type:"motion",motion:"moveByWords",motionArgs:{forward:!1,wordEnd:!0,bigWord:!0,inclusive:!0}},{keys:"{",type:"motion",motion:"moveByParagraph",motionArgs:{forward:!1,toJumplist:!0}},{keys:"}",type:"motion",motion:"moveByParagraph",motionArgs:{forward:!0,toJumplist:!0}},{keys:"(",type:"motion",motion:"moveBySentence",motionArgs:{forward:!1}},{keys:")",type:"motion",motion:"moveBySentence",motionArgs:{forward:!0}},{keys:"<C-f>",type:"motion",motion:"moveByPage",motionArgs:{forward:!0}},{keys:"<C-b>",type:"motion",motion:"moveByPage",motionArgs:{forward:!1}},{keys:"<C-d>",type:"motion",motion:"moveByScroll",motionArgs:{forward:!0,explicitRepeat:!0}},{keys:"<C-u>",type:"motion",motion:"moveByScroll",motionArgs:{forward:!1,explicitRepeat:!0}},{keys:"gg",type:"motion",motion:"moveToLineOrEdgeOfDocument",motionArgs:{forward:!1,explicitRepeat:!0,linewise:!0,toJumplist:!0}},{keys:"G",type:"motion",motion:"moveToLineOrEdgeOfDocument",motionArgs:{forward:!0,explicitRepeat:!0,linewise:!0,toJumplist:!0}},{keys:"g$",type:"motion",motion:"moveToEndOfDisplayLine"},{keys:"g^",type:"motion",motion:"moveToStartOfDisplayLine"},{keys:"g0",type:"motion",motion:"moveToStartOfDisplayLine"},{keys:"0",type:"motion",motion:"moveToStartOfLine"},{keys:"^",type:"motion",motion:"moveToFirstNonWhiteSpaceCharacter"},{keys:"+",type:"motion",motion:"moveByLines",motionArgs:{forward:!0,toFirstChar:!0}},{keys:"-",type:"motion",motion:"moveByLines",motionArgs:{forward:!1,toFirstChar:!0}},{keys:"_",type:"motion",motion:"moveByLines",motionArgs:{forward:!0,toFirstChar:!0,repeatOffset:-1}},{keys:"$",type:"motion",motion:"moveToEol",motionArgs:{inclusive:!0}},{keys:"%",type:"motion",motion:"moveToMatchedSymbol",motionArgs:{inclusive:!0,toJumplist:!0}},{keys:"f<character>",type:"motion",motion:"moveToCharacter",motionArgs:{forward:!0,inclusive:!0}},{keys:"F<character>",type:"motion",motion:"moveToCharacter",motionArgs:{forward:!1}},{keys:"t<character>",type:"motion",motion:"moveTillCharacter",motionArgs:{forward:!0,inclusive:!0}},{keys:"T<character>",type:"motion",motion:"moveTillCharacter",motionArgs:{forward:!1}},{keys:";",type:"motion",motion:"repeatLastCharacterSearch",motionArgs:{forward:!0}},{keys:",",type:"motion",motion:"repeatLastCharacterSearch",motionArgs:{forward:!1}},{keys:"'<character>",type:"motion",motion:"goToMark",motionArgs:{toJumplist:!0,linewise:!0}},{keys:"`<character>",type:"motion",motion:"goToMark",motionArgs:{toJumplist:!0}},{keys:"]`",type:"motion",motion:"jumpToMark",motionArgs:{forward:!0}},{keys:"[`",type:"motion",motion:"jumpToMark",motionArgs:{forward:!1}},{keys:"]'",type:"motion",motion:"jumpToMark",motionArgs:{forward:!0,linewise:!0}},{keys:"['",type:"motion",motion:"jumpToMark",motionArgs:{forward:!1,linewise:!0}},{keys:"]p",type:"action",action:"paste",isEdit:!0,actionArgs:{after:!0,isEdit:!0,matchIndent:!0}},{keys:"[p",type:"action",action:"paste",isEdit:!0,actionArgs:{after:!1,isEdit:!0,matchIndent:!0}},{keys:"]<character>",type:"motion",motion:"moveToSymbol",motionArgs:{forward:!0,toJumplist:!0}},{keys:"[<character>",type:"motion",motion:"moveToSymbol",motionArgs:{forward:!1,toJumplist:!0}},{keys:"|",type:"motion",motion:"moveToColumn"},{keys:"o",type:"motion",motion:"moveToOtherHighlightedEnd",context:"visual"},{keys:"O",type:"motion",motion:"moveToOtherHighlightedEnd",motionArgs:{sameLine:!0},context:"visual"},{keys:"d",type:"operator",operator:"delete"},{keys:"y",type:"operator",operator:"yank"},{keys:"c",type:"operator",operator:"change"},{keys:"=",type:"operator",operator:"indentAuto"},{keys:">",type:"operator",operator:"indent",operatorArgs:{indentRight:!0}},{keys:"<",type:"operator",operator:"indent",operatorArgs:{indentRight:!1}},{keys:"g~",type:"operator",operator:"changeCase"},{keys:"gu",type:"operator",operator:"changeCase",operatorArgs:{toLower:!0},isEdit:!0},{keys:"gU",type:"operator",operator:"changeCase",operatorArgs:{toLower:!1},isEdit:!0},{keys:"n",type:"motion",motion:"findNext",motionArgs:{forward:!0,toJumplist:!0}},{keys:"N",type:"motion",motion:"findNext",motionArgs:{forward:!1,toJumplist:!0}},{keys:"gn",type:"motion",motion:"findAndSelectNextInclusive",motionArgs:{forward:!0}},{keys:"gN",type:"motion",motion:"findAndSelectNextInclusive",motionArgs:{forward:!1}},{keys:"x",type:"operatorMotion",operator:"delete",motion:"moveByCharacters",motionArgs:{forward:!0},operatorMotionArgs:{visualLine:!1}},{keys:"X",type:"operatorMotion",operator:"delete",motion:"moveByCharacters",motionArgs:{forward:!1},operatorMotionArgs:{visualLine:!0}},{keys:"D",type:"operatorMotion",operator:"delete",motion:"moveToEol",motionArgs:{inclusive:!0},context:"normal"},{keys:"D",type:"operator",operator:"delete",operatorArgs:{linewise:!0},context:"visual"},{keys:"Y",type:"operatorMotion",operator:"yank",motion:"expandToLine",motionArgs:{linewise:!0},context:"normal"},{keys:"Y",type:"operator",operator:"yank",operatorArgs:{linewise:!0},context:"visual"},{keys:"C",type:"operatorMotion",operator:"change",motion:"moveToEol",motionArgs:{inclusive:!0},context:"normal"},{keys:"C",type:"operator",operator:"change",operatorArgs:{linewise:!0},context:"visual"},{keys:"~",type:"operatorMotion",operator:"changeCase",motion:"moveByCharacters",motionArgs:{forward:!0},operatorArgs:{shouldMoveCursor:!0},context:"normal"},{keys:"~",type:"operator",operator:"changeCase",context:"visual"},{keys:"<C-u>",type:"operatorMotion",operator:"delete",motion:"moveToStartOfLine",context:"insert"},{keys:"<C-w>",type:"operatorMotion",operator:"delete",motion:"moveByWords",motionArgs:{forward:!1,wordEnd:!1},context:"insert"},{keys:"<C-w>",type:"idle",context:"normal"},{keys:"<C-i>",type:"action",action:"jumpListWalk",actionArgs:{forward:!0}},{keys:"<C-o>",type:"action",action:"jumpListWalk",actionArgs:{forward:!1}},{keys:"<C-e>",type:"action",action:"scroll",actionArgs:{forward:!0,linewise:!0}},{keys:"<C-y>",type:"action",action:"scroll",actionArgs:{forward:!1,linewise:!0}},{keys:"a",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"charAfter"},context:"normal"},{keys:"A",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"eol"},context:"normal"},{keys:"A",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"endOfSelectedArea"},context:"visual"},{keys:"i",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"inplace"},context:"normal"},{keys:"gi",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"lastEdit"},context:"normal"},{keys:"I",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"firstNonBlank"},context:"normal"},{keys:"gI",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"bol"},context:"normal"},{keys:"I",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"startOfSelectedArea"},context:"visual"},{keys:"o",type:"action",action:"newLineAndEnterInsertMode",isEdit:!0,interlaceInsertRepeat:!0,actionArgs:{after:!0},context:"normal"},{keys:"O",type:"action",action:"newLineAndEnterInsertMode",isEdit:!0,interlaceInsertRepeat:!0,actionArgs:{after:!1},context:"normal"},{keys:"v",type:"action",action:"toggleVisualMode"},{keys:"V",type:"action",action:"toggleVisualMode",actionArgs:{linewise:!0}},{keys:"<C-v>",type:"action",action:"toggleVisualMode",actionArgs:{blockwise:!0}},{keys:"<C-q>",type:"action",action:"toggleVisualMode",actionArgs:{blockwise:!0}},{keys:"gv",type:"action",action:"reselectLastSelection"},{keys:"J",type:"action",action:"joinLines",isEdit:!0},{keys:"gJ",type:"action",action:"joinLines",actionArgs:{keepSpaces:!0},isEdit:!0},{keys:"p",type:"action",action:"paste",isEdit:!0,actionArgs:{after:!0,isEdit:!0}},{keys:"P",type:"action",action:"paste",isEdit:!0,actionArgs:{after:!1,isEdit:!0}},{keys:"r<character>",type:"action",action:"replace",isEdit:!0},{keys:"@<character>",type:"action",action:"replayMacro"},{keys:"q<character>",type:"action",action:"enterMacroRecordMode"},{keys:"R",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{replace:!0},context:"normal"},{keys:"R",type:"operator",operator:"change",operatorArgs:{linewise:!0,fullLine:!0},context:"visual",exitVisualBlock:!0},{keys:"u",type:"action",action:"undo",context:"normal"},{keys:"u",type:"operator",operator:"changeCase",operatorArgs:{toLower:!0},context:"visual",isEdit:!0},{keys:"U",type:"operator",operator:"changeCase",operatorArgs:{toLower:!1},context:"visual",isEdit:!0},{keys:"<C-r>",type:"action",action:"redo"},{keys:"m<character>",type:"action",action:"setMark"},{keys:'"<character>',type:"action",action:"setRegister"},{keys:"zz",type:"action",action:"scrollToCursor",actionArgs:{position:"center"}},{keys:"z.",type:"action",action:"scrollToCursor",actionArgs:{position:"center"},motion:"moveToFirstNonWhiteSpaceCharacter"},{keys:"zt",type:"action",action:"scrollToCursor",actionArgs:{position:"top"}},{keys:"z<CR>",type:"action",action:"scrollToCursor",actionArgs:{position:"top"},motion:"moveToFirstNonWhiteSpaceCharacter"},{keys:"zb",type:"action",action:"scrollToCursor",actionArgs:{position:"bottom"}},{keys:"z-",type:"action",action:"scrollToCursor",actionArgs:{position:"bottom"},motion:"moveToFirstNonWhiteSpaceCharacter"},{keys:".",type:"action",action:"repeatLastEdit"},{keys:"<C-a>",type:"action",action:"incrementNumberToken",isEdit:!0,actionArgs:{increase:!0,backtrack:!1}},{keys:"<C-x>",type:"action",action:"incrementNumberToken",isEdit:!0,actionArgs:{increase:!1,backtrack:!1}},{keys:"<C-t>",type:"action",action:"indent",actionArgs:{indentRight:!0},context:"insert"},{keys:"<C-d>",type:"action",action:"indent",actionArgs:{indentRight:!1},context:"insert"},{keys:"a<character>",type:"motion",motion:"textObjectManipulation"},{keys:"i<character>",type:"motion",motion:"textObjectManipulation",motionArgs:{textObjectInner:!0}},{keys:"/",type:"search",searchArgs:{forward:!0,querySrc:"prompt",toJumplist:!0}},{keys:"?",type:"search",searchArgs:{forward:!1,querySrc:"prompt",toJumplist:!0}},{keys:"*",type:"search",searchArgs:{forward:!0,querySrc:"wordUnderCursor",wholeWordOnly:!0,toJumplist:!0}},{keys:"#",type:"search",searchArgs:{forward:!1,querySrc:"wordUnderCursor",wholeWordOnly:!0,toJumplist:!0}},{keys:"g*",type:"search",searchArgs:{forward:!0,querySrc:"wordUnderCursor",toJumplist:!0}},{keys:"g#",type:"search",searchArgs:{forward:!1,querySrc:"wordUnderCursor",toJumplist:!0}},{keys:":",type:"ex"}],o=r.length,i=[{name:"colorscheme",shortName:"colo"},{name:"map"},{name:"imap",shortName:"im"},{name:"nmap",shortName:"nm"},{name:"vmap",shortName:"vm"},{name:"unmap"},{name:"write",shortName:"w"},{name:"undo",shortName:"u"},{name:"redo",shortName:"red"},{name:"set",shortName:"se"},{name:"setlocal",shortName:"setl"},{name:"setglobal",shortName:"setg"},{name:"sort",shortName:"sor"},{name:"substitute",shortName:"s",possiblyAsync:!0},{name:"nohlsearch",shortName:"noh"},{name:"yank",shortName:"y"},{name:"delmarks",shortName:"delm"},{name:"registers",shortName:"reg",excludeFromCommandHistory:!0},{name:"vglobal",shortName:"v"},{name:"global",shortName:"g"}];function a(t){t.setOption("disableInput",!0),t.setOption("showCursorWhenSelecting",!1),e.signal(t,"vim-mode-change",{mode:"normal"}),t.on("cursorActivity",Pt),F(t),e.on(t.getInputField(),"paste",f(t))}function l(t){t.setOption("disableInput",!1),t.off("cursorActivity",Pt),e.off(t.getInputField(),"paste",f(t)),t.state.vim=null,yt&&clearTimeout(yt)}function s(t,n){this==e.keyMap.vim&&(t.options.$customCursor=null,e.rmClass(t.getWrapperElement(),"cm-fat-cursor")),n&&n.attach==c||l(t)}function c(t,r){this==e.keyMap.vim&&(t.curOp&&(t.curOp.selectionChanged=!0),t.options.$customCursor=n,e.addClass(t.getWrapperElement(),"cm-fat-cursor")),r&&r.attach==c||a(t)}function u(t,n){if(n){if(this[t])return this[t];var r=p(t);if(!r)return!1;var o=q.findKey(n,r);return"function"==typeof o&&e.signal(n,"vim-keypress",r),o}}e.defineOption("vimMode",!1,(function(t,n,r){n&&"vim"!=t.getOption("keyMap")?t.setOption("keyMap","vim"):!n&&r!=e.Init&&/^vim/.test(t.getOption("keyMap"))&&t.setOption("keyMap","default")}));var d={Shift:"S",Ctrl:"C",Alt:"A",Cmd:"D",Mod:"A",CapsLock:""},h={Enter:"CR",Backspace:"BS",Delete:"Del",Insert:"Ins"};function p(e){if("'"==e.charAt(0))return e.charAt(1);var t=e.split(/-(?!$)/),n=t[t.length-1];if(1==t.length&&1==t[0].length)return!1;if(2==t.length&&"Shift"==t[0]&&1==n.length)return!1;for(var r=!1,o=0;o<t.length;o++){var i=t[o];i in d?t[o]=d[i]:r=!0,i in h&&(t[o]=h[i])}return!!r&&(S(n)&&(t[t.length-1]=n.toLowerCase()),"<"+t.join("-")+">")}function f(e){var t=e.state.vim;return t.onPasteFn||(t.onPasteFn=function(){t.insertMode||(e.setCursor(le(e.getCursor(),0,1)),re.enterInsertMode(e,{},t))}),t.onPasteFn}var m=/[\d]/,v=[e.isWordChar,function(t){return t&&!e.isWordChar(t)&&!/\s/.test(t)}],g=[function(e){return/\S/.test(e)}];function w(e,t){for(var n=[],r=e;r<e+t;r++)n.push(String.fromCharCode(r));return n}var y,b=w(65,26),x=w(97,26),k=w(48,10),E=[].concat(b,x,k,["<",">"]),A=[].concat(b,x,k,["-",'"',".",":","_","/"]);try{y=new RegExp("^[\\p{Lu}]$","u")}catch(e){y=/^[A-Z]$/}function C(e,t){return t>=e.firstLine()&&t<=e.lastLine()}function B(e){return/^[a-z]$/.test(e)}function M(e){return-1!="()[]{}".indexOf(e)}function _(e){return m.test(e)}function S(e){return y.test(e)}function N(e){return/^\s*$/.test(e)}function V(e){return-1!=".?!".indexOf(e)}function L(e,t){for(var n=0;n<t.length;n++)if(t[n]==e)return!0;return!1}var T={};function I(e,t,n,r,o){if(void 0===t&&!o)throw Error("defaultValue is required unless callback is provided");if(n||(n="string"),T[e]={type:n,defaultValue:t,callback:o},r)for(var i=0;i<r.length;i++)T[r[i]]=T[e];t&&Z(e,t)}function Z(e,t,n,r){var o=T[e],i=(r=r||{}).scope;if(!o)return new Error("Unknown option: "+e);if("boolean"==o.type){if(t&&!0!==t)return new Error("Invalid argument: "+e+"="+t);!1!==t&&(t=!0)}o.callback?("local"!==i&&o.callback(t,void 0),"global"!==i&&n&&o.callback(t,n)):("local"!==i&&(o.value="boolean"==o.type?!!t:t),"global"!==i&&n&&(n.state.vim.options[e]={value:t}))}function O(e,t,n){var r=T[e],o=(n=n||{}).scope;if(!r)return new Error("Unknown option: "+e);if(r.callback){var i=t&&r.callback(void 0,t);return"global"!==o&&void 0!==i?i:"local"!==o?r.callback():void 0}return((i="global"!==o&&t&&t.state.vim.options[e])||"local"!==o&&r||{}).value}I("filetype",void 0,"string",["ft"],(function(e,t){if(void 0!==t){if(void 0===e)return"null"==(n=t.getOption("mode"))?"":n;var n=""==e?"null":e;t.setOption("mode",n)}}));var D,R,H=function(){var e=100,t=-1,n=0,r=0,o=new Array(e);function i(i,a,l){var s=o[t%e];function c(n){var r=++t%e,a=o[r];a&&a.clear(),o[r]=i.setBookmark(n)}if(s){var u=s.find();u&&!pe(u,a)&&c(a)}else c(a);c(l),n=t,(r=t-e+1)<0&&(r=0)}function a(i,a){(t+=a)>n?t=n:t<r&&(t=r);var l=o[(e+t)%e];if(l&&!l.find()){var s,c=a>0?1:-1,u=i.getCursor();do{if((l=o[(e+(t+=c))%e])&&(s=l.find())&&!pe(u,s))break}while(t<n&&t>r)}return l}function l(e,n){var r=t,o=a(e,n);return t=r,o&&o.find()}return{cachedCursor:void 0,add:i,find:l,move:a}},P=function(e){return e?{changes:e.changes,expectCursorActivityForChange:e.expectCursorActivityForChange}:{changes:[],expectCursorActivityForChange:!1}};function j(){this.latestRegister=void 0,this.isPlaying=!1,this.isRecording=!1,this.replaySearchQueries=[],this.onRecordingDone=void 0,this.lastInsertModeChanges=P()}function F(e){return e.state.vim||(e.state.vim={inputState:new U,lastEditInputState:void 0,lastEditActionCommand:void 0,lastHPos:-1,lastHSPos:-1,lastMotion:null,marks:{},insertMode:!1,insertModeRepeat:void 0,visualMode:!1,visualLine:!1,visualBlock:!1,lastSelection:null,lastPastedText:null,sel:{},options:{}}),e.state.vim}function z(){for(var e in D={searchQuery:null,searchIsReversed:!1,lastSubstituteReplacePart:void 0,jumpList:H(),macroModeState:new j,lastCharacterSearch:{increment:0,forward:!0,selectedCharacter:""},registerController:new K({}),searchHistoryController:new Y,exCommandHistoryController:new Y},T){var t=T[e];t.value=t.defaultValue}}j.prototype={exitMacroRecordMode:function(){var e=D.macroModeState;e.onRecordingDone&&e.onRecordingDone(),e.onRecordingDone=void 0,e.isRecording=!1},enterMacroRecordMode:function(e,t){var n=D.registerController.getRegister(t);if(n){if(n.clear(),this.latestRegister=t,e.openDialog){var r=ht("span",{class:"cm-vim-message"},"recording @"+t);this.onRecordingDone=e.openDialog(r,null,{bottom:!0})}this.isRecording=!0}}};var q={enterVimMode:a,buildKeyMap:function(){},getRegisterController:function(){return D.registerController},resetVimGlobalState_:z,getVimGlobalState_:function(){return D},maybeInitVimState_:F,suppressErrorLogging:!1,InsertModeKey:Ft,map:function(e,t,n){Nt.map(e,t,n)},unmap:function(e,t){return Nt.unmap(e,t)},noremap:function(e,t,n){function i(e){return e?[e]:["normal","insert","visual"]}for(var a=i(n),l=r.length,s=l-o;s<l&&a.length;s++){var c=r[s];if(!(c.keys!=t||n&&c.context&&c.context!==n||"ex"===c.type.substr(0,2)||"key"===c.type.substr(0,3))){var u={};for(var d in c)u[d]=c[d];u.keys=e,n&&!u.context&&(u.context=n),this._mapCommand(u);var h=i(c.context);a=a.filter((function(e){return-1===h.indexOf(e)}))}}},mapclear:function(e){var t=r.length,n=o,i=r.slice(0,t-n);if(r=r.slice(t-n),e)for(var a=i.length-1;a>=0;a--){var l=i[a];if(e!==l.context)if(l.context)this._mapCommand(l);else{var s=["normal","insert","visual"];for(var c in s)if(s[c]!==e){var u={};for(var d in l)u[d]=l[d];u.context=s[c],this._mapCommand(u)}}}},setOption:Z,getOption:O,defineOption:I,defineEx:function(e,t,n){if(t){if(0!==e.indexOf(t))throw new Error('(Vim.defineEx) "'+t+'" is not a prefix of "'+e+'", command not registered')}else t=e;St[e]=n,Nt.commandMap_[t]={name:e,shortName:t,type:"api"}},handleKey:function(e,t,n){var r=this.findKey(e,t,n);if("function"==typeof r)return r()},multiSelectHandleKey:Wt,findKey:function(e,t,n){var o,i=F(e);function a(){var r=D.macroModeState;if(r.isRecording){if("q"==t)return r.exitMacroRecordMode(),$(e),!0;"mapping"!=n&&Ot(r,t)}}function l(){if("<Esc>"==t){if(i.visualMode)Ve(e);else{if(!i.insertMode)return;Lt(e)}return $(e),!0}}function s(n){for(var r;n;)r=/<\w+-.+?>|<\w+>|./.exec(n),t=r[0],n=n.substring(r.index+t.length),q.handleKey(e,t,"mapping")}function c(){if(l())return!0;for(var n=i.inputState.keyBuffer=i.inputState.keyBuffer+t,o=1==t.length,a=X.matchCommand(n,r,i.inputState,"insert");n.length>1&&"full"!=a.type;){n=i.inputState.keyBuffer=n.slice(1);var s=X.matchCommand(n,r,i.inputState,"insert");"none"!=s.type&&(a=s)}if("none"==a.type)return $(e),!1;if("partial"==a.type)return R&&window.clearTimeout(R),R=window.setTimeout((function(){i.insertMode&&i.inputState.keyBuffer&&$(e)}),O("insertModeEscKeysTimeout")),!o;if(R&&window.clearTimeout(R),o){for(var c=e.listSelections(),u=0;u<c.length;u++){var d=c[u].head;e.replaceRange("",le(d,0,-(n.length-1)),d,"+input")}D.macroModeState.lastInsertModeChanges.changes.pop()}return $(e),a.command}function u(){if(a()||l())return!0;var n=i.inputState.keyBuffer=i.inputState.keyBuffer+t;if(/^[1-9]\d*$/.test(n))return!0;var o=/^(\d*)(.*)$/.exec(n);if(!o)return $(e),!1;var s=i.visualMode?"visual":"normal",c=o[2]||o[1];i.inputState.operatorShortcut&&i.inputState.operatorShortcut.slice(-1)==c&&(c=i.inputState.operatorShortcut);var u=X.matchCommand(c,r,i.inputState,s);return"none"==u.type?($(e),!1):"partial"==u.type||("clear"==u.type?($(e),!0):(i.inputState.keyBuffer="",(o=/^(\d*)(.*)$/.exec(n))[1]&&"0"!=o[1]&&i.inputState.pushRepeatDigit(o[1]),u.command))}return!1===(o=i.insertMode?c():u())?i.insertMode||1!==t.length?void 0:function(){return!0}:!0===o?function(){return!0}:function(){return e.operation((function(){e.curOp.isVimOp=!0;try{"keyToKey"==o.type?s(o.toKeys):X.processCommand(e,i,o)}catch(t){throw e.state.vim=void 0,F(e),q.suppressErrorLogging||console.log(t),t}return!0}))}},handleEx:function(e,t){Nt.processCommand(e,t)},defineMotion:Q,defineAction:oe,defineOperator:ne,mapCommand:It,_mapCommand:Tt,defineRegister:G,exitVisualMode:Ve,exitInsertMode:Lt};function U(){this.prefixRepeat=[],this.motionRepeat=[],this.operator=null,this.operatorArgs=null,this.motion=null,this.motionArgs=null,this.keyBuffer=[],this.registerName=null}function $(t,n){t.state.vim.inputState=new U,e.signal(t,"vim-command-done",n)}function W(e,t,n){this.clear(),this.keyBuffer=[e||""],this.insertModeChanges=[],this.searchQueries=[],this.linewise=!!t,this.blockwise=!!n}function G(e,t){var n=D.registerController.registers;if(!e||1!=e.length)throw Error("Register name must be 1 character");if(n[e])throw Error("Register already defined "+e);n[e]=t,A.push(e)}function K(e){this.registers=e,this.unnamedRegister=e['"']=new W,e["."]=new W,e[":"]=new W,e["/"]=new W}function Y(){this.historyBuffer=[],this.iterator=0,this.initialPrefix=null}U.prototype.pushRepeatDigit=function(e){this.operator?this.motionRepeat=this.motionRepeat.concat(e):this.prefixRepeat=this.prefixRepeat.concat(e)},U.prototype.getRepeat=function(){var e=0;return(this.prefixRepeat.length>0||this.motionRepeat.length>0)&&(e=1,this.prefixRepeat.length>0&&(e*=parseInt(this.prefixRepeat.join(""),10)),this.motionRepeat.length>0&&(e*=parseInt(this.motionRepeat.join(""),10))),e},W.prototype={setText:function(e,t,n){this.keyBuffer=[e||""],this.linewise=!!t,this.blockwise=!!n},pushText:function(e,t){t&&(this.linewise||this.keyBuffer.push("\n"),this.linewise=!0),this.keyBuffer.push(e)},pushInsertModeChanges:function(e){this.insertModeChanges.push(P(e))},pushSearchQuery:function(e){this.searchQueries.push(e)},clear:function(){this.keyBuffer=[],this.insertModeChanges=[],this.searchQueries=[],this.linewise=!1},toString:function(){return this.keyBuffer.join("")}},K.prototype={pushText:function(e,t,n,r,o){if("_"!==e){r&&"\n"!==n.charAt(n.length-1)&&(n+="\n");var i=this.isValidRegister(e)?this.getRegister(e):null;if(i)S(e)?i.pushText(n,r):i.setText(n,r,o),this.unnamedRegister.setText(i.toString(),r);else{switch(t){case"yank":this.registers[0]=new W(n,r,o);break;case"delete":case"change":-1==n.indexOf("\n")?this.registers["-"]=new W(n,r):(this.shiftNumericRegisters_(),this.registers[1]=new W(n,r))}this.unnamedRegister.setText(n,r,o)}}},getRegister:function(e){return this.isValidRegister(e)?(e=e.toLowerCase(),this.registers[e]||(this.registers[e]=new W),this.registers[e]):this.unnamedRegister},isValidRegister:function(e){return e&&L(e,A)},shiftNumericRegisters_:function(){for(var e=9;e>=2;e--)this.registers[e]=this.getRegister(""+(e-1))}},Y.prototype={nextMatch:function(e,t){var n=this.historyBuffer,r=t?-1:1;null===this.initialPrefix&&(this.initialPrefix=e);for(var o=this.iterator+r;t?o>=0:o<n.length;o+=r)for(var i=n[o],a=0;a<=i.length;a++)if(this.initialPrefix==i.substring(0,a))return this.iterator=o,i;return o>=n.length?(this.iterator=n.length,this.initialPrefix):o<0?e:void 0},pushInput:function(e){var t=this.historyBuffer.indexOf(e);t>-1&&this.historyBuffer.splice(t,1),e.length&&this.historyBuffer.push(e)},reset:function(){this.initialPrefix=null,this.iterator=this.historyBuffer.length}};var X={matchCommand:function(e,t,n,r){var o,i=se(e,t,r,n);if(!i.full&&!i.partial)return{type:"none"};if(!i.full&&i.partial)return{type:"partial"};for(var a=0;a<i.full.length;a++){var l=i.full[a];o||(o=l)}if("<character>"==o.keys.slice(-11)){var s=ue(e);if(!s||s.length>1)return{type:"clear"};n.selectedCharacter=s}return{type:"full",command:o}},processCommand:function(e,t,n){switch(t.inputState.repeatOverride=n.repeatOverride,n.type){case"motion":this.processMotion(e,t,n);break;case"operator":this.processOperator(e,t,n);break;case"operatorMotion":this.processOperatorMotion(e,t,n);break;case"action":this.processAction(e,t,n);break;case"search":this.processSearch(e,t,n);break;case"ex":case"keyToEx":this.processEx(e,t,n)}},processMotion:function(e,t,n){t.inputState.motion=n.motion,t.inputState.motionArgs=ae(n.motionArgs),this.evalInput(e,t)},processOperator:function(e,t,n){var r=t.inputState;if(r.operator){if(r.operator==n.operator)return r.motion="expandToLine",r.motionArgs={linewise:!0},void this.evalInput(e,t);$(e)}r.operator=n.operator,r.operatorArgs=ae(n.operatorArgs),n.keys.length>1&&(r.operatorShortcut=n.keys),n.exitVisualBlock&&(t.visualBlock=!1,_e(e)),t.visualMode&&this.evalInput(e,t)},processOperatorMotion:function(e,t,n){var r=t.visualMode,o=ae(n.operatorMotionArgs);o&&r&&o.visualLine&&(t.visualLine=!0),this.processOperator(e,t,n),r||this.processMotion(e,t,n)},processAction:function(e,t,n){var r=t.inputState,o=r.getRepeat(),i=!!o,a=ae(n.actionArgs)||{};r.selectedCharacter&&(a.selectedCharacter=r.selectedCharacter),n.operator&&this.processOperator(e,t,n),n.motion&&this.processMotion(e,t,n),(n.motion||n.operator)&&this.evalInput(e,t),a.repeat=o||1,a.repeatIsExplicit=i,a.registerName=r.registerName,$(e),t.lastMotion=null,n.isEdit&&this.recordLastEdit(t,r,n),re[n.action](e,a,t)},processSearch:function(t,n,r){if(t.getSearchCursor){var o=r.searchArgs.forward,i=r.searchArgs.wholeWordOnly;tt(t).setReversed(!o);var a=o?"/":"?",l=tt(t).getQuery(),s=t.getScrollInfo();switch(r.searchArgs.querySrc){case"prompt":var c=D.macroModeState;c.isPlaying?p(h=c.replaySearchQueries.shift(),!0,!1):mt(t,{onClose:f,prefix:a,desc:"(JavaScript regexp)",onKeyUp:m,onKeyDown:v});break;case"wordUnderCursor":var u=Ze(t,!1,!0,!1,!0),d=!0;if(u||(u=Ze(t,!1,!0,!1,!1),d=!1),!u)return;var h=t.getLine(u.start.line).substring(u.start.ch,u.end.ch);h=d&&i?"\\b"+h+"\\b":be(h),D.jumpList.cachedCursor=t.getCursor(),t.setCursor(u.start),p(h,!0,!1)}}function p(e,o,i){D.searchHistoryController.pushInput(e),D.searchHistoryController.reset();try{gt(t,e,o,i)}catch(n){return pt(t,"Invalid regex: "+e),void $(t)}X.processMotion(t,n,{type:"motion",motion:"findNext",motionArgs:{forward:!0,toJumplist:r.searchArgs.toJumplist}})}function f(e){t.scrollTo(s.left,s.top),p(e,!0,!0);var n=D.macroModeState;n.isRecording&&Rt(n,e)}function m(n,r,i){var a,l,c,u=e.keyName(n);"Up"==u||"Down"==u?(a="Up"==u,l=n.target?n.target.selectionEnd:0,i(r=D.searchHistoryController.nextMatch(r,a)||""),l&&n.target&&(n.target.selectionEnd=n.target.selectionStart=Math.min(l,n.target.value.length))):"Left"!=u&&"Right"!=u&&"Ctrl"!=u&&"Alt"!=u&&"Shift"!=u&&D.searchHistoryController.reset();try{c=gt(t,r,!0,!0)}catch(n){}c?t.scrollIntoView(xt(t,!o,c),30):(Et(t),t.scrollTo(s.left,s.top))}function v(n,r,o){var i=e.keyName(n);"Esc"==i||"Ctrl-C"==i||"Ctrl-["==i||"Backspace"==i&&""==r?(D.searchHistoryController.pushInput(r),D.searchHistoryController.reset(),gt(t,l),Et(t),t.scrollTo(s.left,s.top),e.e_stop(n),$(t),o(),t.focus()):"Up"==i||"Down"==i?e.e_stop(n):"Ctrl-U"==i&&(e.e_stop(n),o(""))}},processEx:function(t,n,r){function o(e){D.exCommandHistoryController.pushInput(e),D.exCommandHistoryController.reset(),Nt.processCommand(t,e),$(t)}function i(n,r,o){var i,a,l=e.keyName(n);("Esc"==l||"Ctrl-C"==l||"Ctrl-["==l||"Backspace"==l&&""==r)&&(D.exCommandHistoryController.pushInput(r),D.exCommandHistoryController.reset(),e.e_stop(n),$(t),o(),t.focus()),"Up"==l||"Down"==l?(e.e_stop(n),i="Up"==l,a=n.target?n.target.selectionEnd:0,o(r=D.exCommandHistoryController.nextMatch(r,i)||""),a&&n.target&&(n.target.selectionEnd=n.target.selectionStart=Math.min(a,n.target.value.length))):"Ctrl-U"==l?(e.e_stop(n),o("")):"Left"!=l&&"Right"!=l&&"Ctrl"!=l&&"Alt"!=l&&"Shift"!=l&&D.exCommandHistoryController.reset()}"keyToEx"==r.type?Nt.processCommand(t,r.exArgs.input):n.visualMode?mt(t,{onClose:o,prefix:":",value:"'<,'>",onKeyDown:i,selectValueOnOpen:!1}):mt(t,{onClose:o,prefix:":",onKeyDown:i})},evalInput:function(e,n){var r,o,i,a=n.inputState,l=a.motion,s=a.motionArgs||{},c=a.operator,u=a.operatorArgs||{},d=a.registerName,h=n.sel,p=he(n.visualMode?ie(e,h.head):e.getCursor("head")),f=he(n.visualMode?ie(e,h.anchor):e.getCursor("anchor")),m=he(p),v=he(f);if(c&&this.recordLastEdit(n,a),(i=void 0!==a.repeatOverride?a.repeatOverride:a.getRepeat())>0&&s.explicitRepeat?s.repeatIsExplicit=!0:(s.noRepeat||!s.explicitRepeat&&0===i)&&(i=1,s.repeatIsExplicit=!1),a.selectedCharacter&&(s.selectedCharacter=u.selectedCharacter=a.selectedCharacter),s.repeat=i,$(e),l){var g=J[l](e,p,s,n,a);if(n.lastMotion=J[l],!g)return;if(s.toJumplist){var w=D.jumpList,y=w.cachedCursor;y?(De(e,y,g),delete w.cachedCursor):De(e,p,g)}g instanceof Array?(o=g[0],r=g[1]):r=g,r||(r=he(p)),n.visualMode?(n.visualBlock&&r.ch===1/0||(r=ie(e,r)),o&&(o=ie(e,o)),o=o||v,h.anchor=o,h.head=r,_e(e),We(e,n,"<",fe(o,r)?o:r),We(e,n,">",fe(o,r)?r:o)):c||(r=ie(e,r),e.setCursor(r.line,r.ch))}if(c){if(u.lastSel){o=v;var b=u.lastSel,x=Math.abs(b.head.line-b.anchor.line),k=Math.abs(b.head.ch-b.anchor.ch);r=b.visualLine?new t(v.line+x,v.ch):b.visualBlock?new t(v.line+x,v.ch+k):b.head.line==b.anchor.line?new t(v.line,v.ch+k):new t(v.line+x,v.ch),n.visualMode=!0,n.visualLine=b.visualLine,n.visualBlock=b.visualBlock,h=n.sel={anchor:o,head:r},_e(e)}else n.visualMode&&(u.lastSel={anchor:he(h.anchor),head:he(h.head),visualBlock:n.visualBlock,visualLine:n.visualLine});var E,A,C,B,M;if(n.visualMode){if(E=me(h.head,h.anchor),A=ve(h.head,h.anchor),C=n.visualLine||u.linewise,M=Se(e,{anchor:E,head:A},B=n.visualBlock?"block":C?"line":"char"),C){var _=M.ranges;if("block"==B)for(var S=0;S<_.length;S++)_[S].head.ch=we(e,_[S].head.line);else"line"==B&&(_[0].head=new t(_[0].head.line+1,0))}}else{if(E=he(o||v),fe(A=he(r||m),E)){var N=E;E=A,A=N}(C=s.linewise||u.linewise)?Te(e,E,A):s.forward&&Le(e,E,A),M=Se(e,{anchor:E,head:A},B="char",!s.inclusive||C)}e.setSelections(M.ranges,M.primary),n.lastMotion=null,u.repeat=i,u.registerName=d,u.linewise=C;var V=te[c](e,u,M.ranges,v,r);n.visualMode&&Ve(e,null!=V),V&&e.setCursor(V)}},recordLastEdit:function(e,t,n){var r=D.macroModeState;r.isPlaying||(e.lastEditInputState=t,e.lastEditActionCommand=n,r.lastInsertModeChanges.changes=[],r.lastInsertModeChanges.expectCursorActivityForChange=!1,r.lastInsertModeChanges.visualBlock=e.visualBlock?e.sel.head.line-e.sel.anchor.line:0)}},J={moveToTopLine:function(e,n,r){var o=Ct(e).top+r.repeat-1;return new t(o,Ie(e.getLine(o)))},moveToMiddleLine:function(e){var n=Ct(e),r=Math.floor(.5*(n.top+n.bottom));return new t(r,Ie(e.getLine(r)))},moveToBottomLine:function(e,n,r){var o=Ct(e).bottom-r.repeat+1;return new t(o,Ie(e.getLine(o)))},expandToLine:function(e,n,r){return new t(n.line+r.repeat-1,1/0)},findNext:function(e,t,n){var r=tt(e),o=r.getQuery();if(o){var i=!n.forward;return i=r.isReversed()?!i:i,bt(e,o),xt(e,i,o,n.repeat)}},findAndSelectNextInclusive:function(n,r,o,i,a){var l=tt(n),s=l.getQuery();if(s){var c=!o.forward,u=kt(n,c=l.isReversed()?!c:c,s,o.repeat,i);if(u){if(a.operator)return u;var d=u[0],h=new t(u[1].line,u[1].ch-1);if(i.visualMode){(i.visualLine||i.visualBlock)&&(i.visualLine=!1,i.visualBlock=!1,e.signal(n,"vim-mode-change",{mode:"visual",subMode:""}));var p=i.sel.anchor;if(p)return l.isReversed()?o.forward?[p,d]:[p,h]:o.forward?[p,h]:[p,d]}else i.visualMode=!0,i.visualLine=!1,i.visualBlock=!1,e.signal(n,"vim-mode-change",{mode:"visual",subMode:""});return c?[h,d]:[d,h]}}},goToMark:function(e,t,n,r){var o=Bt(e,r,n.selectedCharacter);return o?n.linewise?{line:o.line,ch:Ie(e.getLine(o.line))}:o:null},moveToOtherHighlightedEnd:function(e,n,r,o){if(o.visualBlock&&r.sameLine){var i=o.sel;return[ie(e,new t(i.anchor.line,i.head.ch)),ie(e,new t(i.head.line,i.anchor.ch))]}return[o.sel.head,o.sel.anchor]},jumpToMark:function(e,n,r,o){for(var i=n,a=0;a<r.repeat;a++){var l=i;for(var s in o.marks)if(B(s)){var c=o.marks[s].find();if(!((r.forward?fe(c,l):fe(l,c))||r.linewise&&c.line==l.line)){var u=pe(l,i),d=r.forward?ge(l,c,i):ge(i,c,l);(u||d)&&(i=c)}}}return r.linewise&&(i=new t(i.line,Ie(e.getLine(i.line)))),i},moveByCharacters:function(e,n,r){var o=n,i=r.repeat,a=r.forward?o.ch+i:o.ch-i;return new t(o.line,a)},moveByLines:function(e,n,r,o){var i=n,a=i.ch;switch(o.lastMotion){case this.moveByLines:case this.moveByDisplayLines:case this.moveByScroll:case this.moveToColumn:case this.moveToEol:a=o.lastHPos;break;default:o.lastHPos=a}var l=r.repeat+(r.repeatOffset||0),s=r.forward?i.line+l:i.line-l,c=e.firstLine(),u=e.lastLine(),d=e.findPosV(i,r.forward?l:-l,"line",o.lastHSPos);return(r.forward?d.line>s:d.line<s)&&(s=d.line,a=d.ch),s<c&&i.line==c?this.moveToStartOfLine(e,n,r,o):s>u&&i.line==u?qe(e,n,r,o,!0):(r.toFirstChar&&(a=Ie(e.getLine(s)),o.lastHPos=a),o.lastHSPos=e.charCoords(new t(s,a),"div").left,new t(s,a))},moveByDisplayLines:function(e,n,r,o){var i=n;switch(o.lastMotion){case this.moveByDisplayLines:case this.moveByScroll:case this.moveByLines:case this.moveToColumn:case this.moveToEol:break;default:o.lastHSPos=e.charCoords(i,"div").left}var a=r.repeat;if((s=e.findPosV(i,r.forward?a:-a,"line",o.lastHSPos)).hitSide)if(r.forward)var l={top:e.charCoords(s,"div").top+8,left:o.lastHSPos},s=e.coordsChar(l,"div");else{var c=e.charCoords(new t(e.firstLine(),0),"div");c.left=o.lastHSPos,s=e.coordsChar(c,"div")}return o.lastHPos=s.ch,s},moveByPage:function(e,t,n){var r=t,o=n.repeat;return e.findPosV(r,n.forward?o:-o,"page")},moveByParagraph:function(e,t,n){var r=n.forward?1:-1;return Ke(e,t,n.repeat,r)},moveBySentence:function(e,t,n){var r=n.forward?1:-1;return Xe(e,t,n.repeat,r)},moveByScroll:function(e,t,n,r){var o=e.getScrollInfo(),i=null,a=n.repeat;a||(a=o.clientHeight/(2*e.defaultTextHeight()));var l=e.charCoords(t,"local");if(n.repeat=a,!(i=J.moveByDisplayLines(e,t,n,r)))return null;var s=e.charCoords(i,"local");return e.scrollTo(null,o.top+s.top-l.top),i},moveByWords:function(e,t,n){return ze(e,t,n.repeat,!!n.forward,!!n.wordEnd,!!n.bigWord)},moveTillCharacter:function(e,t,n){var r=Ue(e,n.repeat,n.forward,n.selectedCharacter),o=n.forward?-1:1;return Re(o,n),r?(r.ch+=o,r):null},moveToCharacter:function(e,t,n){var r=n.repeat;return Re(0,n),Ue(e,r,n.forward,n.selectedCharacter)||t},moveToSymbol:function(e,t,n){return je(e,n.repeat,n.forward,n.selectedCharacter)||t},moveToColumn:function(e,t,n,r){var o=n.repeat;return r.lastHPos=o-1,r.lastHSPos=e.charCoords(t,"div").left,$e(e,o)},moveToEol:function(e,t,n,r){return qe(e,t,n,r,!1)},moveToFirstNonWhiteSpaceCharacter:function(e,n){var r=n;return new t(r.line,Ie(e.getLine(r.line)))},moveToMatchedSymbol:function(e,n){for(var r,o=n,i=o.line,a=o.ch,l=e.getLine(i);a<l.length;a++)if((r=l.charAt(a))&&M(r)){var s=e.getTokenTypeAt(new t(i,a+1));if("string"!==s&&"comment"!==s)break}if(a<l.length){var c="<"===a||">"===a?/[(){}[\]<>]/:/[(){}[\]]/;return e.findMatchingBracket(new t(i,a),{bracketRegex:c}).to}return o},moveToStartOfLine:function(e,n){return new t(n.line,0)},moveToLineOrEdgeOfDocument:function(e,n,r){var o=r.forward?e.lastLine():e.firstLine();return r.repeatIsExplicit&&(o=r.repeat-e.getOption("firstLineNumber")),new t(o,Ie(e.getLine(o)))},moveToStartOfDisplayLine:function(e){return e.execCommand("goLineLeft"),e.getCursor()},moveToEndOfDisplayLine:function(e){e.execCommand("goLineRight");var t=e.getCursor();return"before"==t.sticky&&t.ch--,t},textObjectManipulation:function(e,t,n,r){var o={"(":")",")":"(","{":"}","}":"{","[":"]","]":"[","<":">",">":"<"},i={"'":!0,'"':!0,"`":!0},a=n.selectedCharacter;"b"==a?a="(":"B"==a&&(a="{");var l,s=!n.textObjectInner;if(o[a])l=Je(e,t,a,s);else if(i[a])l=Qe(e,t,a,s);else if("W"===a)l=Ze(e,s,!0,!0);else if("w"===a)l=Ze(e,s,!0,!1);else if("p"===a)if(l=Ke(e,t,n.repeat,0,s),n.linewise=!0,r.visualMode)r.visualLine||(r.visualLine=!0);else{var c=r.inputState.operatorArgs;c&&(c.linewise=!0),l.end.line--}else if("t"===a)l=Oe(e,t,s);else{if("s"!==a)return null;var u=e.getLine(t.line);t.ch>0&&V(u[t.ch])&&(t.ch-=1);var d=Ye(e,t,n.repeat,1,s),h=Ye(e,t,n.repeat,-1,s);N(e.getLine(h.line)[h.ch])&&N(e.getLine(d.line)[d.ch-1])&&(h={line:h.line,ch:h.ch+1}),l={start:h,end:d}}return e.state.vim.visualMode?Me(e,l.start,l.end):[l.start,l.end]},repeatLastCharacterSearch:function(e,t,n){var r=D.lastCharacterSearch,o=n.repeat,i=n.forward===r.forward,a=(r.increment?1:0)*(i?-1:1);e.moveH(-a,"char"),n.inclusive=!!i;var l=Ue(e,o,i,r.selectedCharacter);return l?(l.ch+=a,l):(e.moveH(a,"char"),t)}};function Q(e,t){J[e]=t}function ee(e,t){for(var n=[],r=0;r<t;r++)n.push(e);return n}var te={change:function(n,r,o){var i,a,l=n.state.vim,s=o[0].anchor,c=o[0].head;if(l.visualMode)if(r.fullLine)c.ch=Number.MAX_VALUE,c.line--,n.setSelection(s,c),a=n.getSelection(),n.replaceSelection(""),i=s;else{a=n.getSelection();var u=ee("",o.length);n.replaceSelections(u),i=me(o[0].head,o[0].anchor)}else{a=n.getRange(s,c);var d=l.lastEditInputState||{};if("moveByWords"==d.motion&&!N(a)){var h=/\s+$/.exec(a);h&&d.motionArgs&&d.motionArgs.forward&&(c=le(c,0,-h[0].length),a=a.slice(0,-h[0].length))}var p=new t(s.line-1,Number.MAX_VALUE),f=n.firstLine()==n.lastLine();c.line>n.lastLine()&&r.linewise&&!f?n.replaceRange("",p,c):n.replaceRange("",s,c),r.linewise&&(f||(n.setCursor(p),e.commands.newlineAndIndent(n)),s.ch=Number.MAX_VALUE),i=s}D.registerController.pushText(r.registerName,"change",a,r.linewise,o.length>1),re.enterInsertMode(n,{head:i},n.state.vim)},delete:function(e,n,r){var o,i,a=e.state.vim;if(a.visualBlock){i=e.getSelection();var l=ee("",r.length);e.replaceSelections(l),o=me(r[0].head,r[0].anchor)}else{var s=r[0].anchor,c=r[0].head;n.linewise&&c.line!=e.firstLine()&&s.line==e.lastLine()&&s.line==c.line-1&&(s.line==e.firstLine()?s.ch=0:s=new t(s.line-1,we(e,s.line-1))),i=e.getRange(s,c),e.replaceRange("",s,c),o=s,n.linewise&&(o=J.moveToFirstNonWhiteSpaceCharacter(e,s))}return D.registerController.pushText(n.registerName,"delete",i,n.linewise,a.visualBlock),ie(e,o)},indent:function(e,t,n){var r=e.state.vim;if(e.indentMore)for(var o=r.visualMode?t.repeat:1,i=0;i<o;i++)t.indentRight?e.indentMore():e.indentLess();else{var a=n[0].anchor.line,l=r.visualBlock?n[n.length-1].anchor.line:n[0].head.line;o=r.visualMode?t.repeat:1,t.linewise&&l--;for(var s=a;s<=l;s++)for(i=0;i<o;i++)e.indentLine(s,t.indentRight)}return J.moveToFirstNonWhiteSpaceCharacter(e,n[0].anchor)},indentAuto:function(e,t,n){return e.execCommand("indentAuto"),J.moveToFirstNonWhiteSpaceCharacter(e,n[0].anchor)},changeCase:function(e,t,n,r,o){for(var i=e.getSelections(),a=[],l=t.toLower,s=0;s<i.length;s++){var c=i[s],u="";if(!0===l)u=c.toLowerCase();else if(!1===l)u=c.toUpperCase();else for(var d=0;d<c.length;d++){var h=c.charAt(d);u+=S(h)?h.toLowerCase():h.toUpperCase()}a.push(u)}return e.replaceSelections(a),t.shouldMoveCursor?o:!e.state.vim.visualMode&&t.linewise&&n[0].anchor.line+1==n[0].head.line?J.moveToFirstNonWhiteSpaceCharacter(e,r):t.linewise?r:me(n[0].anchor,n[0].head)},yank:function(e,t,n,r){var o=e.state.vim,i=e.getSelection(),a=o.visualMode?me(o.sel.anchor,o.sel.head,n[0].head,n[0].anchor):r;return D.registerController.pushText(t.registerName,"yank",i,t.linewise,o.visualBlock),a}};function ne(e,t){te[e]=t}var re={jumpListWalk:function(e,t,n){if(!n.visualMode){var r=t.repeat,o=t.forward,i=D.jumpList.move(e,o?r:-r),a=i?i.find():void 0;a=a||e.getCursor(),e.setCursor(a)}},scroll:function(e,t,n){if(!n.visualMode){var r=t.repeat||1,o=e.defaultTextHeight(),i=e.getScrollInfo().top,a=o*r,l=t.forward?i+a:i-a,s=he(e.getCursor()),c=e.charCoords(s,"local");if(t.forward)l>c.top?(s.line+=(l-c.top)/o,s.line=Math.ceil(s.line),e.setCursor(s),c=e.charCoords(s,"local"),e.scrollTo(null,c.top)):e.scrollTo(null,l);else{var u=l+e.getScrollInfo().clientHeight;u<c.bottom?(s.line-=(c.bottom-u)/o,s.line=Math.floor(s.line),e.setCursor(s),c=e.charCoords(s,"local"),e.scrollTo(null,c.bottom-e.getScrollInfo().clientHeight)):e.scrollTo(null,l)}}},scrollToCursor:function(e,n){var r=e.getCursor().line,o=e.charCoords(new t(r,0),"local"),i=e.getScrollInfo().clientHeight,a=o.top;switch(n.position){case"center":a=o.bottom-i/2;break;case"bottom":var l=new t(r,e.getLine(r).length-1);a=a-i+(e.charCoords(l,"local").bottom-a)}e.scrollTo(null,a)},replayMacro:function(e,t,n){var r=t.selectedCharacter,o=t.repeat,i=D.macroModeState;for("@"==r?r=i.latestRegister:i.latestRegister=r;o--;)Zt(e,n,i,r)},enterMacroRecordMode:function(e,t){var n=D.macroModeState,r=t.selectedCharacter;D.registerController.isValidRegister(r)&&n.enterMacroRecordMode(e,r)},toggleOverwrite:function(t){t.state.overwrite?(t.toggleOverwrite(!1),t.setOption("keyMap","vim-insert"),e.signal(t,"vim-mode-change",{mode:"insert"})):(t.toggleOverwrite(!0),t.setOption("keyMap","vim-replace"),e.signal(t,"vim-mode-change",{mode:"replace"}))},enterInsertMode:function(n,r,o){if(!n.getOption("readOnly")){o.insertMode=!0,o.insertModeRepeat=r&&r.repeat||1;var i=r?r.insertAt:null,a=o.sel,l=r.head||n.getCursor("head"),s=n.listSelections().length;if("eol"==i)l=new t(l.line,we(n,l.line));else if("bol"==i)l=new t(l.line,0);else if("charAfter"==i)l=le(l,0,1);else if("firstNonBlank"==i)l=J.moveToFirstNonWhiteSpaceCharacter(n,l);else if("startOfSelectedArea"==i){if(!o.visualMode)return;o.visualBlock?(l=new t(Math.min(a.head.line,a.anchor.line),Math.min(a.head.ch,a.anchor.ch)),s=Math.abs(a.head.line-a.anchor.line)+1):l=a.head.line<a.anchor.line?a.head:new t(a.anchor.line,0)}else if("endOfSelectedArea"==i){if(!o.visualMode)return;o.visualBlock?(l=new t(Math.min(a.head.line,a.anchor.line),Math.max(a.head.ch,a.anchor.ch)+1),s=Math.abs(a.head.line-a.anchor.line)+1):l=a.head.line>=a.anchor.line?le(a.head,0,1):new t(a.anchor.line,0)}else if("inplace"==i){if(o.visualMode)return}else"lastEdit"==i&&(l=Mt(n)||l);n.setOption("disableInput",!1),r&&r.replace?(n.toggleOverwrite(!0),n.setOption("keyMap","vim-replace"),e.signal(n,"vim-mode-change",{mode:"replace"})):(n.toggleOverwrite(!1),n.setOption("keyMap","vim-insert"),e.signal(n,"vim-mode-change",{mode:"insert"})),D.macroModeState.isPlaying||(n.on("change",Ht),e.on(n.getInputField(),"keydown",zt)),o.visualMode&&Ve(n),Ee(n,l,s)}},toggleVisualMode:function(n,r,o){var i,a=r.repeat,l=n.getCursor();o.visualMode?o.visualLine^r.linewise||o.visualBlock^r.blockwise?(o.visualLine=!!r.linewise,o.visualBlock=!!r.blockwise,e.signal(n,"vim-mode-change",{mode:"visual",subMode:o.visualLine?"linewise":o.visualBlock?"blockwise":""}),_e(n)):Ve(n):(o.visualMode=!0,o.visualLine=!!r.linewise,o.visualBlock=!!r.blockwise,i=ie(n,new t(l.line,l.ch+a-1)),o.sel={anchor:l,head:i},e.signal(n,"vim-mode-change",{mode:"visual",subMode:o.visualLine?"linewise":o.visualBlock?"blockwise":""}),_e(n),We(n,o,"<",me(l,i)),We(n,o,">",ve(l,i)))},reselectLastSelection:function(t,n,r){var o=r.lastSelection;if(r.visualMode&&Be(t,r),o){var i=o.anchorMark.find(),a=o.headMark.find();if(!i||!a)return;r.sel={anchor:i,head:a},r.visualMode=!0,r.visualLine=o.visualLine,r.visualBlock=o.visualBlock,_e(t),We(t,r,"<",me(i,a)),We(t,r,">",ve(i,a)),e.signal(t,"vim-mode-change",{mode:"visual",subMode:r.visualLine?"linewise":r.visualBlock?"blockwise":""})}},joinLines:function(e,n,r){var o,i;if(r.visualMode){if(o=e.getCursor("anchor"),fe(i=e.getCursor("head"),o)){var a=i;i=o,o=a}i.ch=we(e,i.line)-1}else{var l=Math.max(n.repeat,2);o=e.getCursor(),i=ie(e,new t(o.line+l-1,1/0))}for(var s=0,c=o.line;c<i.line;c++){s=we(e,o.line),a=new t(o.line+1,we(e,o.line+1));var u=e.getRange(o,a);u=n.keepSpaces?u.replace(/\n\r?/g,""):u.replace(/\n\s*/g," "),e.replaceRange(u,o,a)}var d=new t(o.line,s);r.visualMode&&Ve(e,!1),e.setCursor(d)},newLineAndEnterInsertMode:function(n,r,o){o.insertMode=!0;var i=he(n.getCursor());i.line!==n.firstLine()||r.after?(i.line=r.after?i.line:i.line-1,i.ch=we(n,i.line),n.setCursor(i),(e.commands.newlineAndIndentContinueComment||e.commands.newlineAndIndent)(n)):(n.replaceRange("\n",new t(n.firstLine(),0)),n.setCursor(n.firstLine(),0)),this.enterInsertMode(n,{repeat:r.repeat},o)},paste:function(e,n,r){var o=he(e.getCursor()),i=D.registerController.getRegister(n.registerName);if(p=i.toString()){if(n.matchIndent){var a=e.getOption("tabSize"),l=function(e){var t=e.split("\t").length-1,n=e.split(" ").length-1;return t*a+1*n},s=e.getLine(e.getCursor().line),c=l(s.match(/^\s*/)[0]),u=p.replace(/\n$/,""),d=p!==u,h=l(p.match(/^\s*/)[0]),p=u.replace(/^\s*/gm,(function(t){var n=c+(l(t)-h);if(n<0)return"";if(e.getOption("indentWithTabs")){var r=Math.floor(n/a);return Array(r+1).join("\t")}return Array(n+1).join(" ")}));p+=d?"\n":""}n.repeat>1&&(p=Array(n.repeat+1).join(p));var f,m,v=i.linewise,g=i.blockwise;if(g){p=p.split("\n"),v&&p.pop();for(var w=0;w<p.length;w++)p[w]=""==p[w]?" ":p[w];o.ch+=n.after?1:0,o.ch=Math.min(we(e,o.line),o.ch)}else v?r.visualMode?p=r.visualLine?p.slice(0,-1):"\n"+p.slice(0,p.length-1)+"\n":n.after?(p="\n"+p.slice(0,p.length-1),o.ch=we(e,o.line)):o.ch=0:o.ch+=n.after?1:0;if(r.visualMode){var y;r.lastPastedText=p;var b=Ce(e,r),x=b[0],k=b[1],E=e.getSelection(),A=e.listSelections(),C=new Array(A.length).join("1").split("1");r.lastSelection&&(y=r.lastSelection.headMark.find()),D.registerController.unnamedRegister.setText(E),g?(e.replaceSelections(C),k=new t(x.line+p.length-1,x.ch),e.setCursor(x),ke(e,k),e.replaceSelections(p),f=x):r.visualBlock?(e.replaceSelections(C),e.setCursor(x),e.replaceRange(p,x,x),f=x):(e.replaceRange(p,x,k),f=e.posFromIndex(e.indexFromPos(x)+p.length-1)),y&&(r.lastSelection.headMark=e.setBookmark(y)),v&&(f.ch=0)}else if(g){for(e.setCursor(o),w=0;w<p.length;w++){var B=o.line+w;B>e.lastLine()&&e.replaceRange("\n",new t(B,0)),we(e,B)<o.ch&&xe(e,B,o.ch)}e.setCursor(o),ke(e,new t(o.line+p.length-1,o.ch)),e.replaceSelections(p),f=o}else e.replaceRange(p,o),v&&n.after?f=new t(o.line+1,Ie(e.getLine(o.line+1))):v&&!n.after?f=new t(o.line,Ie(e.getLine(o.line))):!v&&n.after?(m=e.indexFromPos(o),f=e.posFromIndex(m+p.length-1)):(m=e.indexFromPos(o),f=e.posFromIndex(m+p.length));r.visualMode&&Ve(e,!1),e.setCursor(f)}},undo:function(t,n){t.operation((function(){de(t,e.commands.undo,n.repeat)(),t.setCursor(t.getCursor("anchor"))}))},redo:function(t,n){de(t,e.commands.redo,n.repeat)()},setRegister:function(e,t,n){n.inputState.registerName=t.selectedCharacter},setMark:function(e,t,n){We(e,n,t.selectedCharacter,e.getCursor())},replace:function(n,r,o){var i,a,l=r.selectedCharacter,s=n.getCursor(),c=n.listSelections();if(o.visualMode)s=n.getCursor("start"),a=n.getCursor("end");else{var u=n.getLine(s.line);(i=s.ch+r.repeat)>u.length&&(i=u.length),a=new t(s.line,i)}if("\n"==l)o.visualMode||n.replaceRange("",s,a),(e.commands.newlineAndIndentContinueComment||e.commands.newlineAndIndent)(n);else{var d=n.getRange(s,a);if(d=d.replace(/[^\n]/g,l),o.visualBlock){var h=new Array(n.getOption("tabSize")+1).join(" ");d=(d=n.getSelection()).replace(/\t/g,h).replace(/[^\n]/g,l).split("\n"),n.replaceSelections(d)}else n.replaceRange(d,s,a);o.visualMode?(s=fe(c[0].anchor,c[0].head)?c[0].anchor:c[0].head,n.setCursor(s),Ve(n,!1)):n.setCursor(le(a,0,-1))}},incrementNumberToken:function(e,n){for(var r,o,i,a,l=e.getCursor(),s=e.getLine(l.line),c=/(-?)(?:(0x)([\da-f]+)|(0b|0|)(\d+))/gi;null!==(r=c.exec(s))&&(i=(o=r.index)+r[0].length,!(l.ch<i)););if((n.backtrack||!(i<=l.ch))&&r){var u=r[2]||r[4],d=r[3]||r[5],h=n.increase?1:-1,p={"0b":2,0:8,"":10,"0x":16}[u.toLowerCase()];a=(parseInt(r[1]+d,p)+h*n.repeat).toString(p);var f=u?new Array(d.length-a.length+1+r[1].length).join("0"):"";a="-"===a.charAt(0)?"-"+u+f+a.substr(1):u+f+a;var m=new t(l.line,o),v=new t(l.line,i);e.replaceRange(a,m,v),e.setCursor(new t(l.line,o+a.length-1))}},repeatLastEdit:function(e,t,n){if(n.lastEditInputState){var r=t.repeat;r&&t.repeatIsExplicit?n.lastEditInputState.repeatOverride=r:r=n.lastEditInputState.repeatOverride||r,qt(e,n,r,!1)}},indent:function(e,t){e.indentLine(e.getCursor().line,t.indentRight)},exitInsertMode:Lt};function oe(e,t){re[e]=t}function ie(e,n){var r=e.state.vim,o=r.insertMode||r.visualMode,i=Math.min(Math.max(e.firstLine(),n.line),e.lastLine()),a=we(e,i)-1+!!o,l=Math.min(Math.max(0,n.ch),a);return new t(i,l)}function ae(e){var t={};for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n]);return t}function le(e,n,r){return"object"==typeof n&&(r=n.ch,n=n.line),new t(e.line+n,e.ch+r)}function se(e,t,n,r){for(var o,i=[],a=[],l=0;l<t.length;l++){var s=t[l];"insert"==n&&"insert"!=s.context||s.context&&s.context!=n||r.operator&&"action"==s.type||!(o=ce(e,s.keys))||("partial"==o&&i.push(s),"full"==o&&a.push(s))}return{partial:i.length&&i,full:a.length&&a}}function ce(e,t){if("<character>"==t.slice(-11)){var n=t.length-11,r=e.slice(0,n),o=t.slice(0,n);return r==o&&e.length>n?"full":0==o.indexOf(r)&&"partial"}return e==t?"full":0==t.indexOf(e)&&"partial"}function ue(e){var t=/^.*(<[^>]+>)$/.exec(e),n=t?t[1]:e.slice(-1);if(n.length>1)switch(n){case"<CR>":n="\n";break;case"<Space>":n=" ";break;default:n=""}return n}function de(e,t,n){return function(){for(var r=0;r<n;r++)t(e)}}function he(e){return new t(e.line,e.ch)}function pe(e,t){return e.ch==t.ch&&e.line==t.line}function fe(e,t){return e.line<t.line||e.line==t.line&&e.ch<t.ch}function me(e,t){return arguments.length>2&&(t=me.apply(void 0,Array.prototype.slice.call(arguments,1))),fe(e,t)?e:t}function ve(e,t){return arguments.length>2&&(t=ve.apply(void 0,Array.prototype.slice.call(arguments,1))),fe(e,t)?t:e}function ge(e,t,n){var r=fe(e,t),o=fe(t,n);return r&&o}function we(e,t){return e.getLine(t).length}function ye(e){return e.trim?e.trim():e.replace(/^\s+|\s+$/g,"")}function be(e){return e.replace(/([.?*+$\[\]\/\\(){}|\-])/g,"\\$1")}function xe(e,n,r){var o=we(e,n),i=new Array(r-o+1).join(" ");e.setCursor(new t(n,o)),e.replaceRange(i,e.getCursor())}function ke(e,n){var r=[],o=e.listSelections(),i=he(e.clipPos(n)),a=!pe(n,i),l=Ae(o,e.getCursor("head")),s=pe(o[l].head,o[l].anchor),c=o.length-1,u=c-l>l?c:0,d=o[u].anchor,h=Math.min(d.line,i.line),p=Math.max(d.line,i.line),f=d.ch,m=i.ch,v=o[u].head.ch-f,g=m-f;v>0&&g<=0?(f++,a||m--):v<0&&g>=0?(f--,s||m++):v<0&&-1==g&&(f--,m++);for(var w=h;w<=p;w++){var y={anchor:new t(w,f),head:new t(w,m)};r.push(y)}return e.setSelections(r),n.ch=m,d.ch=f,d}function Ee(e,t,n){for(var r=[],o=0;o<n;o++){var i=le(t,o,0);r.push({anchor:i,head:i})}e.setSelections(r,0)}function Ae(e,t,n){for(var r=0;r<e.length;r++){var o="head"!=n&&pe(e[r].anchor,t),i="anchor"!=n&&pe(e[r].head,t);if(o||i)return r}return-1}function Ce(e,n){var r=n.lastSelection,o=function(){var t=e.listSelections(),n=t[0],r=t[t.length-1];return[fe(n.anchor,n.head)?n.anchor:n.head,fe(r.anchor,r.head)?r.head:r.anchor]},i=function(){var n=e.getCursor(),o=e.getCursor(),i=r.visualBlock;if(i){var a=i.width,l=i.height;o=new t(n.line+l,n.ch+a);for(var s=[],c=n.line;c<o.line;c++){var u={anchor:new t(c,n.ch),head:new t(c,o.ch)};s.push(u)}e.setSelections(s)}else{var d=r.anchorMark.find(),h=r.headMark.find(),p=h.line-d.line,f=h.ch-d.ch;o={line:o.line+p,ch:p?o.ch:f+o.ch},r.visualLine&&(n=new t(n.line,0),o=new t(o.line,we(e,o.line))),e.setSelection(n,o)}return[n,o]};return n.visualMode?o():i()}function Be(e,t){var n=t.sel.anchor,r=t.sel.head;t.lastPastedText&&(r=e.posFromIndex(e.indexFromPos(n)+t.lastPastedText.length),t.lastPastedText=null),t.lastSelection={anchorMark:e.setBookmark(n),headMark:e.setBookmark(r),anchor:he(n),head:he(r),visualMode:t.visualMode,visualLine:t.visualLine,visualBlock:t.visualBlock}}function Me(e,n,r){var o,i=e.state.vim.sel,a=i.head,l=i.anchor;return fe(r,n)&&(o=r,r=n,n=o),fe(a,l)?(a=me(n,a),l=ve(l,r)):(l=me(n,l),-1==(a=le(a=ve(a,r),0,-1)).ch&&a.line!=e.firstLine()&&(a=new t(a.line-1,we(e,a.line-1)))),[l,a]}function _e(e,t,n){var r=e.state.vim,o=Se(e,t=t||r.sel,n=n||r.visualLine?"line":r.visualBlock?"block":"char");e.setSelections(o.ranges,o.primary)}function Se(e,n,r,o){var i=he(n.head),a=he(n.anchor);if("char"==r){var l=o||fe(n.head,n.anchor)?0:1,s=fe(n.head,n.anchor)?1:0;return i=le(n.head,0,l),{ranges:[{anchor:a=le(n.anchor,0,s),head:i}],primary:0}}if("line"==r){if(fe(n.head,n.anchor))i.ch=0,a.ch=we(e,a.line);else{a.ch=0;var c=e.lastLine();i.line>c&&(i.line=c),i.ch=we(e,i.line)}return{ranges:[{anchor:a,head:i}],primary:0}}if("block"==r){var u=Math.min(a.line,i.line),d=a.ch,h=Math.max(a.line,i.line),p=i.ch;d<p?p+=1:d+=1;for(var f=h-u+1,m=i.line==u?0:f-1,v=[],g=0;g<f;g++)v.push({anchor:new t(u+g,d),head:new t(u+g,p)});return{ranges:v,primary:m}}}function Ne(e){var t=e.getCursor("head");return 1==e.getSelection().length&&(t=me(t,e.getCursor("anchor"))),t}function Ve(t,n){var r=t.state.vim;!1!==n&&t.setCursor(ie(t,r.sel.head)),Be(t,r),r.visualMode=!1,r.visualLine=!1,r.visualBlock=!1,r.insertMode||e.signal(t,"vim-mode-change",{mode:"normal"})}function Le(e,t,n){var r=e.getRange(t,n);if(/\n\s*$/.test(r)){var o=r.split("\n");o.pop();for(var i=o.pop();o.length>0&&i&&N(i);i=o.pop())n.line--,n.ch=0;i?(n.line--,n.ch=we(e,n.line)):n.ch=0}}function Te(e,t,n){t.ch=0,n.ch=0,n.line++}function Ie(e){if(!e)return 0;var t=e.search(/\S/);return-1==t?e.length:t}function Ze(e,n,r,o,i){for(var a=Ne(e),l=e.getLine(a.line),s=a.ch,c=i?v[0]:g[0];!c(l.charAt(s));)if(++s>=l.length)return null;o?c=g[0]:(c=v[0])(l.charAt(s))||(c=v[1]);for(var u=s,d=s;c(l.charAt(u))&&u<l.length;)u++;for(;c(l.charAt(d))&&d>=0;)d--;if(d++,n){for(var h=u;/\s/.test(l.charAt(u))&&u<l.length;)u++;if(h==u){for(var p=d;/\s/.test(l.charAt(d-1))&&d>0;)d--;d||(d=p)}}return{start:new t(a.line,d),end:new t(a.line,u)}}function Oe(t,n,r){var o=n;if(!e.findMatchingTag||!e.findEnclosingTag)return{start:o,end:o};var i=e.findMatchingTag(t,n)||e.findEnclosingTag(t,n);return i&&i.open&&i.close?r?{start:i.open.from,end:i.close.to}:{start:i.open.to,end:i.close.from}:{start:o,end:o}}function De(e,t,n){pe(t,n)||D.jumpList.add(e,t,n)}function Re(e,t){D.lastCharacterSearch.increment=e,D.lastCharacterSearch.forward=t.forward,D.lastCharacterSearch.selectedCharacter=t.selectedCharacter}var He={"(":"bracket",")":"bracket","{":"bracket","}":"bracket","[":"section","]":"section","*":"comment","/":"comment",m:"method",M:"method","#":"preprocess"},Pe={bracket:{isComplete:function(e){if(e.nextCh===e.symb){if(e.depth++,e.depth>=1)return!0}else e.nextCh===e.reverseSymb&&e.depth--;return!1}},section:{init:function(e){e.curMoveThrough=!0,e.symb=(e.forward?"]":"[")===e.symb?"{":"}"},isComplete:function(e){return 0===e.index&&e.nextCh===e.symb}},comment:{isComplete:function(e){var t="*"===e.lastCh&&"/"===e.nextCh;return e.lastCh=e.nextCh,t}},method:{init:function(e){e.symb="m"===e.symb?"{":"}",e.reverseSymb="{"===e.symb?"}":"{"},isComplete:function(e){return e.nextCh===e.symb}},preprocess:{init:function(e){e.index=0},isComplete:function(e){if("#"===e.nextCh){var t=e.lineText.match(/^#(\w+)/)[1];if("endif"===t){if(e.forward&&0===e.depth)return!0;e.depth++}else if("if"===t){if(!e.forward&&0===e.depth)return!0;e.depth--}if("else"===t&&0===e.depth)return!0}return!1}}};function je(e,n,r,o){var i=he(e.getCursor()),a=r?1:-1,l=r?e.lineCount():-1,s=i.ch,c=i.line,u=e.getLine(c),d={lineText:u,nextCh:u.charAt(s),lastCh:null,index:s,symb:o,reverseSymb:(r?{")":"(","}":"{"}:{"(":")","{":"}"})[o],forward:r,depth:0,curMoveThrough:!1},h=He[o];if(!h)return i;var p=Pe[h].init,f=Pe[h].isComplete;for(p&&p(d);c!==l&&n;){if(d.index+=a,d.nextCh=d.lineText.charAt(d.index),!d.nextCh){if(c+=a,d.lineText=e.getLine(c)||"",a>0)d.index=0;else{var m=d.lineText.length;d.index=m>0?m-1:0}d.nextCh=d.lineText.charAt(d.index)}f(d)&&(i.line=c,i.ch=d.index,n--)}return d.nextCh||d.curMoveThrough?new t(c,d.index):i}function Fe(e,t,n,r,o){var i=t.line,a=t.ch,l=e.getLine(i),s=n?1:-1,c=r?g:v;if(o&&""==l){if(i+=s,l=e.getLine(i),!C(e,i))return null;a=n?0:l.length}for(;;){if(o&&""==l)return{from:0,to:0,line:i};for(var u=s>0?l.length:-1,d=u,h=u;a!=u;){for(var p=!1,f=0;f<c.length&&!p;++f)if(c[f](l.charAt(a))){for(d=a;a!=u&&c[f](l.charAt(a));)a+=s;if(p=d!=(h=a),d==t.ch&&i==t.line&&h==d+s)continue;return{from:Math.min(d,h+1),to:Math.max(d,h),line:i}}p||(a+=s)}if(!C(e,i+=s))return null;l=e.getLine(i),a=s>0?0:l.length}}function ze(e,n,r,o,i,a){var l=he(n),s=[];(o&&!i||!o&&i)&&r++;for(var c=!(o&&i),u=0;u<r;u++){var d=Fe(e,n,o,a,c);if(!d){var h=we(e,e.lastLine());s.push(o?{line:e.lastLine(),from:h,to:h}:{line:0,from:0,to:0});break}s.push(d),n=new t(d.line,o?d.to-1:d.from)}var p=s.length!=r,f=s[0],m=s.pop();return o&&!i?(p||f.from==l.ch&&f.line==l.line||(m=s.pop()),new t(m.line,m.from)):o&&i?new t(m.line,m.to-1):!o&&i?(p||f.to==l.ch&&f.line==l.line||(m=s.pop()),new t(m.line,m.to)):new t(m.line,m.from)}function qe(e,n,r,o,i){var a=new t(n.line+r.repeat-1,1/0),l=e.clipPos(a);return l.ch--,i||(o.lastHPos=1/0,o.lastHSPos=e.charCoords(l,"div").left),a}function Ue(e,n,r,o){for(var i,a=e.getCursor(),l=a.ch,s=0;s<n;s++){if(-1==(i=Ge(l,e.getLine(a.line),o,r,!0)))return null;l=i}return new t(e.getCursor().line,i)}function $e(e,n){var r=e.getCursor().line;return ie(e,new t(r,n-1))}function We(e,t,n,r){L(n,E)&&(t.marks[n]&&t.marks[n].clear(),t.marks[n]=e.setBookmark(r))}function Ge(e,t,n,r,o){var i;return r?-1==(i=t.indexOf(n,e+1))||o||(i-=1):-1==(i=t.lastIndexOf(n,e-1))||o||(i+=1),i}function Ke(e,n,r,o,i){var a,l=n.line,s=e.firstLine(),c=e.lastLine(),u=l;function d(t){return!e.getLine(t)}function h(e,t,n){return n?d(e)!=d(e+t):!d(e)&&d(e+t)}if(o){for(;s<=u&&u<=c&&r>0;)h(u,o)&&r--,u+=o;return new t(u,0)}var p=e.state.vim;if(p.visualLine&&h(l,1,!0)){var f=p.sel.anchor;h(f.line,-1,!0)&&(i&&f.line==l||(l+=1))}var m=d(l);for(u=l;u<=c&&r;u++)h(u,1,!0)&&(i&&d(u)==m||r--);for(a=new t(u,0),u>c&&!m?m=!0:i=!1,u=l;u>s&&(i&&d(u)!=m&&u!=l||!h(u,-1,!0));u--);return{start:new t(u,0),end:a}}function Ye(e,n,r,o,i){function a(e){e.pos+e.dir<0||e.pos+e.dir>=e.line.length?e.line=null:e.pos+=e.dir}function l(e,t,n,r){var o={line:e.getLine(t),ln:t,pos:n,dir:r};if(""===o.line)return{ln:o.ln,pos:o.pos};var l=o.pos;for(a(o);null!==o.line;){if(l=o.pos,V(o.line[o.pos])){if(i){for(a(o);null!==o.line&&N(o.line[o.pos]);)l=o.pos,a(o);return{ln:o.ln,pos:l+1}}return{ln:o.ln,pos:o.pos+1}}a(o)}return{ln:o.ln,pos:l+1}}function s(e,t,n,r){var o=e.getLine(t),l={line:o,ln:t,pos:n,dir:r};if(""===l.line)return{ln:l.ln,pos:l.pos};var s=l.pos;for(a(l);null!==l.line;){if(N(l.line[l.pos])||V(l.line[l.pos])){if(V(l.line[l.pos]))return i&&N(l.line[l.pos+1])?{ln:l.ln,pos:l.pos+1}:{ln:l.ln,pos:s}}else s=l.pos;a(l)}return l.line=o,i&&N(l.line[l.pos])?{ln:l.ln,pos:l.pos}:{ln:l.ln,pos:s}}for(var c={ln:n.line,pos:n.ch};r>0;)c=o<0?s(e,c.ln,c.pos,o):l(e,c.ln,c.pos,o),r--;return new t(c.ln,c.pos)}function Xe(e,n,r,o){function i(e,t){if(t.pos+t.dir<0||t.pos+t.dir>=t.line.length){if(t.ln+=t.dir,!C(e,t.ln))return t.line=null,t.ln=null,void(t.pos=null);t.line=e.getLine(t.ln),t.pos=t.dir>0?0:t.line.length-1}else t.pos+=t.dir}function a(e,t,n,r){var o=""===(c=e.getLine(t)),a={line:c,ln:t,pos:n,dir:r},l={ln:a.ln,pos:a.pos},s=""===a.line;for(i(e,a);null!==a.line;){if(l.ln=a.ln,l.pos=a.pos,""===a.line&&!s)return{ln:a.ln,pos:a.pos};if(o&&""!==a.line&&!N(a.line[a.pos]))return{ln:a.ln,pos:a.pos};!V(a.line[a.pos])||o||a.pos!==a.line.length-1&&!N(a.line[a.pos+1])||(o=!0),i(e,a)}var c=e.getLine(l.ln);l.pos=0;for(var u=c.length-1;u>=0;--u)if(!N(c[u])){l.pos=u;break}return l}function l(e,t,n,r){var o={line:s=e.getLine(t),ln:t,pos:n,dir:r},a={ln:o.ln,pos:null},l=""===o.line;for(i(e,o);null!==o.line;){if(""===o.line&&!l)return null!==a.pos?a:{ln:o.ln,pos:o.pos};if(V(o.line[o.pos])&&null!==a.pos&&(o.ln!==a.ln||o.pos+1!==a.pos))return a;""===o.line||N(o.line[o.pos])||(l=!1,a={ln:o.ln,pos:o.pos}),i(e,o)}var s=e.getLine(a.ln);a.pos=0;for(var c=0;c<s.length;++c)if(!N(s[c])){a.pos=c;break}return a}for(var s={ln:n.line,pos:n.ch};r>0;)s=o<0?l(e,s.ln,s.pos,o):a(e,s.ln,s.pos,o),r--;return new t(s.ln,s.pos)}function Je(e,n,r,o){var i,a,l=n,s={"(":/[()]/,")":/[()]/,"[":/[[\]]/,"]":/[[\]]/,"{":/[{}]/,"}":/[{}]/,"<":/[<>]/,">":/[<>]/}[r],c={"(":"(",")":"(","[":"[","]":"[","{":"{","}":"{","<":"<",">":"<"}[r],u=e.getLine(l.line).charAt(l.ch)===c?1:0;if(i=e.scanForBracket(new t(l.line,l.ch+u),-1,void 0,{bracketRegex:s}),a=e.scanForBracket(new t(l.line,l.ch+u),1,void 0,{bracketRegex:s}),!i||!a)return{start:l,end:l};if(i=i.pos,a=a.pos,i.line==a.line&&i.ch>a.ch||i.line>a.line){var d=i;i=a,a=d}return o?a.ch+=1:i.ch+=1,{start:i,end:a}}function Qe(e,n,r,o){var i,a,l,s,c=he(n),u=e.getLine(c.line).split(""),d=u.indexOf(r);if(c.ch<d?c.ch=d:d<c.ch&&u[c.ch]==r&&(a=c.ch,--c.ch),u[c.ch]!=r||a)for(l=c.ch;l>-1&&!i;l--)u[l]==r&&(i=l+1);else i=c.ch+1;if(i&&!a)for(l=i,s=u.length;l<s&&!a;l++)u[l]==r&&(a=l);return i&&a?(o&&(--i,++a),{start:new t(c.line,i),end:new t(c.line,a)}):{start:c,end:c}}function et(){}function tt(e){var t=e.state.vim;return t.searchState_||(t.searchState_=new et)}function nt(e){return ot(e,"/")}function rt(e){return it(e,"/")}function ot(e,t){var n=it(e,t)||[];if(!n.length)return[];var r=[];if(0===n[0]){for(var o=0;o<n.length;o++)"number"==typeof n[o]&&r.push(e.substring(n[o]+1,n[o+1]));return r}}function it(e,t){t||(t="/");for(var n=!1,r=[],o=0;o<e.length;o++){var i=e.charAt(o);n||i!=t||r.push(o),n=!n&&"\\"==i}return r}function at(e){for(var t="|(){",n="}",r=!1,o=[],i=-1;i<e.length;i++){var a=e.charAt(i)||"",l=e.charAt(i+1)||"",s=l&&-1!=t.indexOf(l);r?("\\"===a&&s||o.push(a),r=!1):"\\"===a?(r=!0,l&&-1!=n.indexOf(l)&&(s=!0),s&&"\\"!==l||o.push(a)):(o.push(a),s&&"\\"!==l&&o.push("\\"))}return o.join("")}I("pcre",!0,"boolean"),et.prototype={getQuery:function(){return D.query},setQuery:function(e){D.query=e},getOverlay:function(){return this.searchOverlay},setOverlay:function(e){this.searchOverlay=e},isReversed:function(){return D.isReversed},setReversed:function(e){D.isReversed=e},getScrollbarAnnotate:function(){return this.annotate},setScrollbarAnnotate:function(e){this.annotate=e}};var lt={"\\n":"\n","\\r":"\r","\\t":"\t"};function st(e){for(var t=!1,n=[],r=-1;r<e.length;r++){var o=e.charAt(r)||"",i=e.charAt(r+1)||"";lt[o+i]?(n.push(lt[o+i]),r++):t?(n.push(o),t=!1):"\\"===o?(t=!0,_(i)||"$"===i?n.push("$"):"/"!==i&&"\\"!==i&&n.push("\\")):("$"===o&&n.push("$"),n.push(o),"/"===i&&n.push("\\"))}return n.join("")}var ct={"\\/":"/","\\\\":"\\","\\n":"\n","\\r":"\r","\\t":"\t","\\&":"&"};function ut(t){for(var n=new e.StringStream(t),r=[];!n.eol();){for(;n.peek()&&"\\"!=n.peek();)r.push(n.next());var o=!1;for(var i in ct)if(n.match(i,!0)){o=!0,r.push(ct[i]);break}o||r.push(n.next())}return r.join("")}function dt(e,t,n){if(D.registerController.getRegister("/").setText(e),e instanceof RegExp)return e;var r,o,i=rt(e);return i.length?(r=e.substring(0,i[0]),o=-1!=e.substring(i[0]).indexOf("i")):r=e,r?(O("pcre")||(r=at(r)),n&&(t=/^[^A-Z]*$/.test(r)),new RegExp(r,t||o?"im":"m")):null}function ht(e){"string"==typeof e&&(e=document.createElement(e));for(var t,n=1;n<arguments.length;n++)if(t=arguments[n])if("object"!=typeof t&&(t=document.createTextNode(t)),t.nodeType)e.appendChild(t);else for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&("$"===r[0]?e.style[r.slice(1)]=t[r]:e.setAttribute(r,t[r]));return e}function pt(e,t){var n=ht("div",{$color:"red",$whiteSpace:"pre",class:"cm-vim-message"},t);e.openNotification?e.openNotification(n,{bottom:!0,duration:5e3}):alert(n.innerText)}function ft(e,t){return ht(document.createDocumentFragment(),ht("span",{$fontFamily:"monospace",$whiteSpace:"pre"},e,ht("input",{type:"text",autocorrect:"off",autocapitalize:"off",spellcheck:"false"})),t&&ht("span",{$color:"#888"},t))}function mt(e,t){var n=ft(t.prefix,t.desc);if(e.openDialog)e.openDialog(n,t.onClose,{onKeyDown:t.onKeyDown,onKeyUp:t.onKeyUp,bottom:!0,selectValueOnOpen:!1,value:t.value});else{var r="";"string"!=typeof t.prefix&&t.prefix&&(r+=t.prefix.textContent),t.desc&&(r+=" "+t.desc),t.onClose(prompt(r,""))}}function vt(e,t){if(e instanceof RegExp&&t instanceof RegExp){for(var n=["global","multiline","ignoreCase","source"],r=0;r<n.length;r++){var o=n[r];if(e[o]!==t[o])return!1}return!0}return!1}function gt(e,t,n,r){if(t){var o=tt(e),i=dt(t,!!n,!!r);if(i)return bt(e,i),vt(i,o.getQuery())||o.setQuery(i),i}}function wt(e){if("^"==e.source.charAt(0))var t=!0;return{token:function(n){if(!t||n.sol()){var r=n.match(e,!1);if(r)return 0==r[0].length?(n.next(),"searching"):n.sol()||(n.backUp(1),e.exec(n.next()+r[0]))?(n.match(e),"searching"):(n.next(),null);for(;!n.eol()&&(n.next(),!n.match(e,!1)););}else n.skipToEnd()},query:e}}var yt=0;function bt(e,t){clearTimeout(yt),yt=setTimeout((function(){if(e.state.vim){var n=tt(e),r=n.getOverlay();r&&t==r.query||(r&&e.removeOverlay(r),r=wt(t),e.addOverlay(r),e.showMatchesOnScrollbar&&(n.getScrollbarAnnotate()&&n.getScrollbarAnnotate().clear(),n.setScrollbarAnnotate(e.showMatchesOnScrollbar(t))),n.setOverlay(r))}}),50)}function xt(e,n,r,o){return void 0===o&&(o=1),e.operation((function(){for(var i=e.getCursor(),a=e.getSearchCursor(r,i),l=0;l<o;l++){var s=a.find(n);if(0==l&&s&&pe(a.from(),i)){var c=n?a.from():a.to();(s=a.find(n))&&!s[0]&&pe(a.from(),c)&&e.getLine(c.line).length==c.ch&&(s=a.find(n))}if(!s&&!(a=e.getSearchCursor(r,n?new t(e.lastLine()):new t(e.firstLine(),0))).find(n))return}return a.from()}))}function kt(e,n,r,o,i){return void 0===o&&(o=1),e.operation((function(){var a=e.getCursor(),l=e.getSearchCursor(r,a),s=l.find(!n);!i.visualMode&&s&&pe(l.from(),a)&&l.find(!n);for(var c=0;c<o;c++)if(!(s=l.find(n))&&!(l=e.getSearchCursor(r,n?new t(e.lastLine()):new t(e.firstLine(),0))).find(n))return;return[l.from(),l.to()]}))}function Et(e){var t=tt(e);e.removeOverlay(tt(e).getOverlay()),t.setOverlay(null),t.getScrollbarAnnotate()&&(t.getScrollbarAnnotate().clear(),t.setScrollbarAnnotate(null))}function At(e,t,n){return"number"!=typeof e&&(e=e.line),t instanceof Array?L(e,t):"number"==typeof n?e>=t&&e<=n:e==t}function Ct(e){var t=e.getScrollInfo(),n=6,r=10,o=e.coordsChar({left:0,top:n+t.top},"local"),i=t.clientHeight-r+t.top,a=e.coordsChar({left:0,top:i},"local");return{top:o.line,bottom:a.line}}function Bt(e,n,r){if("'"==r||"`"==r)return D.jumpList.find(e,-1)||new t(0,0);if("."==r)return Mt(e);var o=n.marks[r];return o&&o.find()}function Mt(e){for(var t=e.doc.history.done,n=t.length;n--;)if(t[n].changes)return he(t[n].changes[0].to)}var _t=function(){this.buildCommandMap_()};_t.prototype={processCommand:function(e,t,n){var r=this;e.operation((function(){e.curOp.isVimOp=!0,r._processCommand(e,t,n)}))},_processCommand:function(t,n,r){var o=t.state.vim,i=D.registerController.getRegister(":"),a=i.toString();o.visualMode&&Ve(t);var l=new e.StringStream(n);i.setText(n);var s,c,u=r||{};u.input=n;try{this.parseInput_(t,l,u)}catch(e){throw pt(t,e.toString()),e}if(u.commandName){if(s=this.matchCommand_(u.commandName)){if(c=s.name,s.excludeFromCommandHistory&&i.setText(a),this.parseCommandArgs_(l,u,s),"exToKey"==s.type){for(var d=0;d<s.toKeys.length;d++)q.handleKey(t,s.toKeys[d],"mapping");return}if("exToEx"==s.type)return void this.processCommand(t,s.toInput)}}else void 0!==u.line&&(c="move");if(c)try{St[c](t,u),s&&s.possiblyAsync||!u.callback||u.callback()}catch(e){throw pt(t,e.toString()),e}else pt(t,'Not an editor command ":'+n+'"')},parseInput_:function(e,t,n){t.eatWhile(":"),t.eat("%")?(n.line=e.firstLine(),n.lineEnd=e.lastLine()):(n.line=this.parseLineSpec_(e,t),void 0!==n.line&&t.eat(",")&&(n.lineEnd=this.parseLineSpec_(e,t)));var r=t.match(/^(\w+|!!|@@|[!#&*<=>@~])/);return n.commandName=r?r[1]:t.match(/.*/)[0],n},parseLineSpec_:function(e,t){var n=t.match(/^(\d+)/);if(n)return parseInt(n[1],10)-1;switch(t.next()){case".":return this.parseLineSpecOffset_(t,e.getCursor().line);case"$":return this.parseLineSpecOffset_(t,e.lastLine());case"'":var r=t.next(),o=Bt(e,e.state.vim,r);if(!o)throw new Error("Mark not set");return this.parseLineSpecOffset_(t,o.line);case"-":case"+":return t.backUp(1),this.parseLineSpecOffset_(t,e.getCursor().line);default:return void t.backUp(1)}},parseLineSpecOffset_:function(e,t){var n=e.match(/^([+-])?(\d+)/);if(n){var r=parseInt(n[2],10);"-"==n[1]?t-=r:t+=r}return t},parseCommandArgs_:function(e,t,n){if(!e.eol()){t.argString=e.match(/.*/)[0];var r=n.argDelimiter||/\s+/,o=ye(t.argString).split(r);o.length&&o[0]&&(t.args=o)}},matchCommand_:function(e){for(var t=e.length;t>0;t--){var n=e.substring(0,t);if(this.commandMap_[n]){var r=this.commandMap_[n];if(0===r.name.indexOf(e))return r}}return null},buildCommandMap_:function(){this.commandMap_={};for(var e=0;e<i.length;e++){var t=i[e],n=t.shortName||t.name;this.commandMap_[n]=t}},map:function(e,t,n){if(":"!=e&&":"==e.charAt(0)){if(n)throw Error("Mode not supported for ex mappings");var o=e.substring(1);":"!=t&&":"==t.charAt(0)?this.commandMap_[o]={name:o,type:"exToEx",toInput:t.substring(1),user:!0}:this.commandMap_[o]={name:o,type:"exToKey",toKeys:t,user:!0}}else if(":"!=t&&":"==t.charAt(0)){var i={keys:e,type:"keyToEx",exArgs:{input:t.substring(1)}};n&&(i.context=n),r.unshift(i)}else i={keys:e,type:"keyToKey",toKeys:t},n&&(i.context=n),r.unshift(i)},unmap:function(e,t){if(":"!=e&&":"==e.charAt(0)){if(t)throw Error("Mode not supported for ex mappings");var n=e.substring(1);if(this.commandMap_[n]&&this.commandMap_[n].user)return delete this.commandMap_[n],!0}else for(var o=e,i=0;i<r.length;i++)if(o==r[i].keys&&r[i].context===t)return r.splice(i,1),!0}};var St={colorscheme:function(e,t){!t.args||t.args.length<1?pt(e,e.getOption("theme")):e.setOption("theme",t.args[0])},map:function(e,t,n){var r=t.args;!r||r.length<2?e&&pt(e,"Invalid mapping: "+t.input):Nt.map(r[0],r[1],n)},imap:function(e,t){this.map(e,t,"insert")},nmap:function(e,t){this.map(e,t,"normal")},vmap:function(e,t){this.map(e,t,"visual")},unmap:function(e,t,n){var r=t.args;(!r||r.length<1||!Nt.unmap(r[0],n))&&e&&pt(e,"No such mapping: "+t.input)},move:function(e,t){X.processCommand(e,e.state.vim,{type:"motion",motion:"moveToLineOrEdgeOfDocument",motionArgs:{forward:!1,explicitRepeat:!0,linewise:!0},repeatOverride:t.line+1})},set:function(e,t){var n=t.args,r=t.setCfg||{};if(!n||n.length<1)e&&pt(e,"Invalid mapping: "+t.input);else{var o=n[0].split("="),i=o[0],a=o[1],l=!1;if("?"==i.charAt(i.length-1)){if(a)throw Error("Trailing characters: "+t.argString);i=i.substring(0,i.length-1),l=!0}void 0===a&&"no"==i.substring(0,2)&&(i=i.substring(2),a=!1);var s=T[i]&&"boolean"==T[i].type;if(s&&null==a&&(a=!0),!s&&void 0===a||l){var c=O(i,e,r);c instanceof Error?pt(e,c.message):pt(e,!0===c||!1===c?" "+(c?"":"no")+i:"  "+i+"="+c)}else{var u=Z(i,a,e,r);u instanceof Error&&pt(e,u.message)}}},setlocal:function(e,t){t.setCfg={scope:"local"},this.set(e,t)},setglobal:function(e,t){t.setCfg={scope:"global"},this.set(e,t)},registers:function(e,t){var n=t.args,r=D.registerController.registers,o="----------Registers----------\n\n";if(n){n=n.join("");for(var i=0;i<n.length;i++)a=n.charAt(i),D.registerController.isValidRegister(a)&&(o+='"'+a+"    "+(r[a]||new W).toString()+"\n")}else for(var a in r){var l=r[a].toString();l.length&&(o+='"'+a+"    "+l+"\n")}pt(e,o)},sort:function(n,r){var o,i,a,l,s;function c(){if(r.argString){var t=new e.StringStream(r.argString);if(t.eat("!")&&(o=!0),t.eol())return;if(!t.eatSpace())return"Invalid arguments";var n=t.match(/([dinuox]+)?\s*(\/.+\/)?\s*/);if(!n&&!t.eol())return"Invalid arguments";if(n[1]){i=-1!=n[1].indexOf("i"),a=-1!=n[1].indexOf("u");var c=-1!=n[1].indexOf("d")||-1!=n[1].indexOf("n")&&1,u=-1!=n[1].indexOf("x")&&1,d=-1!=n[1].indexOf("o")&&1;if(c+u+d>1)return"Invalid arguments";l=(c?"decimal":u&&"hex")||d&&"octal"}n[2]&&(s=new RegExp(n[2].substr(1,n[2].length-2),i?"i":""))}}var u=c();if(u)pt(n,u+": "+r.argString);else{var d=r.line||n.firstLine(),h=r.lineEnd||r.line||n.lastLine();if(d!=h){var p=new t(d,0),f=new t(h,we(n,h)),m=n.getRange(p,f).split("\n"),v=s||("decimal"==l?/(-?)([\d]+)/:"hex"==l?/(-?)(?:0x)?([0-9a-f]+)/i:"octal"==l?/([0-7]+)/:null),g="decimal"==l?10:"hex"==l?16:"octal"==l?8:null,w=[],y=[];if(l||s)for(var b=0;b<m.length;b++){var x=s?m[b].match(s):null;x&&""!=x[0]?w.push(x):!s&&v.exec(m[b])?w.push(m[b]):y.push(m[b])}else y=m;if(w.sort(s?C:A),s)for(b=0;b<w.length;b++)w[b]=w[b].input;else l||y.sort(A);if(m=o?w.concat(y):y.concat(w),a){var k,E=m;for(m=[],b=0;b<E.length;b++)E[b]!=k&&m.push(E[b]),k=E[b]}n.replaceRange(m.join("\n"),p,f)}}function A(e,t){var n;o&&(n=e,e=t,t=n),i&&(e=e.toLowerCase(),t=t.toLowerCase());var r=l&&v.exec(e),a=l&&v.exec(t);return r?(r=parseInt((r[1]+r[2]).toLowerCase(),g))-(a=parseInt((a[1]+a[2]).toLowerCase(),g)):e<t?-1:1}function C(e,t){var n;return o&&(n=e,e=t,t=n),i&&(e[0]=e[0].toLowerCase(),t[0]=t[0].toLowerCase()),e[0]<t[0]?-1:1}},vglobal:function(e,t){this.global(e,t)},global:function(e,t){var n=t.argString;if(n){var r,o="v"===t.commandName[0],i=void 0!==t.line?t.line:e.firstLine(),a=t.lineEnd||t.line||e.lastLine(),l=nt(n),s=n;if(l.length&&(s=l[0],r=l.slice(1,l.length).join("/")),s)try{gt(e,s,!0,!0)}catch(t){return void pt(e,"Invalid regex: "+s)}for(var c=tt(e).getQuery(),u=[],d=i;d<=a;d++){var h=e.getLineHandle(d);c.test(h.text)!==o&&u.push(r?h:h.text)}if(r){var p=0,f=function(){if(p<u.length){var t=u[p++],n=e.getLineNumber(t);if(null==n)return void f();var o=n+1+r;Nt.processCommand(e,o,{callback:f})}};f()}else pt(e,u.join("\n"))}else pt(e,"Regular Expression missing from global")},substitute:function(e,n){if(!e.getSearchCursor)throw new Error("Search feature not available. Requires searchcursor.js or any other getSearchCursor implementation.");var r,o,i,a,l=n.argString,s=l?ot(l,l[0]):[],c="",u=!1,d=!1;if(s.length)r=s[0],O("pcre")&&""!==r&&(r=new RegExp(r).source),void 0!==(c=s[1])&&(c=O("pcre")?ut(c.replace(/([^\\])&/g,"$1$$&")):st(c),D.lastSubstituteReplacePart=c),o=s[2]?s[2].split(" "):[];else if(l&&l.length)return void pt(e,"Substitutions should be of the form :s/pattern/replace/");if(o&&(i=o[0],a=parseInt(o[1]),i&&(-1!=i.indexOf("c")&&(u=!0),-1!=i.indexOf("g")&&(d=!0),r=O("pcre")?r+"/"+i:r.replace(/\//g,"\\/")+"/"+i)),r)try{gt(e,r,!0,!0)}catch(t){return void pt(e,"Invalid regex: "+r)}if(void 0!==(c=c||D.lastSubstituteReplacePart)){var h=tt(e).getQuery(),p=void 0!==n.line?n.line:e.getCursor().line,f=n.lineEnd||p;p==e.firstLine()&&f==e.lastLine()&&(f=1/0),a&&(f=(p=f)+a-1);var m=ie(e,new t(p,0)),v=e.getSearchCursor(h,m);Vt(e,u,d,p,f,v,h,c,n.callback)}else pt(e,"No previous substitute regular expression")},redo:e.commands.redo,undo:e.commands.undo,write:function(t){e.commands.save?e.commands.save(t):t.save&&t.save()},nohlsearch:function(e){Et(e)},yank:function(e){var t=he(e.getCursor()).line,n=e.getLine(t);D.registerController.pushText("0","yank",n,!0,!0)},delmarks:function(t,n){if(n.argString&&ye(n.argString))for(var r=t.state.vim,o=new e.StringStream(ye(n.argString));!o.eol();){o.eatSpace();var i=o.pos;if(!o.match(/[a-zA-Z]/,!1))return void pt(t,"Invalid argument: "+n.argString.substring(i));var a=o.next();if(o.match("-",!0)){if(!o.match(/[a-zA-Z]/,!1))return void pt(t,"Invalid argument: "+n.argString.substring(i));var l=a,s=o.next();if(!(B(l)&&B(s)||S(l)&&S(s)))return void pt(t,"Invalid argument: "+l+"-");var c=l.charCodeAt(0),u=s.charCodeAt(0);if(c>=u)return void pt(t,"Invalid argument: "+n.argString.substring(i));for(var d=0;d<=u-c;d++){var h=String.fromCharCode(c+d);delete r.marks[h]}}else delete r.marks[a]}else pt(t,"Argument required")}},Nt=new _t;function Vt(t,n,r,o,i,a,l,s,c){t.state.vim.exMode=!0;var u,d,h,p=!1;function f(){t.operation((function(){for(;!p;)m(),g();w()}))}function m(){var e=t.getRange(a.from(),a.to()).replace(l,s),n=a.to().line;a.replace(e),d=a.to().line,i+=d-n,h=d<n}function v(){var e=u&&he(a.to()),t=a.findNext();return t&&!t[0]&&e&&pe(a.from(),e)&&(t=a.findNext()),t}function g(){for(;v()&&At(a.from(),o,i);)if(r||a.from().line!=d||h)return t.scrollIntoView(a.from(),30),t.setSelection(a.from(),a.to()),u=a.from(),void(p=!1);p=!0}function w(e){if(e&&e(),t.focus(),u){t.setCursor(u);var n=t.state.vim;n.exMode=!1,n.lastHPos=n.lastHSPos=u.ch}c&&c()}function y(n,r,o){switch(e.e_stop(n),e.keyName(n)){case"Y":m(),g();break;case"N":g();break;case"A":var i=c;c=void 0,t.operation(f),c=i;break;case"L":m();case"Q":case"Esc":case"Ctrl-C":case"Ctrl-[":w(o)}return p&&w(o),!0}if(g(),!p)return n?void mt(t,{prefix:ht("span","replace with ",ht("strong",s)," (y/n/a/q/l)"),onKeyDown:y}):(f(),void(c&&c()));pt(t,"No matches for "+l.source)}function Lt(t){var n=t.state.vim,r=D.macroModeState,o=D.registerController.getRegister("."),i=r.isPlaying,a=r.lastInsertModeChanges;i||(t.off("change",Ht),e.off(t.getInputField(),"keydown",zt)),!i&&n.insertModeRepeat>1&&(qt(t,n,n.insertModeRepeat-1,!0),n.lastEditInputState.repeatOverride=n.insertModeRepeat),delete n.insertModeRepeat,n.insertMode=!1,t.setCursor(t.getCursor().line,t.getCursor().ch-1),t.setOption("keyMap","vim"),t.setOption("disableInput",!0),t.toggleOverwrite(!1),o.setText(a.changes.join("")),e.signal(t,"vim-mode-change",{mode:"normal"}),r.isRecording&&Dt(r)}function Tt(e){r.unshift(e)}function It(e,t,n,r,o){var i={keys:e,type:t};for(var a in i[t]=n,i[t+"Args"]=r,o)i[a]=o[a];Tt(i)}function Zt(e,t,n,r){var o=D.registerController.getRegister(r);if(":"==r)return o.keyBuffer[0]&&Nt.processCommand(e,o.keyBuffer[0]),void(n.isPlaying=!1);var i=o.keyBuffer,a=0;n.isPlaying=!0,n.replaySearchQueries=o.searchQueries.slice(0);for(var l=0;l<i.length;l++)for(var s,c,u=i[l];u;)if(c=(s=/<\w+-.+?>|<\w+>|./.exec(u))[0],u=u.substring(s.index+c.length),q.handleKey(e,c,"macro"),t.insertMode){var d=o.insertModeChanges[a++].changes;D.macroModeState.lastInsertModeChanges.changes=d,Ut(e,d,1),Lt(e)}n.isPlaying=!1}function Ot(e,t){if(!e.isPlaying){var n=e.latestRegister,r=D.registerController.getRegister(n);r&&r.pushText(t)}}function Dt(e){if(!e.isPlaying){var t=e.latestRegister,n=D.registerController.getRegister(t);n&&n.pushInsertModeChanges&&n.pushInsertModeChanges(e.lastInsertModeChanges)}}function Rt(e,t){if(!e.isPlaying){var n=e.latestRegister,r=D.registerController.getRegister(n);r&&r.pushSearchQuery&&r.pushSearchQuery(t)}}function Ht(e,t){var n=D.macroModeState,r=n.lastInsertModeChanges;if(!n.isPlaying)for(;t;){if(r.expectCursorActivityForChange=!0,r.ignoreCount>1)r.ignoreCount--;else if("+input"==t.origin||"paste"==t.origin||void 0===t.origin){var o=e.listSelections().length;o>1&&(r.ignoreCount=o);var i=t.text.join("\n");r.maybeReset&&(r.changes=[],r.maybeReset=!1),i&&(e.state.overwrite&&!/\n/.test(i)?r.changes.push([i]):r.changes.push(i))}t=t.next}}function Pt(e){var t=e.state.vim;if(t.insertMode){var n=D.macroModeState;if(n.isPlaying)return;var r=n.lastInsertModeChanges;r.expectCursorActivityForChange?r.expectCursorActivityForChange=!1:r.maybeReset=!0}else e.curOp.isVimOp||jt(e,t)}function jt(t,n){var r=t.getCursor("anchor"),o=t.getCursor("head");if(n.visualMode&&!t.somethingSelected()?Ve(t,!1):n.visualMode||n.insertMode||!t.somethingSelected()||(n.visualMode=!0,n.visualLine=!1,e.signal(t,"vim-mode-change",{mode:"visual"})),n.visualMode){var i=fe(o,r)?0:-1,a=fe(o,r)?-1:0;o=le(o,0,i),r=le(r,0,a),n.sel={anchor:r,head:o},We(t,n,"<",me(o,r)),We(t,n,">",ve(o,r))}else n.insertMode||(n.lastHPos=t.getCursor().ch)}function Ft(e){this.keyName=e}function zt(t){var n=D.macroModeState.lastInsertModeChanges,r=e.keyName(t);function o(){return n.maybeReset&&(n.changes=[],n.maybeReset=!1),n.changes.push(new Ft(r)),!0}r&&(-1==r.indexOf("Delete")&&-1==r.indexOf("Backspace")||e.lookupKey(r,"vim-insert",o))}function qt(e,t,n,r){var o=D.macroModeState;o.isPlaying=!0;var i=!!t.lastEditActionCommand,a=t.inputState;function l(){i?X.processAction(e,t,t.lastEditActionCommand):X.evalInput(e,t)}function s(n){if(o.lastInsertModeChanges.changes.length>0){n=t.lastEditActionCommand?n:1;var r=o.lastInsertModeChanges;Ut(e,r.changes,n)}}if(t.inputState=t.lastEditInputState,i&&t.lastEditActionCommand.interlaceInsertRepeat)for(var c=0;c<n;c++)l(),s(1);else r||l(),s(n);t.inputState=a,t.insertMode&&!r&&Lt(e),o.isPlaying=!1}function Ut(t,n,r){function o(n){return"string"==typeof n?e.commands[n](t):n(t),!0}var i=t.getCursor("head"),a=D.macroModeState.lastInsertModeChanges.visualBlock;a&&(Ee(t,i,a+1),r=t.listSelections().length,t.setCursor(i));for(var l=0;l<r;l++){a&&t.setCursor(le(i,l,0));for(var s=0;s<n.length;s++){var c=n[s];if(c instanceof Ft)e.lookupKey(c.keyName,"vim-insert",o);else if("string"==typeof c)t.replaceSelection(c);else{var u=t.getCursor(),d=le(u,0,c[0].length);t.replaceRange(c[0],u,d),t.setCursor(d)}}}a&&t.setCursor(le(i,0,1))}function $t(e){var t=new e.constructor;return Object.keys(e).forEach((function(n){var r=e[n];Array.isArray(r)?r=r.slice():r&&"object"==typeof r&&r.constructor!=Object&&(r=$t(r)),t[n]=r})),e.sel&&(t.sel={head:e.sel.head&&he(e.sel.head),anchor:e.sel.anchor&&he(e.sel.anchor)}),t}function Wt(e,t,n){var r=!1,o=q.maybeInitVimState_(e),i=o.visualBlock||o.wasInVisualBlock,a=e.isInMultiSelectMode();if(o.wasInVisualBlock&&!a?o.wasInVisualBlock=!1:a&&o.visualBlock&&(o.wasInVisualBlock=!0),"<Esc>"!=t||o.insertMode||o.visualMode||!a||"<Esc>"!=o.status)if(i||!a||e.inVirtualSelectionMode)r=q.handleKey(e,t,n);else{var l=$t(o);e.operation((function(){e.curOp.isVimOp=!0,e.forEachSelection((function(){var o=e.getCursor("head"),i=e.getCursor("anchor"),a=fe(o,i)?0:-1,s=fe(o,i)?-1:0;o=le(o,0,a),i=le(i,0,s),e.state.vim.sel.head=o,e.state.vim.sel.anchor=i,r=q.handleKey(e,t,n),e.virtualSelection&&(e.state.vim=$t(l))})),e.curOp.cursorActivity&&!r&&(e.curOp.cursorActivity=!1),e.state.vim=o}),!0)}else $(e);return!r||o.visualMode||o.insert||o.visualMode==e.somethingSelected()||jt(e,o),r}return e.keyMap.vim={attach:c,detach:s,call:u},I("insertModeEscKeysTimeout",200,"number"),e.keyMap["vim-insert"]={fallthrough:["default"],attach:c,detach:s,call:u},e.keyMap["vim-replace"]={Backspace:"goCharLeft",fallthrough:["vim-insert"],attach:c,detach:s,call:u},z(),q}function n(e){return e.Vim=t(e),e.Vim}e.Vim=n(e)}(n(15237),n(23653),n(28527),n(97923))},15237:function(e){e.exports=function(){"use strict";var e=navigator.userAgent,t=navigator.platform,n=/gecko\/\d/i.test(e),r=/MSIE \d/.test(e),o=/Trident\/(?:[7-9]|\d{2,})\..*rv:(\d+)/.exec(e),i=/Edge\/(\d+)/.exec(e),a=r||o||i,l=a&&(r?document.documentMode||6:+(i||o)[1]),s=!i&&/WebKit\//.test(e),c=s&&/Qt\/\d+\.\d+/.test(e),u=!i&&/Chrome\/(\d+)/.exec(e),d=u&&+u[1],h=/Opera\//.test(e),p=/Apple Computer/.test(navigator.vendor),f=/Mac OS X 1\d\D([8-9]|\d\d)\D/.test(e),m=/PhantomJS/.test(e),v=p&&(/Mobile\/\w+/.test(e)||navigator.maxTouchPoints>2),g=/Android/.test(e),w=v||g||/webOS|BlackBerry|Opera Mini|Opera Mobi|IEMobile/i.test(e),y=v||/Mac/.test(t),b=/\bCrOS\b/.test(e),x=/win/i.test(t),k=h&&e.match(/Version\/(\d*\.\d*)/);k&&(k=Number(k[1])),k&&k>=15&&(h=!1,s=!0);var E=y&&(c||h&&(null==k||k<12.11)),A=n||a&&l>=9;function C(e){return new RegExp("(^|\\s)"+e+"(?:$|\\s)\\s*")}var B,M=function(e,t){var n=e.className,r=C(t).exec(n);if(r){var o=n.slice(r.index+r[0].length);e.className=n.slice(0,r.index)+(o?r[1]+o:"")}};function _(e){for(var t=e.childNodes.length;t>0;--t)e.removeChild(e.firstChild);return e}function S(e,t){return _(e).appendChild(t)}function N(e,t,n,r){var o=document.createElement(e);if(n&&(o.className=n),r&&(o.style.cssText=r),"string"==typeof t)o.appendChild(document.createTextNode(t));else if(t)for(var i=0;i<t.length;++i)o.appendChild(t[i]);return o}function V(e,t,n,r){var o=N(e,t,n,r);return o.setAttribute("role","presentation"),o}function L(e,t){if(3==t.nodeType&&(t=t.parentNode),e.contains)return e.contains(t);do{if(11==t.nodeType&&(t=t.host),t==e)return!0}while(t=t.parentNode)}function T(e){var t,n=e.ownerDocument||e;try{t=e.activeElement}catch(e){t=n.body||null}for(;t&&t.shadowRoot&&t.shadowRoot.activeElement;)t=t.shadowRoot.activeElement;return t}function I(e,t){var n=e.className;C(t).test(n)||(e.className+=(n?" ":"")+t)}function Z(e,t){for(var n=e.split(" "),r=0;r<n.length;r++)n[r]&&!C(n[r]).test(t)&&(t+=" "+n[r]);return t}B=document.createRange?function(e,t,n,r){var o=document.createRange();return o.setEnd(r||e,n),o.setStart(e,t),o}:function(e,t,n){var r=document.body.createTextRange();try{r.moveToElementText(e.parentNode)}catch(e){return r}return r.collapse(!0),r.moveEnd("character",n),r.moveStart("character",t),r};var O=function(e){e.select()};function D(e){return e.display.wrapper.ownerDocument}function R(e){return H(e.display.wrapper)}function H(e){return e.getRootNode?e.getRootNode():e.ownerDocument}function P(e){return D(e).defaultView}function j(e){var t=Array.prototype.slice.call(arguments,1);return function(){return e.apply(null,t)}}function F(e,t,n){for(var r in t||(t={}),e)!e.hasOwnProperty(r)||!1===n&&t.hasOwnProperty(r)||(t[r]=e[r]);return t}function z(e,t,n,r,o){null==t&&-1==(t=e.search(/[^\s\u00a0]/))&&(t=e.length);for(var i=r||0,a=o||0;;){var l=e.indexOf("\t",i);if(l<0||l>=t)return a+(t-i);a+=l-i,a+=n-a%n,i=l+1}}v?O=function(e){e.selectionStart=0,e.selectionEnd=e.value.length}:a&&(O=function(e){try{e.select()}catch(e){}});var q=function(){this.id=null,this.f=null,this.time=0,this.handler=j(this.onTimeout,this)};function U(e,t){for(var n=0;n<e.length;++n)if(e[n]==t)return n;return-1}q.prototype.onTimeout=function(e){e.id=0,e.time<=+new Date?e.f():setTimeout(e.handler,e.time-+new Date)},q.prototype.set=function(e,t){this.f=t;var n=+new Date+e;(!this.id||n<this.time)&&(clearTimeout(this.id),this.id=setTimeout(this.handler,e),this.time=n)};var $=50,W={toString:function(){return"CodeMirror.Pass"}},G={scroll:!1},K={origin:"*mouse"},Y={origin:"+move"};function X(e,t,n){for(var r=0,o=0;;){var i=e.indexOf("\t",r);-1==i&&(i=e.length);var a=i-r;if(i==e.length||o+a>=t)return r+Math.min(a,t-o);if(o+=i-r,r=i+1,(o+=n-o%n)>=t)return r}}var J=[""];function Q(e){for(;J.length<=e;)J.push(ee(J)+" ");return J[e]}function ee(e){return e[e.length-1]}function te(e,t){for(var n=[],r=0;r<e.length;r++)n[r]=t(e[r],r);return n}function ne(e,t,n){for(var r=0,o=n(t);r<e.length&&n(e[r])<=o;)r++;e.splice(r,0,t)}function re(){}function oe(e,t){var n;return Object.create?n=Object.create(e):(re.prototype=e,n=new re),t&&F(t,n),n}var ie=/[\u00df\u0587\u0590-\u05f4\u0600-\u06ff\u3040-\u309f\u30a0-\u30ff\u3400-\u4db5\u4e00-\u9fcc\uac00-\ud7af]/;function ae(e){return/\w/.test(e)||e>"€"&&(e.toUpperCase()!=e.toLowerCase()||ie.test(e))}function le(e,t){return t?!!(t.source.indexOf("\\w")>-1&&ae(e))||t.test(e):ae(e)}function se(e){for(var t in e)if(e.hasOwnProperty(t)&&e[t])return!1;return!0}var ce=/[\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 ue(e){return e.charCodeAt(0)>=768&&ce.test(e)}function de(e,t,n){for(;(n<0?t>0:t<e.length)&&ue(e.charAt(t));)t+=n;return t}function he(e,t,n){for(var r=t>n?-1:1;;){if(t==n)return t;var o=(t+n)/2,i=r<0?Math.ceil(o):Math.floor(o);if(i==t)return e(i)?t:n;e(i)?n=i:t=i+r}}function pe(e,t,n,r){if(!e)return r(t,n,"ltr",0);for(var o=!1,i=0;i<e.length;++i){var a=e[i];(a.from<n&&a.to>t||t==n&&a.to==t)&&(r(Math.max(a.from,t),Math.min(a.to,n),1==a.level?"rtl":"ltr",i),o=!0)}o||r(t,n,"ltr")}var fe=null;function me(e,t,n){var r;fe=null;for(var o=0;o<e.length;++o){var i=e[o];if(i.from<t&&i.to>t)return o;i.to==t&&(i.from!=i.to&&"before"==n?r=o:fe=o),i.from==t&&(i.from!=i.to&&"before"!=n?r=o:fe=o)}return null!=r?r:fe}var ve=function(){var e="bbbbbbbbbtstwsbbbbbbbbbbbbbbssstwNN%%%NNNNNN,N,N1111111111NNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNbbbbbbsbbbbbbbbbbbbbbbbbbbbbbbbbb,N%%%%NNNNLNNNNN%%11NLNNN1LNNNNNLLLLLLLLLLLLLLLLLLLLLLLNLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLN",t="nnnnnnNNr%%r,rNNmmmmmmmmmmmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmmmmmmmmmmmmmmmnnnnnnnnnn%nnrrrmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmnNmmmmmmrrmmNmmmmrr1111111111";function n(n){return n<=247?e.charAt(n):1424<=n&&n<=1524?"R":1536<=n&&n<=1785?t.charAt(n-1536):1774<=n&&n<=2220?"r":8192<=n&&n<=8203?"w":8204==n?"b":"L"}var r=/[\u0590-\u05f4\u0600-\u06ff\u0700-\u08ac]/,o=/[stwN]/,i=/[LRr]/,a=/[Lb1n]/,l=/[1n]/;function s(e,t,n){this.level=e,this.from=t,this.to=n}return function(e,t){var c="ltr"==t?"L":"R";if(0==e.length||"ltr"==t&&!r.test(e))return!1;for(var u=e.length,d=[],h=0;h<u;++h)d.push(n(e.charCodeAt(h)));for(var p=0,f=c;p<u;++p){var m=d[p];"m"==m?d[p]=f:f=m}for(var v=0,g=c;v<u;++v){var w=d[v];"1"==w&&"r"==g?d[v]="n":i.test(w)&&(g=w,"r"==w&&(d[v]="R"))}for(var y=1,b=d[0];y<u-1;++y){var x=d[y];"+"==x&&"1"==b&&"1"==d[y+1]?d[y]="1":","!=x||b!=d[y+1]||"1"!=b&&"n"!=b||(d[y]=b),b=x}for(var k=0;k<u;++k){var E=d[k];if(","==E)d[k]="N";else if("%"==E){var A=void 0;for(A=k+1;A<u&&"%"==d[A];++A);for(var C=k&&"!"==d[k-1]||A<u&&"1"==d[A]?"1":"N",B=k;B<A;++B)d[B]=C;k=A-1}}for(var M=0,_=c;M<u;++M){var S=d[M];"L"==_&&"1"==S?d[M]="L":i.test(S)&&(_=S)}for(var N=0;N<u;++N)if(o.test(d[N])){var V=void 0;for(V=N+1;V<u&&o.test(d[V]);++V);for(var L="L"==(N?d[N-1]:c),T=L==("L"==(V<u?d[V]:c))?L?"L":"R":c,I=N;I<V;++I)d[I]=T;N=V-1}for(var Z,O=[],D=0;D<u;)if(a.test(d[D])){var R=D;for(++D;D<u&&a.test(d[D]);++D);O.push(new s(0,R,D))}else{var H=D,P=O.length,j="rtl"==t?1:0;for(++D;D<u&&"L"!=d[D];++D);for(var F=H;F<D;)if(l.test(d[F])){H<F&&(O.splice(P,0,new s(1,H,F)),P+=j);var z=F;for(++F;F<D&&l.test(d[F]);++F);O.splice(P,0,new s(2,z,F)),P+=j,H=F}else++F;H<D&&O.splice(P,0,new s(1,H,D))}return"ltr"==t&&(1==O[0].level&&(Z=e.match(/^\s+/))&&(O[0].from=Z[0].length,O.unshift(new s(0,0,Z[0].length))),1==ee(O).level&&(Z=e.match(/\s+$/))&&(ee(O).to-=Z[0].length,O.push(new s(0,u-Z[0].length,u)))),"rtl"==t?O.reverse():O}}();function ge(e,t){var n=e.order;return null==n&&(n=e.order=ve(e.text,t)),n}var we=[],ye=function(e,t,n){if(e.addEventListener)e.addEventListener(t,n,!1);else if(e.attachEvent)e.attachEvent("on"+t,n);else{var r=e._handlers||(e._handlers={});r[t]=(r[t]||we).concat(n)}};function be(e,t){return e._handlers&&e._handlers[t]||we}function xe(e,t,n){if(e.removeEventListener)e.removeEventListener(t,n,!1);else if(e.detachEvent)e.detachEvent("on"+t,n);else{var r=e._handlers,o=r&&r[t];if(o){var i=U(o,n);i>-1&&(r[t]=o.slice(0,i).concat(o.slice(i+1)))}}}function ke(e,t){var n=be(e,t);if(n.length)for(var r=Array.prototype.slice.call(arguments,2),o=0;o<n.length;++o)n[o].apply(null,r)}function Ee(e,t,n){return"string"==typeof t&&(t={type:t,preventDefault:function(){this.defaultPrevented=!0}}),ke(e,n||t.type,e,t),Se(t)||t.codemirrorIgnore}function Ae(e){var t=e._handlers&&e._handlers.cursorActivity;if(t)for(var n=e.curOp.cursorActivityHandlers||(e.curOp.cursorActivityHandlers=[]),r=0;r<t.length;++r)-1==U(n,t[r])&&n.push(t[r])}function Ce(e,t){return be(e,t).length>0}function Be(e){e.prototype.on=function(e,t){ye(this,e,t)},e.prototype.off=function(e,t){xe(this,e,t)}}function Me(e){e.preventDefault?e.preventDefault():e.returnValue=!1}function _e(e){e.stopPropagation?e.stopPropagation():e.cancelBubble=!0}function Se(e){return null!=e.defaultPrevented?e.defaultPrevented:0==e.returnValue}function Ne(e){Me(e),_e(e)}function Ve(e){return e.target||e.srcElement}function Le(e){var t=e.which;return null==t&&(1&e.button?t=1:2&e.button?t=3:4&e.button&&(t=2)),y&&e.ctrlKey&&1==t&&(t=3),t}var Te,Ie,Ze=function(){if(a&&l<9)return!1;var e=N("div");return"draggable"in e||"dragDrop"in e}();function Oe(e){if(null==Te){var t=N("span","​");S(e,N("span",[t,document.createTextNode("x")])),0!=e.firstChild.offsetHeight&&(Te=t.offsetWidth<=1&&t.offsetHeight>2&&!(a&&l<8))}var n=Te?N("span","​"):N("span"," ",null,"display: inline-block; width: 1px; margin-right: -1px");return n.setAttribute("cm-text",""),n}function De(e){if(null!=Ie)return Ie;var t=S(e,document.createTextNode("AخA")),n=B(t,0,1).getBoundingClientRect(),r=B(t,1,2).getBoundingClientRect();return _(e),!(!n||n.left==n.right)&&(Ie=r.right-n.right<3)}var Re=3!="\n\nb".split(/\n/).length?function(e){for(var t=0,n=[],r=e.length;t<=r;){var o=e.indexOf("\n",t);-1==o&&(o=e.length);var i=e.slice(t,"\r"==e.charAt(o-1)?o-1:o),a=i.indexOf("\r");-1!=a?(n.push(i.slice(0,a)),t+=a+1):(n.push(i),t=o+1)}return n}:function(e){return e.split(/\r\n?|\n/)},He=window.getSelection?function(e){try{return e.selectionStart!=e.selectionEnd}catch(e){return!1}}:function(e){var t;try{t=e.ownerDocument.selection.createRange()}catch(e){}return!(!t||t.parentElement()!=e)&&0!=t.compareEndPoints("StartToEnd",t)},Pe=function(){var e=N("div");return"oncopy"in e||(e.setAttribute("oncopy","return;"),"function"==typeof e.oncopy)}(),je=null;function Fe(e){if(null!=je)return je;var t=S(e,N("span","x")),n=t.getBoundingClientRect(),r=B(t,0,1).getBoundingClientRect();return je=Math.abs(n.left-r.left)>1}var ze={},qe={};function Ue(e,t){arguments.length>2&&(t.dependencies=Array.prototype.slice.call(arguments,2)),ze[e]=t}function $e(e,t){qe[e]=t}function We(e){if("string"==typeof e&&qe.hasOwnProperty(e))e=qe[e];else if(e&&"string"==typeof e.name&&qe.hasOwnProperty(e.name)){var t=qe[e.name];"string"==typeof t&&(t={name:t}),(e=oe(t,e)).name=t.name}else{if("string"==typeof e&&/^[\w\-]+\/[\w\-]+\+xml$/.test(e))return We("application/xml");if("string"==typeof e&&/^[\w\-]+\/[\w\-]+\+json$/.test(e))return We("application/json")}return"string"==typeof e?{name:e}:e||{name:"null"}}function Ge(e,t){t=We(t);var n=ze[t.name];if(!n)return Ge(e,"text/plain");var r=n(e,t);if(Ke.hasOwnProperty(t.name)){var o=Ke[t.name];for(var i in o)o.hasOwnProperty(i)&&(r.hasOwnProperty(i)&&(r["_"+i]=r[i]),r[i]=o[i])}if(r.name=t.name,t.helperType&&(r.helperType=t.helperType),t.modeProps)for(var a in t.modeProps)r[a]=t.modeProps[a];return r}var Ke={};function Ye(e,t){F(t,Ke.hasOwnProperty(e)?Ke[e]:Ke[e]={})}function Xe(e,t){if(!0===t)return t;if(e.copyState)return e.copyState(t);var n={};for(var r in t){var o=t[r];o instanceof Array&&(o=o.concat([])),n[r]=o}return n}function Je(e,t){for(var n;e.innerMode&&(n=e.innerMode(t))&&n.mode!=e;)t=n.state,e=n.mode;return n||{mode:e,state:t}}function Qe(e,t,n){return!e.startState||e.startState(t,n)}var et=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};function tt(e,t){if((t-=e.first)<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 o=n.children[r],i=o.chunkSize();if(t<i){n=o;break}t-=i}return n.lines[t]}function nt(e,t,n){var r=[],o=t.line;return e.iter(t.line,n.line+1,(function(e){var i=e.text;o==n.line&&(i=i.slice(0,n.ch)),o==t.line&&(i=i.slice(t.ch)),r.push(i),++o})),r}function rt(e,t,n){var r=[];return e.iter(t,n,(function(e){r.push(e.text)})),r}function ot(e,t){var n=t-e.height;if(n)for(var r=e;r;r=r.parent)r.height+=n}function it(e){if(null==e.parent)return null;for(var t=e.parent,n=U(t.lines,e),r=t.parent;r;t=r,r=r.parent)for(var o=0;r.children[o]!=t;++o)n+=r.children[o].chunkSize();return n+t.first}function at(e,t){var n=e.first;e:do{for(var r=0;r<e.children.length;++r){var o=e.children[r],i=o.height;if(t<i){e=o;continue e}t-=i,n+=o.chunkSize()}return n}while(!e.lines);for(var a=0;a<e.lines.length;++a){var l=e.lines[a].height;if(t<l)break;t-=l}return n+a}function lt(e,t){return t>=e.first&&t<e.first+e.size}function st(e,t){return String(e.lineNumberFormatter(t+e.firstLineNumber))}function ct(e,t,n){if(void 0===n&&(n=null),!(this instanceof ct))return new ct(e,t,n);this.line=e,this.ch=t,this.sticky=n}function ut(e,t){return e.line-t.line||e.ch-t.ch}function dt(e,t){return e.sticky==t.sticky&&0==ut(e,t)}function ht(e){return ct(e.line,e.ch)}function pt(e,t){return ut(e,t)<0?t:e}function ft(e,t){return ut(e,t)<0?e:t}function mt(e,t){return Math.max(e.first,Math.min(t,e.first+e.size-1))}function vt(e,t){if(t.line<e.first)return ct(e.first,0);var n=e.first+e.size-1;return t.line>n?ct(n,tt(e,n).text.length):gt(t,tt(e,t.line).text.length)}function gt(e,t){var n=e.ch;return null==n||n>t?ct(e.line,t):n<0?ct(e.line,0):e}function wt(e,t){for(var n=[],r=0;r<t.length;r++)n[r]=vt(e,t[r]);return n}et.prototype.eol=function(){return this.pos>=this.string.length},et.prototype.sol=function(){return this.pos==this.lineStart},et.prototype.peek=function(){return this.string.charAt(this.pos)||void 0},et.prototype.next=function(){if(this.pos<this.string.length)return this.string.charAt(this.pos++)},et.prototype.eat=function(e){var t=this.string.charAt(this.pos);if("string"==typeof e?t==e:t&&(e.test?e.test(t):e(t)))return++this.pos,t},et.prototype.eatWhile=function(e){for(var t=this.pos;this.eat(e););return this.pos>t},et.prototype.eatSpace=function(){for(var e=this.pos;/[\s\u00a0]/.test(this.string.charAt(this.pos));)++this.pos;return this.pos>e},et.prototype.skipToEnd=function(){this.pos=this.string.length},et.prototype.skipTo=function(e){var t=this.string.indexOf(e,this.pos);if(t>-1)return this.pos=t,!0},et.prototype.backUp=function(e){this.pos-=e},et.prototype.column=function(){return this.lastColumnPos<this.start&&(this.lastColumnValue=z(this.string,this.start,this.tabSize,this.lastColumnPos,this.lastColumnValue),this.lastColumnPos=this.start),this.lastColumnValue-(this.lineStart?z(this.string,this.lineStart,this.tabSize):0)},et.prototype.indentation=function(){return z(this.string,null,this.tabSize)-(this.lineStart?z(this.string,this.lineStart,this.tabSize):0)},et.prototype.match=function(e,t,n){if("string"!=typeof e){var r=this.string.slice(this.pos).match(e);return r&&r.index>0?null:(r&&!1!==t&&(this.pos+=r[0].length),r)}var o=function(e){return n?e.toLowerCase():e};if(o(this.string.substr(this.pos,e.length))==o(e))return!1!==t&&(this.pos+=e.length),!0},et.prototype.current=function(){return this.string.slice(this.start,this.pos)},et.prototype.hideFirstChars=function(e,t){this.lineStart+=e;try{return t()}finally{this.lineStart-=e}},et.prototype.lookAhead=function(e){var t=this.lineOracle;return t&&t.lookAhead(e)},et.prototype.baseToken=function(){var e=this.lineOracle;return e&&e.baseToken(this.pos)};var yt=function(e,t){this.state=e,this.lookAhead=t},bt=function(e,t,n,r){this.state=t,this.doc=e,this.line=n,this.maxLookAhead=r||0,this.baseTokens=null,this.baseTokenPos=1};function xt(e,t,n,r){var o=[e.state.modeGen],i={};Nt(e,t.text,e.doc.mode,n,(function(e,t){return o.push(e,t)}),i,r);for(var a=n.state,l=function(r){n.baseTokens=o;var l=e.state.overlays[r],s=1,c=0;n.state=!0,Nt(e,t.text,l.mode,n,(function(e,t){for(var n=s;c<e;){var r=o[s];r>e&&o.splice(s,1,e,o[s+1],r),s+=2,c=Math.min(e,r)}if(t)if(l.opaque)o.splice(n,s-n,e,"overlay "+t),s=n+2;else for(;n<s;n+=2){var i=o[n+1];o[n+1]=(i?i+" ":"")+"overlay "+t}}),i),n.state=a,n.baseTokens=null,n.baseTokenPos=1},s=0;s<e.state.overlays.length;++s)l(s);return{styles:o,classes:i.bgClass||i.textClass?i:null}}function kt(e,t,n){if(!t.styles||t.styles[0]!=e.state.modeGen){var r=Et(e,it(t)),o=t.text.length>e.options.maxHighlightLength&&Xe(e.doc.mode,r.state),i=xt(e,t,r);o&&(r.state=o),t.stateAfter=r.save(!o),t.styles=i.styles,i.classes?t.styleClasses=i.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 Et(e,t,n){var r=e.doc,o=e.display;if(!r.mode.startState)return new bt(r,!0,t);var i=Vt(e,t,n),a=i>r.first&&tt(r,i-1).stateAfter,l=a?bt.fromSaved(r,a,i):new bt(r,Qe(r.mode),i);return r.iter(i,t,(function(n){At(e,n.text,l);var r=l.line;n.stateAfter=r==t-1||r%5==0||r>=o.viewFrom&&r<o.viewTo?l.save():null,l.nextLine()})),n&&(r.modeFrontier=l.line),l}function At(e,t,n,r){var o=e.doc.mode,i=new et(t,e.options.tabSize,n);for(i.start=i.pos=r||0,""==t&&Ct(o,n.state);!i.eol();)Bt(o,i,n.state),i.start=i.pos}function Ct(e,t){if(e.blankLine)return e.blankLine(t);if(e.innerMode){var n=Je(e,t);return n.mode.blankLine?n.mode.blankLine(n.state):void 0}}function Bt(e,t,n,r){for(var o=0;o<10;o++){r&&(r[0]=Je(e,n).mode);var i=e.token(t,n);if(t.pos>t.start)return i}throw new Error("Mode "+e.name+" failed to advance stream.")}bt.prototype.lookAhead=function(e){var t=this.doc.getLine(this.line+e);return null!=t&&e>this.maxLookAhead&&(this.maxLookAhead=e),t},bt.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}},bt.prototype.nextLine=function(){this.line++,this.maxLookAhead>0&&this.maxLookAhead--},bt.fromSaved=function(e,t,n){return t instanceof yt?new bt(e,Xe(e.mode,t.state),n,t.lookAhead):new bt(e,Xe(e.mode,t),n)},bt.prototype.save=function(e){var t=!1!==e?Xe(this.doc.mode,this.state):this.state;return this.maxLookAhead>0?new yt(t,this.maxLookAhead):t};var Mt=function(e,t,n){this.start=e.start,this.end=e.pos,this.string=e.current(),this.type=t||null,this.state=n};function _t(e,t,n,r){var o,i,a=e.doc,l=a.mode,s=tt(a,(t=vt(a,t)).line),c=Et(e,t.line,n),u=new et(s.text,e.options.tabSize,c);for(r&&(i=[]);(r||u.pos<t.ch)&&!u.eol();)u.start=u.pos,o=Bt(l,u,c.state),r&&i.push(new Mt(u,o,Xe(a.mode,c.state)));return r?i:new Mt(u,o,c.state)}function St(e,t){if(e)for(;;){var n=e.match(/(?:^|\s+)line-(background-)?(\S+)/);if(!n)break;e=e.slice(0,n.index)+e.slice(n.index+n[0].length);var r=n[1]?"bgClass":"textClass";null==t[r]?t[r]=n[2]:new RegExp("(?:^|\\s)"+n[2]+"(?:$|\\s)").test(t[r])||(t[r]+=" "+n[2])}return e}function Nt(e,t,n,r,o,i,a){var l=n.flattenSpans;null==l&&(l=e.options.flattenSpans);var s,c=0,u=null,d=new et(t,e.options.tabSize,r),h=e.options.addModeClass&&[null];for(""==t&&St(Ct(n,r.state),i);!d.eol();){if(d.pos>e.options.maxHighlightLength?(l=!1,a&&At(e,t,r,d.pos),d.pos=t.length,s=null):s=St(Bt(n,d,r.state,h),i),h){var p=h[0].name;p&&(s="m-"+(s?p+" "+s:p))}if(!l||u!=s){for(;c<d.start;)o(c=Math.min(d.start,c+5e3),u);u=s}d.start=d.pos}for(;c<d.pos;){var f=Math.min(d.pos,c+5e3);o(f,u),c=f}}function Vt(e,t,n){for(var r,o,i=e.doc,a=n?-1:t-(e.doc.mode.innerMode?1e3:100),l=t;l>a;--l){if(l<=i.first)return i.first;var s=tt(i,l-1),c=s.stateAfter;if(c&&(!n||l+(c instanceof yt?c.lookAhead:0)<=i.modeFrontier))return l;var u=z(s.text,null,e.options.tabSize);(null==o||r>u)&&(o=l-1,r=u)}return o}function Lt(e,t){if(e.modeFrontier=Math.min(e.modeFrontier,t),!(e.highlightFrontier<t-10)){for(var n=e.first,r=t-1;r>n;r--){var o=tt(e,r).stateAfter;if(o&&(!(o instanceof yt)||r+o.lookAhead<t)){n=r+1;break}}e.highlightFrontier=Math.min(e.highlightFrontier,n)}}var Tt=!1,It=!1;function Zt(){Tt=!0}function Ot(){It=!0}function Dt(e,t,n){this.marker=e,this.from=t,this.to=n}function Rt(e,t){if(e)for(var n=0;n<e.length;++n){var r=e[n];if(r.marker==t)return r}}function Ht(e,t){for(var n,r=0;r<e.length;++r)e[r]!=t&&(n||(n=[])).push(e[r]);return n}function Pt(e,t,n){var r=n&&window.WeakSet&&(n.markedSpans||(n.markedSpans=new WeakSet));r&&e.markedSpans&&r.has(e.markedSpans)?e.markedSpans.push(t):(e.markedSpans=e.markedSpans?e.markedSpans.concat([t]):[t],r&&r.add(e.markedSpans)),t.marker.attachLine(e)}function jt(e,t,n){var r;if(e)for(var o=0;o<e.length;++o){var i=e[o],a=i.marker;if(null==i.from||(a.inclusiveLeft?i.from<=t:i.from<t)||i.from==t&&"bookmark"==a.type&&(!n||!i.marker.insertLeft)){var l=null==i.to||(a.inclusiveRight?i.to>=t:i.to>t);(r||(r=[])).push(new Dt(a,i.from,l?null:i.to))}}return r}function Ft(e,t,n){var r;if(e)for(var o=0;o<e.length;++o){var i=e[o],a=i.marker;if(null==i.to||(a.inclusiveRight?i.to>=t:i.to>t)||i.from==t&&"bookmark"==a.type&&(!n||i.marker.insertLeft)){var l=null==i.from||(a.inclusiveLeft?i.from<=t:i.from<t);(r||(r=[])).push(new Dt(a,l?null:i.from-t,null==i.to?null:i.to-t))}}return r}function zt(e,t){if(t.full)return null;var n=lt(e,t.from.line)&&tt(e,t.from.line).markedSpans,r=lt(e,t.to.line)&&tt(e,t.to.line).markedSpans;if(!n&&!r)return null;var o=t.from.ch,i=t.to.ch,a=0==ut(t.from,t.to),l=jt(n,o,a),s=Ft(r,i,a),c=1==t.text.length,u=ee(t.text).length+(c?o:0);if(l)for(var d=0;d<l.length;++d){var h=l[d];if(null==h.to){var p=Rt(s,h.marker);p?c&&(h.to=null==p.to?null:p.to+u):h.to=o}}if(s)for(var f=0;f<s.length;++f){var m=s[f];null!=m.to&&(m.to+=u),null==m.from?Rt(l,m.marker)||(m.from=u,c&&(l||(l=[])).push(m)):(m.from+=u,c&&(l||(l=[])).push(m))}l&&(l=qt(l)),s&&s!=l&&(s=qt(s));var v=[l];if(!c){var g,w=t.text.length-2;if(w>0&&l)for(var y=0;y<l.length;++y)null==l[y].to&&(g||(g=[])).push(new Dt(l[y].marker,null,null));for(var b=0;b<w;++b)v.push(g);v.push(s)}return v}function qt(e){for(var t=0;t<e.length;++t){var n=e[t];null!=n.from&&n.from==n.to&&!1!==n.marker.clearWhenEmpty&&e.splice(t--,1)}return e.length?e:null}function Ut(e,t,n){var r=null;if(e.iter(t.line,n.line+1,(function(e){if(e.markedSpans)for(var t=0;t<e.markedSpans.length;++t){var n=e.markedSpans[t].marker;!n.readOnly||r&&-1!=U(r,n)||(r||(r=[])).push(n)}})),!r)return null;for(var o=[{from:t,to:n}],i=0;i<r.length;++i)for(var a=r[i],l=a.find(0),s=0;s<o.length;++s){var c=o[s];if(!(ut(c.to,l.from)<0||ut(c.from,l.to)>0)){var u=[s,1],d=ut(c.from,l.from),h=ut(c.to,l.to);(d<0||!a.inclusiveLeft&&!d)&&u.push({from:c.from,to:l.from}),(h>0||!a.inclusiveRight&&!h)&&u.push({from:l.to,to:c.to}),o.splice.apply(o,u),s+=u.length-3}}return o}function $t(e){var t=e.markedSpans;if(t){for(var n=0;n<t.length;++n)t[n].marker.detachLine(e);e.markedSpans=null}}function Wt(e,t){if(t){for(var n=0;n<t.length;++n)t[n].marker.attachLine(e);e.markedSpans=t}}function Gt(e){return e.inclusiveLeft?-1:0}function Kt(e){return e.inclusiveRight?1:0}function Yt(e,t){var n=e.lines.length-t.lines.length;if(0!=n)return n;var r=e.find(),o=t.find(),i=ut(r.from,o.from)||Gt(e)-Gt(t);if(i)return-i;var a=ut(r.to,o.to)||Kt(e)-Kt(t);return a||t.id-e.id}function Xt(e,t){var n,r=It&&e.markedSpans;if(r)for(var o=void 0,i=0;i<r.length;++i)(o=r[i]).marker.collapsed&&null==(t?o.from:o.to)&&(!n||Yt(n,o.marker)<0)&&(n=o.marker);return n}function Jt(e){return Xt(e,!0)}function Qt(e){return Xt(e,!1)}function en(e,t){var n,r=It&&e.markedSpans;if(r)for(var o=0;o<r.length;++o){var i=r[o];i.marker.collapsed&&(null==i.from||i.from<t)&&(null==i.to||i.to>t)&&(!n||Yt(n,i.marker)<0)&&(n=i.marker)}return n}function tn(e,t,n,r,o){var i=tt(e,t),a=It&&i.markedSpans;if(a)for(var l=0;l<a.length;++l){var s=a[l];if(s.marker.collapsed){var c=s.marker.find(0),u=ut(c.from,n)||Gt(s.marker)-Gt(o),d=ut(c.to,r)||Kt(s.marker)-Kt(o);if(!(u>=0&&d<=0||u<=0&&d>=0)&&(u<=0&&(s.marker.inclusiveRight&&o.inclusiveLeft?ut(c.to,n)>=0:ut(c.to,n)>0)||u>=0&&(s.marker.inclusiveRight&&o.inclusiveLeft?ut(c.from,r)<=0:ut(c.from,r)<0)))return!0}}}function nn(e){for(var t;t=Jt(e);)e=t.find(-1,!0).line;return e}function rn(e){for(var t;t=Qt(e);)e=t.find(1,!0).line;return e}function on(e){for(var t,n;t=Qt(e);)e=t.find(1,!0).line,(n||(n=[])).push(e);return n}function an(e,t){var n=tt(e,t),r=nn(n);return n==r?t:it(r)}function ln(e,t){if(t>e.lastLine())return t;var n,r=tt(e,t);if(!sn(e,r))return t;for(;n=Qt(r);)r=n.find(1,!0).line;return it(r)+1}function sn(e,t){var n=It&&t.markedSpans;if(n)for(var r=void 0,o=0;o<n.length;++o)if((r=n[o]).marker.collapsed){if(null==r.from)return!0;if(!r.marker.widgetNode&&0==r.from&&r.marker.inclusiveLeft&&cn(e,t,r))return!0}}function cn(e,t,n){if(null==n.to){var r=n.marker.find(1,!0);return cn(e,r.line,Rt(r.line.markedSpans,n.marker))}if(n.marker.inclusiveRight&&n.to==t.text.length)return!0;for(var o=void 0,i=0;i<t.markedSpans.length;++i)if((o=t.markedSpans[i]).marker.collapsed&&!o.marker.widgetNode&&o.from==n.to&&(null==o.to||o.to!=n.from)&&(o.marker.inclusiveLeft||n.marker.inclusiveRight)&&cn(e,t,o))return!0}function un(e){for(var t=0,n=(e=nn(e)).parent,r=0;r<n.lines.length;++r){var o=n.lines[r];if(o==e)break;t+=o.height}for(var i=n.parent;i;i=(n=i).parent)for(var a=0;a<i.children.length;++a){var l=i.children[a];if(l==n)break;t+=l.height}return t}function dn(e){if(0==e.height)return 0;for(var t,n=e.text.length,r=e;t=Jt(r);){var o=t.find(0,!0);r=o.from.line,n+=o.from.ch-o.to.ch}for(r=e;t=Qt(r);){var i=t.find(0,!0);n-=r.text.length-i.from.ch,n+=(r=i.to.line).text.length-i.to.ch}return n}function hn(e){var t=e.display,n=e.doc;t.maxLine=tt(n,n.first),t.maxLineLength=dn(t.maxLine),t.maxLineChanged=!0,n.iter((function(e){var n=dn(e);n>t.maxLineLength&&(t.maxLineLength=n,t.maxLine=e)}))}var pn=function(e,t,n){this.text=e,Wt(this,t),this.height=n?n(this):1};function fn(e,t,n,r){e.text=t,e.stateAfter&&(e.stateAfter=null),e.styles&&(e.styles=null),null!=e.order&&(e.order=null),$t(e),Wt(e,n);var o=r?r(e):1;o!=e.height&&ot(e,o)}function mn(e){e.parent=null,$t(e)}pn.prototype.lineNo=function(){return it(this)},Be(pn);var vn={},gn={};function wn(e,t){if(!e||/^\s*$/.test(e))return null;var n=t.addModeClass?gn:vn;return n[e]||(n[e]=e.replace(/\S+/g,"cm-$&"))}function yn(e,t){var n=V("span",null,null,s?"padding-right: .1px":null),r={pre:V("pre",[n],"CodeMirror-line"),content:n,col:0,pos:0,cm:e,trailingSpace:!1,splitSpaces:e.getOption("lineWrapping")};t.measure={};for(var o=0;o<=(t.rest?t.rest.length:0);o++){var i=o?t.rest[o-1]:t.line,a=void 0;r.pos=0,r.addToken=xn,De(e.display.measure)&&(a=ge(i,e.doc.direction))&&(r.addToken=En(r.addToken,a)),r.map=[],Cn(i,r,kt(e,i,t!=e.display.externalMeasured&&it(i))),i.styleClasses&&(i.styleClasses.bgClass&&(r.bgClass=Z(i.styleClasses.bgClass,r.bgClass||"")),i.styleClasses.textClass&&(r.textClass=Z(i.styleClasses.textClass,r.textClass||""))),0==r.map.length&&r.map.push(0,0,r.content.appendChild(Oe(e.display.measure))),0==o?(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(s){var l=r.content.lastChild;(/\bcm-tab\b/.test(l.className)||l.querySelector&&l.querySelector(".cm-tab"))&&(r.content.className="cm-tab-wrap-hack")}return ke(e,"renderLine",e,t.line,r.pre),r.pre.className&&(r.textClass=Z(r.pre.className,r.textClass||"")),r}function bn(e){var t=N("span","•","cm-invalidchar");return t.title="\\u"+e.charCodeAt(0).toString(16),t.setAttribute("aria-label",t.title),t}function xn(e,t,n,r,o,i,s){if(t){var c,u=e.splitSpaces?kn(t,e.trailingSpace):t,d=e.cm.state.specialChars,h=!1;if(d.test(t)){c=document.createDocumentFragment();for(var p=0;;){d.lastIndex=p;var f=d.exec(t),m=f?f.index-p:t.length-p;if(m){var v=document.createTextNode(u.slice(p,p+m));a&&l<9?c.appendChild(N("span",[v])):c.appendChild(v),e.map.push(e.pos,e.pos+m,v),e.col+=m,e.pos+=m}if(!f)break;p+=m+1;var g=void 0;if("\t"==f[0]){var w=e.cm.options.tabSize,y=w-e.col%w;(g=c.appendChild(N("span",Q(y),"cm-tab"))).setAttribute("role","presentation"),g.setAttribute("cm-text","\t"),e.col+=y}else"\r"==f[0]||"\n"==f[0]?((g=c.appendChild(N("span","\r"==f[0]?"␍":"␤","cm-invalidchar"))).setAttribute("cm-text",f[0]),e.col+=1):((g=e.cm.options.specialCharPlaceholder(f[0])).setAttribute("cm-text",f[0]),a&&l<9?c.appendChild(N("span",[g])):c.appendChild(g),e.col+=1);e.map.push(e.pos,e.pos+1,g),e.pos++}}else e.col+=t.length,c=document.createTextNode(u),e.map.push(e.pos,e.pos+t.length,c),a&&l<9&&(h=!0),e.pos+=t.length;if(e.trailingSpace=32==u.charCodeAt(t.length-1),n||r||o||h||i||s){var b=n||"";r&&(b+=r),o&&(b+=o);var x=N("span",[c],b,i);if(s)for(var k in s)s.hasOwnProperty(k)&&"style"!=k&&"class"!=k&&x.setAttribute(k,s[k]);return e.content.appendChild(x)}e.content.appendChild(c)}}function kn(e,t){if(e.length>1&&!/  /.test(e))return e;for(var n=t,r="",o=0;o<e.length;o++){var i=e.charAt(o);" "!=i||!n||o!=e.length-1&&32!=e.charCodeAt(o+1)||(i=" "),r+=i,n=" "==i}return r}function En(e,t){return function(n,r,o,i,a,l,s){o=o?o+" cm-force-border":"cm-force-border";for(var c=n.pos,u=c+r.length;;){for(var d=void 0,h=0;h<t.length&&!((d=t[h]).to>c&&d.from<=c);h++);if(d.to>=u)return e(n,r,o,i,a,l,s);e(n,r.slice(0,d.to-c),o,i,null,l,s),i=null,r=r.slice(d.to-c),c=d.to}}}function An(e,t,n,r){var o=!r&&n.widgetNode;o&&e.map.push(e.pos,e.pos+t,o),!r&&e.cm.display.input.needsContentAttribute&&(o||(o=e.content.appendChild(document.createElement("span"))),o.setAttribute("cm-marker",n.id)),o&&(e.cm.display.input.setUneditable(o),e.content.appendChild(o)),e.pos+=t,e.trailingSpace=!1}function Cn(e,t,n){var r=e.markedSpans,o=e.text,i=0;if(r)for(var a,l,s,c,u,d,h,p=o.length,f=0,m=1,v="",g=0;;){if(g==f){s=c=u=l="",h=null,d=null,g=1/0;for(var w=[],y=void 0,b=0;b<r.length;++b){var x=r[b],k=x.marker;if("bookmark"==k.type&&x.from==f&&k.widgetNode)w.push(k);else if(x.from<=f&&(null==x.to||x.to>f||k.collapsed&&x.to==f&&x.from==f)){if(null!=x.to&&x.to!=f&&g>x.to&&(g=x.to,c=""),k.className&&(s+=" "+k.className),k.css&&(l=(l?l+";":"")+k.css),k.startStyle&&x.from==f&&(u+=" "+k.startStyle),k.endStyle&&x.to==g&&(y||(y=[])).push(k.endStyle,x.to),k.title&&((h||(h={})).title=k.title),k.attributes)for(var E in k.attributes)(h||(h={}))[E]=k.attributes[E];k.collapsed&&(!d||Yt(d.marker,k)<0)&&(d=x)}else x.from>f&&g>x.from&&(g=x.from)}if(y)for(var A=0;A<y.length;A+=2)y[A+1]==g&&(c+=" "+y[A]);if(!d||d.from==f)for(var C=0;C<w.length;++C)An(t,0,w[C]);if(d&&(d.from||0)==f){if(An(t,(null==d.to?p+1:d.to)-f,d.marker,null==d.from),null==d.to)return;d.to==f&&(d=!1)}}if(f>=p)break;for(var B=Math.min(p,g);;){if(v){var M=f+v.length;if(!d){var _=M>B?v.slice(0,B-f):v;t.addToken(t,_,a?a+s:s,u,f+_.length==g?c:"",l,h)}if(M>=B){v=v.slice(B-f),f=B;break}f=M,u=""}v=o.slice(i,i=n[m++]),a=wn(n[m++],t.cm.options)}}else for(var S=1;S<n.length;S+=2)t.addToken(t,o.slice(i,i=n[S]),wn(n[S+1],t.cm.options))}function Bn(e,t,n){this.line=t,this.rest=on(t),this.size=this.rest?it(ee(this.rest))-n+1:1,this.node=this.text=null,this.hidden=sn(e,t)}function Mn(e,t,n){for(var r,o=[],i=t;i<n;i=r){var a=new Bn(e.doc,tt(e.doc,i),i);r=i+a.size,o.push(a)}return o}var _n=null;function Sn(e){_n?_n.ops.push(e):e.ownsGroup=_n={ops:[e],delayedCallbacks:[]}}function Nn(e){var t=e.delayedCallbacks,n=0;do{for(;n<t.length;n++)t[n].call(null);for(var r=0;r<e.ops.length;r++){var o=e.ops[r];if(o.cursorActivityHandlers)for(;o.cursorActivityCalled<o.cursorActivityHandlers.length;)o.cursorActivityHandlers[o.cursorActivityCalled++].call(null,o.cm)}}while(n<t.length)}function Vn(e,t){var n=e.ownsGroup;if(n)try{Nn(n)}finally{_n=null,t(n)}}var Ln=null;function Tn(e,t){var n=be(e,t);if(n.length){var r,o=Array.prototype.slice.call(arguments,2);_n?r=_n.delayedCallbacks:Ln?r=Ln:(r=Ln=[],setTimeout(In,0));for(var i=function(e){r.push((function(){return n[e].apply(null,o)}))},a=0;a<n.length;++a)i(a)}}function In(){var e=Ln;Ln=null;for(var t=0;t<e.length;++t)e[t]()}function Zn(e,t,n,r){for(var o=0;o<t.changes.length;o++){var i=t.changes[o];"text"==i?Hn(e,t):"gutter"==i?jn(e,t,n,r):"class"==i?Pn(e,t):"widget"==i&&Fn(e,t,r)}t.changes=null}function On(e){return e.node==e.text&&(e.node=N("div",null,null,"position: relative"),e.text.parentNode&&e.text.parentNode.replaceChild(e.node,e.text),e.node.appendChild(e.text),a&&l<8&&(e.node.style.zIndex=2)),e.node}function Dn(e,t){var n=t.bgClass?t.bgClass+" "+(t.line.bgClass||""):t.line.bgClass;if(n&&(n+=" CodeMirror-linebackground"),t.background)n?t.background.className=n:(t.background.parentNode.removeChild(t.background),t.background=null);else if(n){var r=On(t);t.background=r.insertBefore(N("div",null,n),r.firstChild),e.display.input.setUneditable(t.background)}}function Rn(e,t){var n=e.display.externalMeasured;return n&&n.line==t.line?(e.display.externalMeasured=null,t.measure=n.measure,n.built):yn(e,t)}function Hn(e,t){var n=t.text.className,r=Rn(e,t);t.text==t.node&&(t.node=r.pre),t.text.parentNode.replaceChild(r.pre,t.text),t.text=r.pre,r.bgClass!=t.bgClass||r.textClass!=t.textClass?(t.bgClass=r.bgClass,t.textClass=r.textClass,Pn(e,t)):n&&(t.text.className=n)}function Pn(e,t){Dn(e,t),t.line.wrapClass?On(t).className=t.line.wrapClass:t.node!=t.text&&(t.node.className="");var n=t.textClass?t.textClass+" "+(t.line.textClass||""):t.line.textClass;t.text.className=n||""}function jn(e,t,n,r){if(t.gutter&&(t.node.removeChild(t.gutter),t.gutter=null),t.gutterBackground&&(t.node.removeChild(t.gutterBackground),t.gutterBackground=null),t.line.gutterClass){var o=On(t);t.gutterBackground=N("div",null,"CodeMirror-gutter-background "+t.line.gutterClass,"left: "+(e.options.fixedGutter?r.fixedPos:-r.gutterTotalWidth)+"px; width: "+r.gutterTotalWidth+"px"),e.display.input.setUneditable(t.gutterBackground),o.insertBefore(t.gutterBackground,t.text)}var i=t.line.gutterMarkers;if(e.options.lineNumbers||i){var a=On(t),l=t.gutter=N("div",null,"CodeMirror-gutter-wrapper","left: "+(e.options.fixedGutter?r.fixedPos:-r.gutterTotalWidth)+"px");if(l.setAttribute("aria-hidden","true"),e.display.input.setUneditable(l),a.insertBefore(l,t.text),t.line.gutterClass&&(l.className+=" "+t.line.gutterClass),!e.options.lineNumbers||i&&i["CodeMirror-linenumbers"]||(t.lineNumber=l.appendChild(N("div",st(e.options,n),"CodeMirror-linenumber CodeMirror-gutter-elt","left: "+r.gutterLeft["CodeMirror-linenumbers"]+"px; width: "+e.display.lineNumInnerWidth+"px"))),i)for(var s=0;s<e.display.gutterSpecs.length;++s){var c=e.display.gutterSpecs[s].className,u=i.hasOwnProperty(c)&&i[c];u&&l.appendChild(N("div",[u],"CodeMirror-gutter-elt","left: "+r.gutterLeft[c]+"px; width: "+r.gutterWidth[c]+"px"))}}}function Fn(e,t,n){t.alignable&&(t.alignable=null);for(var r=C("CodeMirror-linewidget"),o=t.node.firstChild,i=void 0;o;o=i)i=o.nextSibling,r.test(o.className)&&t.node.removeChild(o);qn(e,t,n)}function zn(e,t,n,r){var o=Rn(e,t);return t.text=t.node=o.pre,o.bgClass&&(t.bgClass=o.bgClass),o.textClass&&(t.textClass=o.textClass),Pn(e,t),jn(e,t,n,r),qn(e,t,r),t.node}function qn(e,t,n){if(Un(e,t.line,t,n,!0),t.rest)for(var r=0;r<t.rest.length;r++)Un(e,t.rest[r],t,n,!1)}function Un(e,t,n,r,o){if(t.widgets)for(var i=On(n),a=0,l=t.widgets;a<l.length;++a){var s=l[a],c=N("div",[s.node],"CodeMirror-linewidget"+(s.className?" "+s.className:""));s.handleMouseEvents||c.setAttribute("cm-ignore-events","true"),$n(s,c,n,r),e.display.input.setUneditable(c),o&&s.above?i.insertBefore(c,n.gutter||n.text):i.appendChild(c),Tn(s,"redraw")}}function $n(e,t,n,r){if(e.noHScroll){(n.alignable||(n.alignable=[])).push(t);var o=r.wrapperWidth;t.style.left=r.fixedPos+"px",e.coverGutter||(o-=r.gutterTotalWidth,t.style.paddingLeft=r.gutterTotalWidth+"px"),t.style.width=o+"px"}e.coverGutter&&(t.style.zIndex=5,t.style.position="relative",e.noHScroll||(t.style.marginLeft=-r.gutterTotalWidth+"px"))}function Wn(e){if(null!=e.height)return e.height;var t=e.doc.cm;if(!t)return 0;if(!L(document.body,e.node)){var n="position: relative;";e.coverGutter&&(n+="margin-left: -"+t.display.gutters.offsetWidth+"px;"),e.noHScroll&&(n+="width: "+t.display.wrapper.clientWidth+"px;"),S(t.display.measure,N("div",[e.node],null,n))}return e.height=e.node.parentNode.offsetHeight}function Gn(e,t){for(var n=Ve(t);n!=e.wrapper;n=n.parentNode)if(!n||1==n.nodeType&&"true"==n.getAttribute("cm-ignore-events")||n.parentNode==e.sizer&&n!=e.mover)return!0}function Kn(e){return e.lineSpace.offsetTop}function Yn(e){return e.mover.offsetHeight-e.lineSpace.offsetHeight}function Xn(e){if(e.cachedPaddingH)return e.cachedPaddingH;var t=S(e.measure,N("pre","x","CodeMirror-line-like")),n=window.getComputedStyle?window.getComputedStyle(t):t.currentStyle,r={left:parseInt(n.paddingLeft),right:parseInt(n.paddingRight)};return isNaN(r.left)||isNaN(r.right)||(e.cachedPaddingH=r),r}function Jn(e){return $-e.display.nativeBarWidth}function Qn(e){return e.display.scroller.clientWidth-Jn(e)-e.display.barWidth}function er(e){return e.display.scroller.clientHeight-Jn(e)-e.display.barHeight}function tr(e,t,n){var r=e.options.lineWrapping,o=r&&Qn(e);if(!t.measure.heights||r&&t.measure.width!=o){var i=t.measure.heights=[];if(r){t.measure.width=o;for(var a=t.text.firstChild.getClientRects(),l=0;l<a.length-1;l++){var s=a[l],c=a[l+1];Math.abs(s.bottom-c.bottom)>2&&i.push((s.bottom+c.top)/2-n.top)}}i.push(n.bottom-n.top)}}function nr(e,t,n){if(e.line==t)return{map:e.measure.map,cache:e.measure.cache};if(e.rest){for(var r=0;r<e.rest.length;r++)if(e.rest[r]==t)return{map:e.measure.maps[r],cache:e.measure.caches[r]};for(var o=0;o<e.rest.length;o++)if(it(e.rest[o])>n)return{map:e.measure.maps[o],cache:e.measure.caches[o],before:!0}}}function rr(e,t){var n=it(t=nn(t)),r=e.display.externalMeasured=new Bn(e.doc,t,n);r.lineN=n;var o=r.built=yn(e,r);return r.text=o.pre,S(e.display.lineMeasure,o.pre),r}function or(e,t,n,r){return lr(e,ar(e,t),n,r)}function ir(e,t){if(t>=e.display.viewFrom&&t<e.display.viewTo)return e.display.view[Pr(e,t)];var n=e.display.externalMeasured;return n&&t>=n.lineN&&t<n.lineN+n.size?n:void 0}function ar(e,t){var n=it(t),r=ir(e,n);r&&!r.text?r=null:r&&r.changes&&(Zn(e,r,n,Zr(e)),e.curOp.forceUpdate=!0),r||(r=rr(e,t));var o=nr(r,t,n);return{line:t,view:r,rect:null,map:o.map,cache:o.cache,before:o.before,hasHeights:!1}}function lr(e,t,n,r,o){t.before&&(n=-1);var i,a=n+(r||"");return t.cache.hasOwnProperty(a)?i=t.cache[a]:(t.rect||(t.rect=t.view.text.getBoundingClientRect()),t.hasHeights||(tr(e,t.view,t.rect),t.hasHeights=!0),(i=hr(e,t,n,r)).bogus||(t.cache[a]=i)),{left:i.left,right:i.right,top:o?i.rtop:i.top,bottom:o?i.rbottom:i.bottom}}var sr,cr={left:0,right:0,top:0,bottom:0};function ur(e,t,n){for(var r,o,i,a,l,s,c=0;c<e.length;c+=3)if(l=e[c],s=e[c+1],t<l?(o=0,i=1,a="left"):t<s?i=1+(o=t-l):(c==e.length-3||t==s&&e[c+3]>t)&&(o=(i=s-l)-1,t>=s&&(a="right")),null!=o){if(r=e[c+2],l==s&&n==(r.insertLeft?"left":"right")&&(a=n),"left"==n&&0==o)for(;c&&e[c-2]==e[c-3]&&e[c-1].insertLeft;)r=e[2+(c-=3)],a="left";if("right"==n&&o==s-l)for(;c<e.length-3&&e[c+3]==e[c+4]&&!e[c+5].insertLeft;)r=e[(c+=3)+2],a="right";break}return{node:r,start:o,end:i,collapse:a,coverStart:l,coverEnd:s}}function dr(e,t){var n=cr;if("left"==t)for(var r=0;r<e.length&&(n=e[r]).left==n.right;r++);else for(var o=e.length-1;o>=0&&(n=e[o]).left==n.right;o--);return n}function hr(e,t,n,r){var o,i=ur(t.map,n,r),s=i.node,c=i.start,u=i.end,d=i.collapse;if(3==s.nodeType){for(var h=0;h<4;h++){for(;c&&ue(t.line.text.charAt(i.coverStart+c));)--c;for(;i.coverStart+u<i.coverEnd&&ue(t.line.text.charAt(i.coverStart+u));)++u;if((o=a&&l<9&&0==c&&u==i.coverEnd-i.coverStart?s.parentNode.getBoundingClientRect():dr(B(s,c,u).getClientRects(),r)).left||o.right||0==c)break;u=c,c-=1,d="right"}a&&l<11&&(o=pr(e.display.measure,o))}else{var p;c>0&&(d=r="right"),o=e.options.lineWrapping&&(p=s.getClientRects()).length>1?p["right"==r?p.length-1:0]:s.getBoundingClientRect()}if(a&&l<9&&!c&&(!o||!o.left&&!o.right)){var f=s.parentNode.getClientRects()[0];o=f?{left:f.left,right:f.left+Ir(e.display),top:f.top,bottom:f.bottom}:cr}for(var m=o.top-t.rect.top,v=o.bottom-t.rect.top,g=(m+v)/2,w=t.view.measure.heights,y=0;y<w.length-1&&!(g<w[y]);y++);var b=y?w[y-1]:0,x=w[y],k={left:("right"==d?o.right:o.left)-t.rect.left,right:("left"==d?o.left:o.right)-t.rect.left,top:b,bottom:x};return o.left||o.right||(k.bogus=!0),e.options.singleCursorHeightPerLine||(k.rtop=m,k.rbottom=v),k}function pr(e,t){if(!window.screen||null==screen.logicalXDPI||screen.logicalXDPI==screen.deviceXDPI||!Fe(e))return t;var n=screen.logicalXDPI/screen.deviceXDPI,r=screen.logicalYDPI/screen.deviceYDPI;return{left:t.left*n,right:t.right*n,top:t.top*r,bottom:t.bottom*r}}function fr(e){if(e.measure&&(e.measure.cache={},e.measure.heights=null,e.rest))for(var t=0;t<e.rest.length;t++)e.measure.caches[t]={}}function mr(e){e.display.externalMeasure=null,_(e.display.lineMeasure);for(var t=0;t<e.display.view.length;t++)fr(e.display.view[t])}function vr(e){mr(e),e.display.cachedCharWidth=e.display.cachedTextHeight=e.display.cachedPaddingH=null,e.options.lineWrapping||(e.display.maxLineChanged=!0),e.display.lineNumChars=null}function gr(e){return u&&g?-(e.body.getBoundingClientRect().left-parseInt(getComputedStyle(e.body).marginLeft)):e.defaultView.pageXOffset||(e.documentElement||e.body).scrollLeft}function wr(e){return u&&g?-(e.body.getBoundingClientRect().top-parseInt(getComputedStyle(e.body).marginTop)):e.defaultView.pageYOffset||(e.documentElement||e.body).scrollTop}function yr(e){var t=nn(e).widgets,n=0;if(t)for(var r=0;r<t.length;++r)t[r].above&&(n+=Wn(t[r]));return n}function br(e,t,n,r,o){if(!o){var i=yr(t);n.top+=i,n.bottom+=i}if("line"==r)return n;r||(r="local");var a=un(t);if("local"==r?a+=Kn(e.display):a-=e.display.viewOffset,"page"==r||"window"==r){var l=e.display.lineSpace.getBoundingClientRect();a+=l.top+("window"==r?0:wr(D(e)));var s=l.left+("window"==r?0:gr(D(e)));n.left+=s,n.right+=s}return n.top+=a,n.bottom+=a,n}function xr(e,t,n){if("div"==n)return t;var r=t.left,o=t.top;if("page"==n)r-=gr(D(e)),o-=wr(D(e));else if("local"==n||!n){var i=e.display.sizer.getBoundingClientRect();r+=i.left,o+=i.top}var a=e.display.lineSpace.getBoundingClientRect();return{left:r-a.left,top:o-a.top}}function kr(e,t,n,r,o){return r||(r=tt(e.doc,t.line)),br(e,r,or(e,r,t.ch,o),n)}function Er(e,t,n,r,o,i){function a(t,a){var l=lr(e,o,t,a?"right":"left",i);return a?l.left=l.right:l.right=l.left,br(e,r,l,n)}r=r||tt(e.doc,t.line),o||(o=ar(e,r));var l=ge(r,e.doc.direction),s=t.ch,c=t.sticky;if(s>=r.text.length?(s=r.text.length,c="before"):s<=0&&(s=0,c="after"),!l)return a("before"==c?s-1:s,"before"==c);function u(e,t,n){return a(n?e-1:e,1==l[t].level!=n)}var d=me(l,s,c),h=fe,p=u(s,d,"before"==c);return null!=h&&(p.other=u(s,h,"before"!=c)),p}function Ar(e,t){var n=0;t=vt(e.doc,t),e.options.lineWrapping||(n=Ir(e.display)*t.ch);var r=tt(e.doc,t.line),o=un(r)+Kn(e.display);return{left:n,right:n,top:o,bottom:o+r.height}}function Cr(e,t,n,r,o){var i=ct(e,t,n);return i.xRel=o,r&&(i.outside=r),i}function Br(e,t,n){var r=e.doc;if((n+=e.display.viewOffset)<0)return Cr(r.first,0,null,-1,-1);var o=at(r,n),i=r.first+r.size-1;if(o>i)return Cr(r.first+r.size-1,tt(r,i).text.length,null,1,1);t<0&&(t=0);for(var a=tt(r,o);;){var l=Nr(e,a,o,t,n),s=en(a,l.ch+(l.xRel>0||l.outside>0?1:0));if(!s)return l;var c=s.find(1);if(c.line==o)return c;a=tt(r,o=c.line)}}function Mr(e,t,n,r){r-=yr(t);var o=t.text.length,i=he((function(t){return lr(e,n,t-1).bottom<=r}),o,0);return{begin:i,end:o=he((function(t){return lr(e,n,t).top>r}),i,o)}}function _r(e,t,n,r){return n||(n=ar(e,t)),Mr(e,t,n,br(e,t,lr(e,n,r),"line").top)}function Sr(e,t,n,r){return!(e.bottom<=n)&&(e.top>n||(r?e.left:e.right)>t)}function Nr(e,t,n,r,o){o-=un(t);var i=ar(e,t),a=yr(t),l=0,s=t.text.length,c=!0,u=ge(t,e.doc.direction);if(u){var d=(e.options.lineWrapping?Lr:Vr)(e,t,n,i,u,r,o);l=(c=1!=d.level)?d.from:d.to-1,s=c?d.to:d.from-1}var h,p,f=null,m=null,v=he((function(t){var n=lr(e,i,t);return n.top+=a,n.bottom+=a,!!Sr(n,r,o,!1)&&(n.top<=o&&n.left<=r&&(f=t,m=n),!0)}),l,s),g=!1;if(m){var w=r-m.left<m.right-r,y=w==c;v=f+(y?0:1),p=y?"after":"before",h=w?m.left:m.right}else{c||v!=s&&v!=l||v++,p=0==v?"after":v==t.text.length?"before":lr(e,i,v-(c?1:0)).bottom+a<=o==c?"after":"before";var b=Er(e,ct(n,v,p),"line",t,i);h=b.left,g=o<b.top?-1:o>=b.bottom?1:0}return Cr(n,v=de(t.text,v,1),p,g,r-h)}function Vr(e,t,n,r,o,i,a){var l=he((function(l){var s=o[l],c=1!=s.level;return Sr(Er(e,ct(n,c?s.to:s.from,c?"before":"after"),"line",t,r),i,a,!0)}),0,o.length-1),s=o[l];if(l>0){var c=1!=s.level,u=Er(e,ct(n,c?s.from:s.to,c?"after":"before"),"line",t,r);Sr(u,i,a,!0)&&u.top>a&&(s=o[l-1])}return s}function Lr(e,t,n,r,o,i,a){var l=Mr(e,t,r,a),s=l.begin,c=l.end;/\s/.test(t.text.charAt(c-1))&&c--;for(var u=null,d=null,h=0;h<o.length;h++){var p=o[h];if(!(p.from>=c||p.to<=s)){var f=lr(e,r,1!=p.level?Math.min(c,p.to)-1:Math.max(s,p.from)).right,m=f<i?i-f+1e9:f-i;(!u||d>m)&&(u=p,d=m)}}return u||(u=o[o.length-1]),u.from<s&&(u={from:s,to:u.to,level:u.level}),u.to>c&&(u={from:u.from,to:c,level:u.level}),u}function Tr(e){if(null!=e.cachedTextHeight)return e.cachedTextHeight;if(null==sr){sr=N("pre",null,"CodeMirror-line-like");for(var t=0;t<49;++t)sr.appendChild(document.createTextNode("x")),sr.appendChild(N("br"));sr.appendChild(document.createTextNode("x"))}S(e.measure,sr);var n=sr.offsetHeight/50;return n>3&&(e.cachedTextHeight=n),_(e.measure),n||1}function Ir(e){if(null!=e.cachedCharWidth)return e.cachedCharWidth;var t=N("span","xxxxxxxxxx"),n=N("pre",[t],"CodeMirror-line-like");S(e.measure,n);var r=t.getBoundingClientRect(),o=(r.right-r.left)/10;return o>2&&(e.cachedCharWidth=o),o||10}function Zr(e){for(var t=e.display,n={},r={},o=t.gutters.clientLeft,i=t.gutters.firstChild,a=0;i;i=i.nextSibling,++a){var l=e.display.gutterSpecs[a].className;n[l]=i.offsetLeft+i.clientLeft+o,r[l]=i.clientWidth}return{fixedPos:Or(t),gutterTotalWidth:t.gutters.offsetWidth,gutterLeft:n,gutterWidth:r,wrapperWidth:t.wrapper.clientWidth}}function Or(e){return e.scroller.getBoundingClientRect().left-e.sizer.getBoundingClientRect().left}function Dr(e){var t=Tr(e.display),n=e.options.lineWrapping,r=n&&Math.max(5,e.display.scroller.clientWidth/Ir(e.display)-3);return function(o){if(sn(e.doc,o))return 0;var i=0;if(o.widgets)for(var a=0;a<o.widgets.length;a++)o.widgets[a].height&&(i+=o.widgets[a].height);return n?i+(Math.ceil(o.text.length/r)||1)*t:i+t}}function Rr(e){var t=e.doc,n=Dr(e);t.iter((function(e){var t=n(e);t!=e.height&&ot(e,t)}))}function Hr(e,t,n,r){var o=e.display;if(!n&&"true"==Ve(t).getAttribute("cm-not-content"))return null;var i,a,l=o.lineSpace.getBoundingClientRect();try{i=t.clientX-l.left,a=t.clientY-l.top}catch(e){return null}var s,c=Br(e,i,a);if(r&&c.xRel>0&&(s=tt(e.doc,c.line).text).length==c.ch){var u=z(s,s.length,e.options.tabSize)-s.length;c=ct(c.line,Math.max(0,Math.round((i-Xn(e.display).left)/Ir(e.display))-u))}return c}function Pr(e,t){if(t>=e.display.viewTo)return null;if((t-=e.display.viewFrom)<0)return null;for(var n=e.display.view,r=0;r<n.length;r++)if((t-=n[r].size)<0)return r}function jr(e,t,n,r){null==t&&(t=e.doc.first),null==n&&(n=e.doc.first+e.doc.size),r||(r=0);var o=e.display;if(r&&n<o.viewTo&&(null==o.updateLineNumbers||o.updateLineNumbers>t)&&(o.updateLineNumbers=t),e.curOp.viewChanged=!0,t>=o.viewTo)It&&an(e.doc,t)<o.viewTo&&zr(e);else if(n<=o.viewFrom)It&&ln(e.doc,n+r)>o.viewFrom?zr(e):(o.viewFrom+=r,o.viewTo+=r);else if(t<=o.viewFrom&&n>=o.viewTo)zr(e);else if(t<=o.viewFrom){var i=qr(e,n,n+r,1);i?(o.view=o.view.slice(i.index),o.viewFrom=i.lineN,o.viewTo+=r):zr(e)}else if(n>=o.viewTo){var a=qr(e,t,t,-1);a?(o.view=o.view.slice(0,a.index),o.viewTo=a.lineN):zr(e)}else{var l=qr(e,t,t,-1),s=qr(e,n,n+r,1);l&&s?(o.view=o.view.slice(0,l.index).concat(Mn(e,l.lineN,s.lineN)).concat(o.view.slice(s.index)),o.viewTo+=r):zr(e)}var c=o.externalMeasured;c&&(n<c.lineN?c.lineN+=r:t<c.lineN+c.size&&(o.externalMeasured=null))}function Fr(e,t,n){e.curOp.viewChanged=!0;var r=e.display,o=e.display.externalMeasured;if(o&&t>=o.lineN&&t<o.lineN+o.size&&(r.externalMeasured=null),!(t<r.viewFrom||t>=r.viewTo)){var i=r.view[Pr(e,t)];if(null!=i.node){var a=i.changes||(i.changes=[]);-1==U(a,n)&&a.push(n)}}}function zr(e){e.display.viewFrom=e.display.viewTo=e.doc.first,e.display.view=[],e.display.viewOffset=0}function qr(e,t,n,r){var o,i=Pr(e,t),a=e.display.view;if(!It||n==e.doc.first+e.doc.size)return{index:i,lineN:n};for(var l=e.display.viewFrom,s=0;s<i;s++)l+=a[s].size;if(l!=t){if(r>0){if(i==a.length-1)return null;o=l+a[i].size-t,i++}else o=l-t;t+=o,n+=o}for(;an(e.doc,n)!=n;){if(i==(r<0?0:a.length-1))return null;n+=r*a[i-(r<0?1:0)].size,i+=r}return{index:i,lineN:n}}function Ur(e,t,n){var r=e.display;0==r.view.length||t>=r.viewTo||n<=r.viewFrom?(r.view=Mn(e,t,n),r.viewFrom=t):(r.viewFrom>t?r.view=Mn(e,t,r.viewFrom).concat(r.view):r.viewFrom<t&&(r.view=r.view.slice(Pr(e,t))),r.viewFrom=t,r.viewTo<n?r.view=r.view.concat(Mn(e,r.viewTo,n)):r.viewTo>n&&(r.view=r.view.slice(0,Pr(e,n)))),r.viewTo=n}function $r(e){for(var t=e.display.view,n=0,r=0;r<t.length;r++){var o=t[r];o.hidden||o.node&&!o.changes||++n}return n}function Wr(e){e.display.input.showSelection(e.display.input.prepareSelection())}function Gr(e,t){void 0===t&&(t=!0);var n=e.doc,r={},o=r.cursors=document.createDocumentFragment(),i=r.selection=document.createDocumentFragment(),a=e.options.$customCursor;a&&(t=!0);for(var l=0;l<n.sel.ranges.length;l++)if(t||l!=n.sel.primIndex){var s=n.sel.ranges[l];if(!(s.from().line>=e.display.viewTo||s.to().line<e.display.viewFrom)){var c=s.empty();if(a){var u=a(e,s);u&&Kr(e,u,o)}else(c||e.options.showCursorWhenSelecting)&&Kr(e,s.head,o);c||Xr(e,s,i)}}return r}function Kr(e,t,n){var r=Er(e,t,"div",null,null,!e.options.singleCursorHeightPerLine),o=n.appendChild(N("div"," ","CodeMirror-cursor"));if(o.style.left=r.left+"px",o.style.top=r.top+"px",o.style.height=Math.max(0,r.bottom-r.top)*e.options.cursorHeight+"px",/\bcm-fat-cursor\b/.test(e.getWrapperElement().className)){var i=kr(e,t,"div",null,null),a=i.right-i.left;o.style.width=(a>0?a:e.defaultCharWidth())+"px"}if(r.other){var l=n.appendChild(N("div"," ","CodeMirror-cursor CodeMirror-secondarycursor"));l.style.display="",l.style.left=r.other.left+"px",l.style.top=r.other.top+"px",l.style.height=.85*(r.other.bottom-r.other.top)+"px"}}function Yr(e,t){return e.top-t.top||e.left-t.left}function Xr(e,t,n){var r=e.display,o=e.doc,i=document.createDocumentFragment(),a=Xn(e.display),l=a.left,s=Math.max(r.sizerWidth,Qn(e)-r.sizer.offsetLeft)-a.right,c="ltr"==o.direction;function u(e,t,n,r){t<0&&(t=0),t=Math.round(t),r=Math.round(r),i.appendChild(N("div",null,"CodeMirror-selected","position: absolute; left: "+e+"px;\n                             top: "+t+"px; width: "+(null==n?s-e:n)+"px;\n                             height: "+(r-t)+"px"))}function d(t,n,r){var i,a,d=tt(o,t),h=d.text.length;function p(n,r){return kr(e,ct(t,n),"div",d,r)}function f(t,n,r){var o=_r(e,d,null,t),i="ltr"==n==("after"==r)?"left":"right";return p("after"==r?o.begin:o.end-(/\s/.test(d.text.charAt(o.end-1))?2:1),i)[i]}var m=ge(d,o.direction);return pe(m,n||0,null==r?h:r,(function(e,t,o,d){var v="ltr"==o,g=p(e,v?"left":"right"),w=p(t-1,v?"right":"left"),y=null==n&&0==e,b=null==r&&t==h,x=0==d,k=!m||d==m.length-1;if(w.top-g.top<=3){var E=(c?b:y)&&k,A=(c?y:b)&&x?l:(v?g:w).left,C=E?s:(v?w:g).right;u(A,g.top,C-A,g.bottom)}else{var B,M,_,S;v?(B=c&&y&&x?l:g.left,M=c?s:f(e,o,"before"),_=c?l:f(t,o,"after"),S=c&&b&&k?s:w.right):(B=c?f(e,o,"before"):l,M=!c&&y&&x?s:g.right,_=!c&&b&&k?l:w.left,S=c?f(t,o,"after"):s),u(B,g.top,M-B,g.bottom),g.bottom<w.top&&u(l,g.bottom,null,w.top),u(_,w.top,S-_,w.bottom)}(!i||Yr(g,i)<0)&&(i=g),Yr(w,i)<0&&(i=w),(!a||Yr(g,a)<0)&&(a=g),Yr(w,a)<0&&(a=w)})),{start:i,end:a}}var h=t.from(),p=t.to();if(h.line==p.line)d(h.line,h.ch,p.ch);else{var f=tt(o,h.line),m=tt(o,p.line),v=nn(f)==nn(m),g=d(h.line,h.ch,v?f.text.length+1:null).end,w=d(p.line,v?0:null,p.ch).start;v&&(g.top<w.top-2?(u(g.right,g.top,null,g.bottom),u(l,w.top,w.left,w.bottom)):u(g.right,g.top,w.left-g.right,g.bottom)),g.bottom<w.top&&u(l,g.bottom,null,w.top)}n.appendChild(i)}function Jr(e){if(e.state.focused){var t=e.display;clearInterval(t.blinker);var n=!0;t.cursorDiv.style.visibility="",e.options.cursorBlinkRate>0?t.blinker=setInterval((function(){e.hasFocus()||no(e),t.cursorDiv.style.visibility=(n=!n)?"":"hidden"}),e.options.cursorBlinkRate):e.options.cursorBlinkRate<0&&(t.cursorDiv.style.visibility="hidden")}}function Qr(e){e.hasFocus()||(e.display.input.focus(),e.state.focused||to(e))}function eo(e){e.state.delayingBlurEvent=!0,setTimeout((function(){e.state.delayingBlurEvent&&(e.state.delayingBlurEvent=!1,e.state.focused&&no(e))}),100)}function to(e,t){e.state.delayingBlurEvent&&!e.state.draggingText&&(e.state.delayingBlurEvent=!1),"nocursor"!=e.options.readOnly&&(e.state.focused||(ke(e,"focus",e,t),e.state.focused=!0,I(e.display.wrapper,"CodeMirror-focused"),e.curOp||e.display.selForContextMenu==e.doc.sel||(e.display.input.reset(),s&&setTimeout((function(){return e.display.input.reset(!0)}),20)),e.display.input.receivedFocus()),Jr(e))}function no(e,t){e.state.delayingBlurEvent||(e.state.focused&&(ke(e,"blur",e,t),e.state.focused=!1,M(e.display.wrapper,"CodeMirror-focused")),clearInterval(e.display.blinker),setTimeout((function(){e.state.focused||(e.display.shift=!1)}),150))}function ro(e){for(var t=e.display,n=t.lineDiv.offsetTop,r=Math.max(0,t.scroller.getBoundingClientRect().top),o=t.lineDiv.getBoundingClientRect().top,i=0,s=0;s<t.view.length;s++){var c=t.view[s],u=e.options.lineWrapping,d=void 0,h=0;if(!c.hidden){if(o+=c.line.height,a&&l<8){var p=c.node.offsetTop+c.node.offsetHeight;d=p-n,n=p}else{var f=c.node.getBoundingClientRect();d=f.bottom-f.top,!u&&c.text.firstChild&&(h=c.text.firstChild.getBoundingClientRect().right-f.left-1)}var m=c.line.height-d;if((m>.005||m<-.005)&&(o<r&&(i-=m),ot(c.line,d),oo(c.line),c.rest))for(var v=0;v<c.rest.length;v++)oo(c.rest[v]);if(h>e.display.sizerWidth){var g=Math.ceil(h/Ir(e.display));g>e.display.maxLineLength&&(e.display.maxLineLength=g,e.display.maxLine=c.line,e.display.maxLineChanged=!0)}}}Math.abs(i)>2&&(t.scroller.scrollTop+=i)}function oo(e){if(e.widgets)for(var t=0;t<e.widgets.length;++t){var n=e.widgets[t],r=n.node.parentNode;r&&(n.height=r.offsetHeight)}}function io(e,t,n){var r=n&&null!=n.top?Math.max(0,n.top):e.scroller.scrollTop;r=Math.floor(r-Kn(e));var o=n&&null!=n.bottom?n.bottom:r+e.wrapper.clientHeight,i=at(t,r),a=at(t,o);if(n&&n.ensure){var l=n.ensure.from.line,s=n.ensure.to.line;l<i?(i=l,a=at(t,un(tt(t,l))+e.wrapper.clientHeight)):Math.min(s,t.lastLine())>=a&&(i=at(t,un(tt(t,s))-e.wrapper.clientHeight),a=s)}return{from:i,to:Math.max(a,i+1)}}function ao(e,t){if(!Ee(e,"scrollCursorIntoView")){var n=e.display,r=n.sizer.getBoundingClientRect(),o=null,i=n.wrapper.ownerDocument;if(t.top+r.top<0?o=!0:t.bottom+r.top>(i.defaultView.innerHeight||i.documentElement.clientHeight)&&(o=!1),null!=o&&!m){var a=N("div","​",null,"position: absolute;\n                         top: "+(t.top-n.viewOffset-Kn(e.display))+"px;\n                         height: "+(t.bottom-t.top+Jn(e)+n.barHeight)+"px;\n                         left: "+t.left+"px; width: "+Math.max(2,t.right-t.left)+"px;");e.display.lineSpace.appendChild(a),a.scrollIntoView(o),e.display.lineSpace.removeChild(a)}}}function lo(e,t,n,r){var o;null==r&&(r=0),e.options.lineWrapping||t!=n||(n="before"==t.sticky?ct(t.line,t.ch+1,"before"):t,t=t.ch?ct(t.line,"before"==t.sticky?t.ch-1:t.ch,"after"):t);for(var i=0;i<5;i++){var a=!1,l=Er(e,t),s=n&&n!=t?Er(e,n):l,c=co(e,o={left:Math.min(l.left,s.left),top:Math.min(l.top,s.top)-r,right:Math.max(l.left,s.left),bottom:Math.max(l.bottom,s.bottom)+r}),u=e.doc.scrollTop,d=e.doc.scrollLeft;if(null!=c.scrollTop&&(go(e,c.scrollTop),Math.abs(e.doc.scrollTop-u)>1&&(a=!0)),null!=c.scrollLeft&&(yo(e,c.scrollLeft),Math.abs(e.doc.scrollLeft-d)>1&&(a=!0)),!a)break}return o}function so(e,t){var n=co(e,t);null!=n.scrollTop&&go(e,n.scrollTop),null!=n.scrollLeft&&yo(e,n.scrollLeft)}function co(e,t){var n=e.display,r=Tr(e.display);t.top<0&&(t.top=0);var o=e.curOp&&null!=e.curOp.scrollTop?e.curOp.scrollTop:n.scroller.scrollTop,i=er(e),a={};t.bottom-t.top>i&&(t.bottom=t.top+i);var l=e.doc.height+Yn(n),s=t.top<r,c=t.bottom>l-r;if(t.top<o)a.scrollTop=s?0:t.top;else if(t.bottom>o+i){var u=Math.min(t.top,(c?l:t.bottom)-i);u!=o&&(a.scrollTop=u)}var d=e.options.fixedGutter?0:n.gutters.offsetWidth,h=e.curOp&&null!=e.curOp.scrollLeft?e.curOp.scrollLeft:n.scroller.scrollLeft-d,p=Qn(e)-n.gutters.offsetWidth,f=t.right-t.left>p;return f&&(t.right=t.left+p),t.left<10?a.scrollLeft=0:t.left<h?a.scrollLeft=Math.max(0,t.left+d-(f?0:10)):t.right>p+h-3&&(a.scrollLeft=t.right+(f?0:10)-p),a}function uo(e,t){null!=t&&(mo(e),e.curOp.scrollTop=(null==e.curOp.scrollTop?e.doc.scrollTop:e.curOp.scrollTop)+t)}function ho(e){mo(e);var t=e.getCursor();e.curOp.scrollToPos={from:t,to:t,margin:e.options.cursorScrollMargin}}function po(e,t,n){null==t&&null==n||mo(e),null!=t&&(e.curOp.scrollLeft=t),null!=n&&(e.curOp.scrollTop=n)}function fo(e,t){mo(e),e.curOp.scrollToPos=t}function mo(e){var t=e.curOp.scrollToPos;t&&(e.curOp.scrollToPos=null,vo(e,Ar(e,t.from),Ar(e,t.to),t.margin))}function vo(e,t,n,r){var o=co(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});po(e,o.scrollLeft,o.scrollTop)}function go(e,t){Math.abs(e.doc.scrollTop-t)<2||(n||Go(e,{top:t}),wo(e,t,!0),n&&Go(e),Po(e,100))}function wo(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 yo(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,Jo(e),e.display.scroller.scrollLeft!=t&&(e.display.scroller.scrollLeft=t),e.display.scrollbars.setScrollLeft(t))}function bo(e){var t=e.display,n=t.gutters.offsetWidth,r=Math.round(e.doc.height+Yn(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+Jn(e)+t.barHeight,nativeBarWidth:t.nativeBarWidth,gutterWidth:n}}var xo=function(e,t,n){this.cm=n;var r=this.vert=N("div",[N("div",null,null,"min-width: 1px")],"CodeMirror-vscrollbar"),o=this.horiz=N("div",[N("div",null,null,"height: 100%; min-height: 1px")],"CodeMirror-hscrollbar");r.tabIndex=o.tabIndex=-1,e(r),e(o),ye(r,"scroll",(function(){r.clientHeight&&t(r.scrollTop,"vertical")})),ye(o,"scroll",(function(){o.clientWidth&&t(o.scrollLeft,"horizontal")})),this.checkedZeroWidth=!1,a&&l<8&&(this.horiz.style.minHeight=this.vert.style.minWidth="18px")};xo.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 o=e.viewHeight-(t?r:0);this.vert.firstChild.style.height=Math.max(0,e.scrollHeight-e.clientHeight+o)+"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 i=e.viewWidth-e.barLeft-(n?r:0);this.horiz.firstChild.style.width=Math.max(0,e.scrollWidth-e.clientWidth+i)+"px"}else this.horiz.style.display="",this.horiz.firstChild.style.width="0";return!this.checkedZeroWidth&&e.clientHeight>0&&(0==r&&this.zeroWidthHack(),this.checkedZeroWidth=!0),{right:n?r:0,bottom:t?r:0}},xo.prototype.setScrollLeft=function(e){this.horiz.scrollLeft!=e&&(this.horiz.scrollLeft=e),this.disableHoriz&&this.enableZeroWidthBar(this.horiz,this.disableHoriz,"horiz")},xo.prototype.setScrollTop=function(e){this.vert.scrollTop!=e&&(this.vert.scrollTop=e),this.disableVert&&this.enableZeroWidthBar(this.vert,this.disableVert,"vert")},xo.prototype.zeroWidthHack=function(){var e=y&&!f?"12px":"18px";this.horiz.style.height=this.vert.style.width=e,this.horiz.style.visibility=this.vert.style.visibility="hidden",this.disableHoriz=new q,this.disableVert=new q},xo.prototype.enableZeroWidthBar=function(e,t,n){function r(){var o=e.getBoundingClientRect();("vert"==n?document.elementFromPoint(o.right-1,(o.top+o.bottom)/2):document.elementFromPoint((o.right+o.left)/2,o.bottom-1))!=e?e.style.visibility="hidden":t.set(1e3,r)}e.style.visibility="",t.set(1e3,r)},xo.prototype.clear=function(){var e=this.horiz.parentNode;e.removeChild(this.horiz),e.removeChild(this.vert)};var ko=function(){};function Eo(e,t){t||(t=bo(e));var n=e.display.barWidth,r=e.display.barHeight;Ao(e,t);for(var o=0;o<4&&n!=e.display.barWidth||r!=e.display.barHeight;o++)n!=e.display.barWidth&&e.options.lineWrapping&&ro(e),Ao(e,bo(e)),n=e.display.barWidth,r=e.display.barHeight}function Ao(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=""}ko.prototype.update=function(){return{bottom:0,right:0}},ko.prototype.setScrollLeft=function(){},ko.prototype.setScrollTop=function(){},ko.prototype.clear=function(){};var Co={native:xo,null:ko};function Bo(e){e.display.scrollbars&&(e.display.scrollbars.clear(),e.display.scrollbars.addClass&&M(e.display.wrapper,e.display.scrollbars.addClass)),e.display.scrollbars=new Co[e.options.scrollbarStyle]((function(t){e.display.wrapper.insertBefore(t,e.display.scrollbarFiller),ye(t,"mousedown",(function(){e.state.focused&&setTimeout((function(){return e.display.input.focus()}),0)})),t.setAttribute("cm-not-content","true")}),(function(t,n){"horizontal"==n?yo(e,t):go(e,t)}),e),e.display.scrollbars.addClass&&I(e.display.wrapper,e.display.scrollbars.addClass)}var Mo=0;function _o(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:++Mo,markArrays:null},Sn(e.curOp)}function So(e){var t=e.curOp;t&&Vn(t,(function(e){for(var t=0;t<e.ops.length;t++)e.ops[t].cm.curOp=null;No(e)}))}function No(e){for(var t=e.ops,n=0;n<t.length;n++)Vo(t[n]);for(var r=0;r<t.length;r++)Lo(t[r]);for(var o=0;o<t.length;o++)To(t[o]);for(var i=0;i<t.length;i++)Io(t[i]);for(var a=0;a<t.length;a++)Zo(t[a])}function Vo(e){var t=e.cm,n=t.display;zo(t),e.updateMaxLine&&hn(t),e.mustUpdate=e.viewChanged||e.forceUpdate||null!=e.scrollTop||e.scrollToPos&&(e.scrollToPos.from.line<n.viewFrom||e.scrollToPos.to.line>=n.viewTo)||n.maxLineChanged&&t.options.lineWrapping,e.update=e.mustUpdate&&new Fo(t,e.mustUpdate&&{top:e.scrollTop,ensure:e.scrollToPos},e.forceUpdate)}function Lo(e){e.updatedDisplay=e.mustUpdate&&$o(e.cm,e.update)}function To(e){var t=e.cm,n=t.display;e.updatedDisplay&&ro(t),e.barMeasure=bo(t),n.maxLineChanged&&!t.options.lineWrapping&&(e.adjustWidthTo=or(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+Jn(t)+t.display.barWidth),e.maxScrollLeft=Math.max(0,n.sizer.offsetLeft+e.adjustWidthTo-Qn(t))),(e.updatedDisplay||e.selectionChanged)&&(e.preparedSelection=n.input.prepareSelection())}function Io(e){var t=e.cm;null!=e.adjustWidthTo&&(t.display.sizer.style.minWidth=e.adjustWidthTo+"px",e.maxScrollLeft<t.doc.scrollLeft&&yo(t,Math.min(t.display.scroller.scrollLeft,e.maxScrollLeft),!0),t.display.maxLineChanged=!1);var n=e.focus&&e.focus==T(R(t));e.preparedSelection&&t.display.input.showSelection(e.preparedSelection,n),(e.updatedDisplay||e.startHeight!=t.doc.height)&&Eo(t,e.barMeasure),e.updatedDisplay&&Xo(t,e.barMeasure),e.selectionChanged&&Jr(t),t.state.focused&&e.updateInput&&t.display.input.reset(e.typing),n&&Qr(e.cm)}function Zo(e){var t=e.cm,n=t.display,r=t.doc;e.updatedDisplay&&Wo(t,e.update),null==n.wheelStartX||null==e.scrollTop&&null==e.scrollLeft&&!e.scrollToPos||(n.wheelStartX=n.wheelStartY=null),null!=e.scrollTop&&wo(t,e.scrollTop,e.forceScroll),null!=e.scrollLeft&&yo(t,e.scrollLeft,!0,!0),e.scrollToPos&&ao(t,lo(t,vt(r,e.scrollToPos.from),vt(r,e.scrollToPos.to),e.scrollToPos.margin));var o=e.maybeHiddenMarkers,i=e.maybeUnhiddenMarkers;if(o)for(var a=0;a<o.length;++a)o[a].lines.length||ke(o[a],"hide");if(i)for(var l=0;l<i.length;++l)i[l].lines.length&&ke(i[l],"unhide");n.wrapper.offsetHeight&&(r.scrollTop=t.display.scroller.scrollTop),e.changeObjs&&ke(t,"changes",t,e.changeObjs),e.update&&e.update.finish()}function Oo(e,t){if(e.curOp)return t();_o(e);try{return t()}finally{So(e)}}function Do(e,t){return function(){if(e.curOp)return t.apply(e,arguments);_o(e);try{return t.apply(e,arguments)}finally{So(e)}}}function Ro(e){return function(){if(this.curOp)return e.apply(this,arguments);_o(this);try{return e.apply(this,arguments)}finally{So(this)}}}function Ho(e){return function(){var t=this.cm;if(!t||t.curOp)return e.apply(this,arguments);_o(t);try{return e.apply(this,arguments)}finally{So(t)}}}function Po(e,t){e.doc.highlightFrontier<e.display.viewTo&&e.state.highlight.set(t,j(jo,e))}function jo(e){var t=e.doc;if(!(t.highlightFrontier>=e.display.viewTo)){var n=+new Date+e.options.workTime,r=Et(e,t.highlightFrontier),o=[];t.iter(r.line,Math.min(t.first+t.size,e.display.viewTo+500),(function(i){if(r.line>=e.display.viewFrom){var a=i.styles,l=i.text.length>e.options.maxHighlightLength?Xe(t.mode,r.state):null,s=xt(e,i,r,!0);l&&(r.state=l),i.styles=s.styles;var c=i.styleClasses,u=s.classes;u?i.styleClasses=u:c&&(i.styleClasses=null);for(var d=!a||a.length!=i.styles.length||c!=u&&(!c||!u||c.bgClass!=u.bgClass||c.textClass!=u.textClass),h=0;!d&&h<a.length;++h)d=a[h]!=i.styles[h];d&&o.push(r.line),i.stateAfter=r.save(),r.nextLine()}else i.text.length<=e.options.maxHighlightLength&&At(e,i.text,r),i.stateAfter=r.line%5==0?r.save():null,r.nextLine();if(+new Date>n)return Po(e,e.options.workDelay),!0})),t.highlightFrontier=r.line,t.modeFrontier=Math.max(t.modeFrontier,r.line),o.length&&Oo(e,(function(){for(var t=0;t<o.length;t++)Fr(e,o[t],"text")}))}}var Fo=function(e,t,n){var r=e.display;this.viewport=t,this.visible=io(r,e.doc,t),this.editorIsHidden=!r.wrapper.offsetWidth,this.wrapperHeight=r.wrapper.clientHeight,this.wrapperWidth=r.wrapper.clientWidth,this.oldDisplayWidth=Qn(e),this.force=n,this.dims=Zr(e),this.events=[]};function zo(e){var t=e.display;!t.scrollbarsClipped&&t.scroller.offsetWidth&&(t.nativeBarWidth=t.scroller.offsetWidth-t.scroller.clientWidth,t.heightForcer.style.height=Jn(e)+"px",t.sizer.style.marginBottom=-t.nativeBarWidth+"px",t.sizer.style.borderRightWidth=Jn(e)+"px",t.scrollbarsClipped=!0)}function qo(e){if(e.hasFocus())return null;var t=T(R(e));if(!t||!L(e.display.lineDiv,t))return null;var n={activeElt:t};if(window.getSelection){var r=P(e).getSelection();r.anchorNode&&r.extend&&L(e.display.lineDiv,r.anchorNode)&&(n.anchorNode=r.anchorNode,n.anchorOffset=r.anchorOffset,n.focusNode=r.focusNode,n.focusOffset=r.focusOffset)}return n}function Uo(e){if(e&&e.activeElt&&e.activeElt!=T(H(e.activeElt))&&(e.activeElt.focus(),!/^(INPUT|TEXTAREA)$/.test(e.activeElt.nodeName)&&e.anchorNode&&L(document.body,e.anchorNode)&&L(document.body,e.focusNode))){var t=e.activeElt.ownerDocument,n=t.defaultView.getSelection(),r=t.createRange();r.setEnd(e.anchorNode,e.anchorOffset),r.collapse(!1),n.removeAllRanges(),n.addRange(r),n.extend(e.focusNode,e.focusOffset)}}function $o(e,t){var n=e.display,r=e.doc;if(t.editorIsHidden)return zr(e),!1;if(!t.force&&t.visible.from>=n.viewFrom&&t.visible.to<=n.viewTo&&(null==n.updateLineNumbers||n.updateLineNumbers>=n.viewTo)&&n.renderedView==n.view&&0==$r(e))return!1;Qo(e)&&(zr(e),t.dims=Zr(e));var o=r.first+r.size,i=Math.max(t.visible.from-e.options.viewportMargin,r.first),a=Math.min(o,t.visible.to+e.options.viewportMargin);n.viewFrom<i&&i-n.viewFrom<20&&(i=Math.max(r.first,n.viewFrom)),n.viewTo>a&&n.viewTo-a<20&&(a=Math.min(o,n.viewTo)),It&&(i=an(e.doc,i),a=ln(e.doc,a));var l=i!=n.viewFrom||a!=n.viewTo||n.lastWrapHeight!=t.wrapperHeight||n.lastWrapWidth!=t.wrapperWidth;Ur(e,i,a),n.viewOffset=un(tt(e.doc,n.viewFrom)),e.display.mover.style.top=n.viewOffset+"px";var s=$r(e);if(!l&&0==s&&!t.force&&n.renderedView==n.view&&(null==n.updateLineNumbers||n.updateLineNumbers>=n.viewTo))return!1;var c=qo(e);return s>4&&(n.lineDiv.style.display="none"),Ko(e,n.updateLineNumbers,t.dims),s>4&&(n.lineDiv.style.display=""),n.renderedView=n.view,Uo(c),_(n.cursorDiv),_(n.selectionDiv),n.gutters.style.height=n.sizer.style.minHeight=0,l&&(n.lastWrapHeight=t.wrapperHeight,n.lastWrapWidth=t.wrapperWidth,Po(e,400)),n.updateLineNumbers=null,!0}function Wo(e,t){for(var n=t.viewport,r=!0;;r=!1){if(r&&e.options.lineWrapping&&t.oldDisplayWidth!=Qn(e))r&&(t.visible=io(e.display,e.doc,n));else if(n&&null!=n.top&&(n={top:Math.min(e.doc.height+Yn(e.display)-er(e),n.top)}),t.visible=io(e.display,e.doc,n),t.visible.from>=e.display.viewFrom&&t.visible.to<=e.display.viewTo)break;if(!$o(e,t))break;ro(e);var o=bo(e);Wr(e),Eo(e,o),Xo(e,o),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 Go(e,t){var n=new Fo(e,t);if($o(e,n)){ro(e),Wo(e,n);var r=bo(e);Wr(e),Eo(e,r),Xo(e,r),n.finish()}}function Ko(e,t,n){var r=e.display,o=e.options.lineNumbers,i=r.lineDiv,a=i.firstChild;function l(t){var n=t.nextSibling;return s&&y&&e.display.currentWheelTarget==t?t.style.display="none":t.parentNode.removeChild(t),n}for(var c=r.view,u=r.viewFrom,d=0;d<c.length;d++){var h=c[d];if(h.hidden);else if(h.node&&h.node.parentNode==i){for(;a!=h.node;)a=l(a);var p=o&&null!=t&&t<=u&&h.lineNumber;h.changes&&(U(h.changes,"gutter")>-1&&(p=!1),Zn(e,h,u,n)),p&&(_(h.lineNumber),h.lineNumber.appendChild(document.createTextNode(st(e.options,u)))),a=h.node.nextSibling}else{var f=zn(e,h,u,n);i.insertBefore(f,a)}u+=h.size}for(;a;)a=l(a)}function Yo(e){var t=e.gutters.offsetWidth;e.sizer.style.marginLeft=t+"px",Tn(e,"gutterChanged",e)}function Xo(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+Jn(e)+"px"}function Jo(e){var t=e.display,n=t.view;if(t.alignWidgets||t.gutters.firstChild&&e.options.fixedGutter){for(var r=Or(t)-t.scroller.scrollLeft+e.doc.scrollLeft,o=t.gutters.offsetWidth,i=r+"px",a=0;a<n.length;a++)if(!n[a].hidden){e.options.fixedGutter&&(n[a].gutter&&(n[a].gutter.style.left=i),n[a].gutterBackground&&(n[a].gutterBackground.style.left=i));var l=n[a].alignable;if(l)for(var s=0;s<l.length;s++)l[s].style.left=i}e.options.fixedGutter&&(t.gutters.style.left=r+o+"px")}}function Qo(e){if(!e.options.lineNumbers)return!1;var t=e.doc,n=st(e.options,t.first+t.size-1),r=e.display;if(n.length!=r.lineNumChars){var o=r.measure.appendChild(N("div",[N("div",n)],"CodeMirror-linenumber CodeMirror-gutter-elt")),i=o.firstChild.offsetWidth,a=o.offsetWidth-i;return r.lineGutter.style.width="",r.lineNumInnerWidth=Math.max(i,r.lineGutter.offsetWidth-a)+1,r.lineNumWidth=r.lineNumInnerWidth+a,r.lineNumChars=r.lineNumInnerWidth?n.length:-1,r.lineGutter.style.width=r.lineNumWidth+"px",Yo(e.display),!0}return!1}function ei(e,t){for(var n=[],r=!1,o=0;o<e.length;o++){var i=e[o],a=null;if("string"!=typeof i&&(a=i.style,i=i.className),"CodeMirror-linenumbers"==i){if(!t)continue;r=!0}n.push({className:i,style:a})}return t&&!r&&n.push({className:"CodeMirror-linenumbers",style:null}),n}function ti(e){var t=e.gutters,n=e.gutterSpecs;_(t),e.lineGutter=null;for(var r=0;r<n.length;++r){var o=n[r],i=o.className,a=o.style,l=t.appendChild(N("div",null,"CodeMirror-gutter "+i));a&&(l.style.cssText=a),"CodeMirror-linenumbers"==i&&(e.lineGutter=l,l.style.width=(e.lineNumWidth||1)+"px")}t.style.display=n.length?"":"none",Yo(e)}function ni(e){ti(e.display),jr(e),Jo(e)}function ri(e,t,r,o){var i=this;this.input=r,i.scrollbarFiller=N("div",null,"CodeMirror-scrollbar-filler"),i.scrollbarFiller.setAttribute("cm-not-content","true"),i.gutterFiller=N("div",null,"CodeMirror-gutter-filler"),i.gutterFiller.setAttribute("cm-not-content","true"),i.lineDiv=V("div",null,"CodeMirror-code"),i.selectionDiv=N("div",null,null,"position: relative; z-index: 1"),i.cursorDiv=N("div",null,"CodeMirror-cursors"),i.measure=N("div",null,"CodeMirror-measure"),i.lineMeasure=N("div",null,"CodeMirror-measure"),i.lineSpace=V("div",[i.measure,i.lineMeasure,i.selectionDiv,i.cursorDiv,i.lineDiv],null,"position: relative; outline: none");var c=V("div",[i.lineSpace],"CodeMirror-lines");i.mover=N("div",[c],null,"position: relative"),i.sizer=N("div",[i.mover],"CodeMirror-sizer"),i.sizerWidth=null,i.heightForcer=N("div",null,null,"position: absolute; height: "+$+"px; width: 1px;"),i.gutters=N("div",null,"CodeMirror-gutters"),i.lineGutter=null,i.scroller=N("div",[i.sizer,i.heightForcer,i.gutters],"CodeMirror-scroll"),i.scroller.setAttribute("tabIndex","-1"),i.wrapper=N("div",[i.scrollbarFiller,i.gutterFiller,i.scroller],"CodeMirror"),u&&d>=105&&(i.wrapper.style.clipPath="inset(0px)"),i.wrapper.setAttribute("translate","no"),a&&l<8&&(i.gutters.style.zIndex=-1,i.scroller.style.paddingRight=0),s||n&&w||(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=ei(o.gutters,o.lineNumbers),ti(i),r.init(i)}Fo.prototype.signal=function(e,t){Ce(e,t)&&this.events.push(arguments)},Fo.prototype.finish=function(){for(var e=0;e<this.events.length;e++)ke.apply(null,this.events[e])};var oi=0,ii=null;function ai(e){var t=e.wheelDeltaX,n=e.wheelDeltaY;return null==t&&e.detail&&e.axis==e.HORIZONTAL_AXIS&&(t=e.detail),null==n&&e.detail&&e.axis==e.VERTICAL_AXIS?n=e.detail:null==n&&(n=e.wheelDelta),{x:t,y:n}}function li(e){var t=ai(e);return t.x*=ii,t.y*=ii,t}function si(e,t){u&&102==d&&(null==e.display.chromeScrollHack?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 r=ai(t),o=r.x,i=r.y,a=ii;0===t.deltaMode&&(o=t.deltaX,i=t.deltaY,a=1);var l=e.display,c=l.scroller,p=c.scrollWidth>c.clientWidth,f=c.scrollHeight>c.clientHeight;if(o&&p||i&&f){if(i&&y&&s)e:for(var m=t.target,v=l.view;m!=c;m=m.parentNode)for(var g=0;g<v.length;g++)if(v[g].node==m){e.display.currentWheelTarget=m;break e}if(o&&!n&&!h&&null!=a)return i&&f&&go(e,Math.max(0,c.scrollTop+i*a)),yo(e,Math.max(0,c.scrollLeft+o*a)),(!i||i&&f)&&Me(t),void(l.wheelStartX=null);if(i&&null!=a){var w=i*a,b=e.doc.scrollTop,x=b+l.wrapper.clientHeight;w<0?b=Math.max(0,b+w-50):x=Math.min(e.doc.height,x+w+50),Go(e,{top:b,bottom:x})}oi<20&&0!==t.deltaMode&&(null==l.wheelStartX?(l.wheelStartX=c.scrollLeft,l.wheelStartY=c.scrollTop,l.wheelDX=o,l.wheelDY=i,setTimeout((function(){if(null!=l.wheelStartX){var e=c.scrollLeft-l.wheelStartX,t=c.scrollTop-l.wheelStartY,n=t&&l.wheelDY&&t/l.wheelDY||e&&l.wheelDX&&e/l.wheelDX;l.wheelStartX=l.wheelStartY=null,n&&(ii=(ii*oi+n)/(oi+1),++oi)}}),200)):(l.wheelDX+=o,l.wheelDY+=i))}}a?ii=-.53:n?ii=15:u?ii=-.7:p&&(ii=-1/3);var ci=function(e,t){this.ranges=e,this.primIndex=t};ci.prototype.primary=function(){return this.ranges[this.primIndex]},ci.prototype.equals=function(e){if(e==this)return!0;if(e.primIndex!=this.primIndex||e.ranges.length!=this.ranges.length)return!1;for(var t=0;t<this.ranges.length;t++){var n=this.ranges[t],r=e.ranges[t];if(!dt(n.anchor,r.anchor)||!dt(n.head,r.head))return!1}return!0},ci.prototype.deepCopy=function(){for(var e=[],t=0;t<this.ranges.length;t++)e[t]=new ui(ht(this.ranges[t].anchor),ht(this.ranges[t].head));return new ci(e,this.primIndex)},ci.prototype.somethingSelected=function(){for(var e=0;e<this.ranges.length;e++)if(!this.ranges[e].empty())return!0;return!1},ci.prototype.contains=function(e,t){t||(t=e);for(var n=0;n<this.ranges.length;n++){var r=this.ranges[n];if(ut(t,r.from())>=0&&ut(e,r.to())<=0)return n}return-1};var ui=function(e,t){this.anchor=e,this.head=t};function di(e,t,n){var r=e&&e.options.selectionsMayTouch,o=t[n];t.sort((function(e,t){return ut(e.from(),t.from())})),n=U(t,o);for(var i=1;i<t.length;i++){var a=t[i],l=t[i-1],s=ut(l.to(),a.from());if(r&&!a.empty()?s>0:s>=0){var c=ft(l.from(),a.from()),u=pt(l.to(),a.to()),d=l.empty()?a.from()==a.head:l.from()==l.head;i<=n&&--n,t.splice(--i,2,new ui(d?u:c,d?c:u))}}return new ci(t,n)}function hi(e,t){return new ci([new ui(e,t||e)],0)}function pi(e){return e.text?ct(e.from.line+e.text.length-1,ee(e.text).length+(1==e.text.length?e.from.ch:0)):e.to}function fi(e,t){if(ut(e,t.from)<0)return e;if(ut(e,t.to)<=0)return pi(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+=pi(t).ch-t.to.ch),ct(n,r)}function mi(e,t){for(var n=[],r=0;r<e.sel.ranges.length;r++){var o=e.sel.ranges[r];n.push(new ui(fi(o.anchor,t),fi(o.head,t)))}return di(e.cm,n,e.sel.primIndex)}function vi(e,t,n){return e.line==t.line?ct(n.line,e.ch-t.ch+n.ch):ct(n.line+(e.line-t.line),e.ch)}function gi(e,t,n){for(var r=[],o=ct(e.first,0),i=o,a=0;a<t.length;a++){var l=t[a],s=vi(l.from,o,i),c=vi(pi(l),o,i);if(o=l.to,i=c,"around"==n){var u=e.sel.ranges[a],d=ut(u.head,u.anchor)<0;r[a]=new ui(d?c:s,d?s:c)}else r[a]=new ui(s,s)}return new ci(r,e.sel.primIndex)}function wi(e){e.doc.mode=Ge(e.options,e.doc.modeOption),yi(e)}function yi(e){e.doc.iter((function(e){e.stateAfter&&(e.stateAfter=null),e.styles&&(e.styles=null)})),e.doc.modeFrontier=e.doc.highlightFrontier=e.doc.first,Po(e,100),e.state.modeGen++,e.curOp&&jr(e)}function bi(e,t){return 0==t.from.ch&&0==t.to.ch&&""==ee(t.text)&&(!e.cm||e.cm.options.wholeLineUpdateBefore)}function xi(e,t,n,r){function o(e){return n?n[e]:null}function i(e,n,o){fn(e,n,o,r),Tn(e,"change",e,t)}function a(e,t){for(var n=[],i=e;i<t;++i)n.push(new pn(c[i],o(i),r));return n}var l=t.from,s=t.to,c=t.text,u=tt(e,l.line),d=tt(e,s.line),h=ee(c),p=o(c.length-1),f=s.line-l.line;if(t.full)e.insert(0,a(0,c.length)),e.remove(c.length,e.size-c.length);else if(bi(e,t)){var m=a(0,c.length-1);i(d,d.text,p),f&&e.remove(l.line,f),m.length&&e.insert(l.line,m)}else if(u==d)if(1==c.length)i(u,u.text.slice(0,l.ch)+h+u.text.slice(s.ch),p);else{var v=a(1,c.length-1);v.push(new pn(h+u.text.slice(s.ch),p,r)),i(u,u.text.slice(0,l.ch)+c[0],o(0)),e.insert(l.line+1,v)}else if(1==c.length)i(u,u.text.slice(0,l.ch)+c[0]+d.text.slice(s.ch),o(0)),e.remove(l.line+1,f);else{i(u,u.text.slice(0,l.ch)+c[0],o(0)),i(d,h+d.text.slice(s.ch),p);var g=a(1,c.length-1);f>1&&e.remove(l.line+1,f-1),e.insert(l.line+1,g)}Tn(e,"change",e,t)}function ki(e,t,n){function r(e,o,i){if(e.linked)for(var a=0;a<e.linked.length;++a){var l=e.linked[a];if(l.doc!=o){var s=i&&l.sharedHist;n&&!s||(t(l.doc,s),r(l.doc,e,s))}}}r(e,null,!0)}function Ei(e,t){if(t.cm)throw new Error("This document is already in use.");e.doc=t,t.cm=e,Rr(e),wi(e),Ai(e),e.options.direction=t.direction,e.options.lineWrapping||hn(e),e.options.mode=t.modeOption,jr(e)}function Ai(e){("rtl"==e.doc.direction?I:M)(e.display.lineDiv,"CodeMirror-rtl")}function Ci(e){Oo(e,(function(){Ai(e),jr(e)}))}function Bi(e){this.done=[],this.undone=[],this.undoDepth=e?e.undoDepth:1/0,this.lastModTime=this.lastSelTime=0,this.lastOp=this.lastSelOp=null,this.lastOrigin=this.lastSelOrigin=null,this.generation=this.maxGeneration=e?e.maxGeneration:1}function Mi(e,t){var n={from:ht(t.from),to:pi(t),text:nt(e,t.from,t.to)};return Ii(e,n,t.from.line,t.to.line+1),ki(e,(function(e){return Ii(e,n,t.from.line,t.to.line+1)}),!0),n}function _i(e){for(;e.length&&ee(e).ranges;)e.pop()}function Si(e,t){return t?(_i(e.done),ee(e.done)):e.done.length&&!ee(e.done).ranges?ee(e.done):e.done.length>1&&!e.done[e.done.length-2].ranges?(e.done.pop(),ee(e.done)):void 0}function Ni(e,t,n,r){var o=e.history;o.undone.length=0;var i,a,l=+new Date;if((o.lastOp==r||o.lastOrigin==t.origin&&t.origin&&("+"==t.origin.charAt(0)&&o.lastModTime>l-(e.cm?e.cm.options.historyEventDelay:500)||"*"==t.origin.charAt(0)))&&(i=Si(o,o.lastOp==r)))a=ee(i.changes),0==ut(t.from,t.to)&&0==ut(t.from,a.to)?a.to=pi(t):i.changes.push(Mi(e,t));else{var s=ee(o.done);for(s&&s.ranges||Ti(e.sel,o.done),i={changes:[Mi(e,t)],generation:o.generation},o.done.push(i);o.done.length>o.undoDepth;)o.done.shift(),o.done[0].ranges||o.done.shift()}o.done.push(n),o.generation=++o.maxGeneration,o.lastModTime=o.lastSelTime=l,o.lastOp=o.lastSelOp=r,o.lastOrigin=o.lastSelOrigin=t.origin,a||ke(e,"historyAdded")}function Vi(e,t,n,r){var o=t.charAt(0);return"*"==o||"+"==o&&n.ranges.length==r.ranges.length&&n.somethingSelected()==r.somethingSelected()&&new Date-e.history.lastSelTime<=(e.cm?e.cm.options.historyEventDelay:500)}function Li(e,t,n,r){var o=e.history,i=r&&r.origin;n==o.lastSelOp||i&&o.lastSelOrigin==i&&(o.lastModTime==o.lastSelTime&&o.lastOrigin==i||Vi(e,i,ee(o.done),t))?o.done[o.done.length-1]=t:Ti(t,o.done),o.lastSelTime=+new Date,o.lastSelOrigin=i,o.lastSelOp=n,r&&!1!==r.clearRedo&&_i(o.undone)}function Ti(e,t){var n=ee(t);n&&n.ranges&&n.equals(e)||t.push(e)}function Ii(e,t,n,r){var o=t["spans_"+e.id],i=0;e.iter(Math.max(e.first,n),Math.min(e.first+e.size,r),(function(n){n.markedSpans&&((o||(o=t["spans_"+e.id]={}))[i]=n.markedSpans),++i}))}function Zi(e){if(!e)return null;for(var t,n=0;n<e.length;++n)e[n].marker.explicitlyCleared?t||(t=e.slice(0,n)):t&&t.push(e[n]);return t?t.length?t:null:e}function Oi(e,t){var n=t["spans_"+e.id];if(!n)return null;for(var r=[],o=0;o<t.text.length;++o)r.push(Zi(n[o]));return r}function Di(e,t){var n=Oi(e,t),r=zt(e,t);if(!n)return r;if(!r)return n;for(var o=0;o<n.length;++o){var i=n[o],a=r[o];if(i&&a)e:for(var l=0;l<a.length;++l){for(var s=a[l],c=0;c<i.length;++c)if(i[c].marker==s.marker)continue e;i.push(s)}else a&&(n[o]=a)}return n}function Ri(e,t,n){for(var r=[],o=0;o<e.length;++o){var i=e[o];if(i.ranges)r.push(n?ci.prototype.deepCopy.call(i):i);else{var a=i.changes,l=[];r.push({changes:l});for(var s=0;s<a.length;++s){var c=a[s],u=void 0;if(l.push({from:c.from,to:c.to,text:c.text}),t)for(var d in c)(u=d.match(/^spans_(\d+)$/))&&U(t,Number(u[1]))>-1&&(ee(l)[d]=c[d],delete c[d])}}}return r}function Hi(e,t,n,r){if(r){var o=e.anchor;if(n){var i=ut(t,o)<0;i!=ut(n,o)<0?(o=t,t=n):i!=ut(t,n)<0&&(t=n)}return new ui(o,t)}return new ui(n||t,t)}function Pi(e,t,n,r,o){null==o&&(o=e.cm&&(e.cm.display.shift||e.extend)),$i(e,new ci([Hi(e.sel.primary(),t,n,o)],0),r)}function ji(e,t,n){for(var r=[],o=e.cm&&(e.cm.display.shift||e.extend),i=0;i<e.sel.ranges.length;i++)r[i]=Hi(e.sel.ranges[i],t[i],null,o);$i(e,di(e.cm,r,e.sel.primIndex),n)}function Fi(e,t,n,r){var o=e.sel.ranges.slice(0);o[t]=n,$i(e,di(e.cm,o,e.sel.primIndex),r)}function zi(e,t,n,r){$i(e,hi(t,n),r)}function qi(e,t,n){var r={ranges:t.ranges,update:function(t){this.ranges=[];for(var n=0;n<t.length;n++)this.ranges[n]=new ui(vt(e,t[n].anchor),vt(e,t[n].head))},origin:n&&n.origin};return ke(e,"beforeSelectionChange",e,r),e.cm&&ke(e.cm,"beforeSelectionChange",e.cm,r),r.ranges!=t.ranges?di(e.cm,r.ranges,r.ranges.length-1):t}function Ui(e,t,n){var r=e.history.done,o=ee(r);o&&o.ranges?(r[r.length-1]=t,Wi(e,t,n)):$i(e,t,n)}function $i(e,t,n){Wi(e,t,n),Li(e,e.sel,e.cm?e.cm.curOp.id:NaN,n)}function Wi(e,t,n){(Ce(e,"beforeSelectionChange")||e.cm&&Ce(e.cm,"beforeSelectionChange"))&&(t=qi(e,t,n));var r=n&&n.bias||(ut(t.primary().head,e.sel.primary().head)<0?-1:1);Gi(e,Yi(e,t,r,!0)),n&&!1===n.scroll||!e.cm||"nocursor"==e.cm.getOption("readOnly")||ho(e.cm)}function Gi(e,t){t.equals(e.sel)||(e.sel=t,e.cm&&(e.cm.curOp.updateInput=1,e.cm.curOp.selectionChanged=!0,Ae(e.cm)),Tn(e,"cursorActivity",e))}function Ki(e){Gi(e,Yi(e,e.sel,null,!1))}function Yi(e,t,n,r){for(var o,i=0;i<t.ranges.length;i++){var a=t.ranges[i],l=t.ranges.length==e.sel.ranges.length&&e.sel.ranges[i],s=Ji(e,a.anchor,l&&l.anchor,n,r),c=a.head==a.anchor?s:Ji(e,a.head,l&&l.head,n,r);(o||s!=a.anchor||c!=a.head)&&(o||(o=t.ranges.slice(0,i)),o[i]=new ui(s,c))}return o?di(e.cm,o,t.primIndex):t}function Xi(e,t,n,r,o){var i=tt(e,t.line);if(i.markedSpans)for(var a=0;a<i.markedSpans.length;++a){var l=i.markedSpans[a],s=l.marker,c="selectLeft"in s?!s.selectLeft:s.inclusiveLeft,u="selectRight"in s?!s.selectRight:s.inclusiveRight;if((null==l.from||(c?l.from<=t.ch:l.from<t.ch))&&(null==l.to||(u?l.to>=t.ch:l.to>t.ch))){if(o&&(ke(s,"beforeCursorEnter"),s.explicitlyCleared)){if(i.markedSpans){--a;continue}break}if(!s.atomic)continue;if(n){var d=s.find(r<0?1:-1),h=void 0;if((r<0?u:c)&&(d=Qi(e,d,-r,d&&d.line==t.line?i:null)),d&&d.line==t.line&&(h=ut(d,n))&&(r<0?h<0:h>0))return Xi(e,d,t,r,o)}var p=s.find(r<0?-1:1);return(r<0?c:u)&&(p=Qi(e,p,r,p.line==t.line?i:null)),p?Xi(e,p,t,r,o):null}}return t}function Ji(e,t,n,r,o){var i=r||1,a=Xi(e,t,n,i,o)||!o&&Xi(e,t,n,i,!0)||Xi(e,t,n,-i,o)||!o&&Xi(e,t,n,-i,!0);return a||(e.cantEdit=!0,ct(e.first,0))}function Qi(e,t,n,r){return n<0&&0==t.ch?t.line>e.first?vt(e,ct(t.line-1)):null:n>0&&t.ch==(r||tt(e,t.line)).text.length?t.line<e.first+e.size-1?ct(t.line+1,0):null:new ct(t.line,t.ch+n)}function ea(e){e.setSelection(ct(e.firstLine(),0),ct(e.lastLine()),G)}function ta(e,t,n){var r={canceled:!1,from:t.from,to:t.to,text:t.text,origin:t.origin,cancel:function(){return r.canceled=!0}};return n&&(r.update=function(t,n,o,i){t&&(r.from=vt(e,t)),n&&(r.to=vt(e,n)),o&&(r.text=o),void 0!==i&&(r.origin=i)}),ke(e,"beforeChange",e,r),e.cm&&ke(e.cm,"beforeChange",e.cm,r),r.canceled?(e.cm&&(e.cm.curOp.updateInput=2),null):{from:r.from,to:r.to,text:r.text,origin:r.origin}}function na(e,t,n){if(e.cm){if(!e.cm.curOp)return Do(e.cm,na)(e,t,n);if(e.cm.state.suppressEdits)return}if(!(Ce(e,"beforeChange")||e.cm&&Ce(e.cm,"beforeChange"))||(t=ta(e,t,!0))){var r=Tt&&!n&&Ut(e,t.from,t.to);if(r)for(var o=r.length-1;o>=0;--o)ra(e,{from:r[o].from,to:r[o].to,text:o?[""]:t.text,origin:t.origin});else ra(e,t)}}function ra(e,t){if(1!=t.text.length||""!=t.text[0]||0!=ut(t.from,t.to)){var n=mi(e,t);Ni(e,t,n,e.cm?e.cm.curOp.id:NaN),aa(e,t,n,zt(e,t));var r=[];ki(e,(function(e,n){n||-1!=U(r,e.history)||(da(e.history,t),r.push(e.history)),aa(e,t,null,zt(e,t))}))}}function oa(e,t,n){var r=e.cm&&e.cm.state.suppressEdits;if(!r||n){for(var o,i=e.history,a=e.sel,l="undo"==t?i.done:i.undone,s="undo"==t?i.undone:i.done,c=0;c<l.length&&(o=l[c],n?!o.ranges||o.equals(e.sel):o.ranges);c++);if(c!=l.length){for(i.lastOrigin=i.lastSelOrigin=null;;){if(!(o=l.pop()).ranges){if(r)return void l.push(o);break}if(Ti(o,s),n&&!o.equals(e.sel))return void $i(e,o,{clearRedo:!1});a=o}var u=[];Ti(a,s),s.push({changes:u,generation:i.generation}),i.generation=o.generation||++i.maxGeneration;for(var d=Ce(e,"beforeChange")||e.cm&&Ce(e.cm,"beforeChange"),h=function(n){var r=o.changes[n];if(r.origin=t,d&&!ta(e,r,!1))return l.length=0,{};u.push(Mi(e,r));var i=n?mi(e,r):ee(l);aa(e,r,i,Di(e,r)),!n&&e.cm&&e.cm.scrollIntoView({from:r.from,to:pi(r)});var a=[];ki(e,(function(e,t){t||-1!=U(a,e.history)||(da(e.history,r),a.push(e.history)),aa(e,r,null,Di(e,r))}))},p=o.changes.length-1;p>=0;--p){var f=h(p);if(f)return f.v}}}}function ia(e,t){if(0!=t&&(e.first+=t,e.sel=new ci(te(e.sel.ranges,(function(e){return new ui(ct(e.anchor.line+t,e.anchor.ch),ct(e.head.line+t,e.head.ch))})),e.sel.primIndex),e.cm)){jr(e.cm,e.first,e.first-t,t);for(var n=e.cm.display,r=n.viewFrom;r<n.viewTo;r++)Fr(e.cm,r,"gutter")}}function aa(e,t,n,r){if(e.cm&&!e.cm.curOp)return Do(e.cm,aa)(e,t,n,r);if(t.to.line<e.first)ia(e,t.text.length-1-(t.to.line-t.from.line));else if(!(t.from.line>e.lastLine())){if(t.from.line<e.first){var o=t.text.length-1-(e.first-t.from.line);ia(e,o),t={from:ct(e.first,0),to:ct(t.to.line+o,t.to.ch),text:[ee(t.text)],origin:t.origin}}var i=e.lastLine();t.to.line>i&&(t={from:t.from,to:ct(i,tt(e,i).text.length),text:[t.text[0]],origin:t.origin}),t.removed=nt(e,t.from,t.to),n||(n=mi(e,t)),e.cm?la(e.cm,t,r):xi(e,t,r),Wi(e,n,G),e.cantEdit&&Ji(e,ct(e.firstLine(),0))&&(e.cantEdit=!1)}}function la(e,t,n){var r=e.doc,o=e.display,i=t.from,a=t.to,l=!1,s=i.line;e.options.lineWrapping||(s=it(nn(tt(r,i.line))),r.iter(s,a.line+1,(function(e){if(e==o.maxLine)return l=!0,!0}))),r.sel.contains(t.from,t.to)>-1&&Ae(e),xi(r,t,n,Dr(e)),e.options.lineWrapping||(r.iter(s,i.line+t.text.length,(function(e){var t=dn(e);t>o.maxLineLength&&(o.maxLine=e,o.maxLineLength=t,o.maxLineChanged=!0,l=!1)})),l&&(e.curOp.updateMaxLine=!0)),Lt(r,i.line),Po(e,400);var c=t.text.length-(a.line-i.line)-1;t.full?jr(e):i.line!=a.line||1!=t.text.length||bi(e.doc,t)?jr(e,i.line,a.line+1,c):Fr(e,i.line,"text");var u=Ce(e,"changes"),d=Ce(e,"change");if(d||u){var h={from:i,to:a,text:t.text,removed:t.removed,origin:t.origin};d&&Tn(e,"change",e,h),u&&(e.curOp.changeObjs||(e.curOp.changeObjs=[])).push(h)}e.display.selForContextMenu=null}function sa(e,t,n,r,o){var i;r||(r=n),ut(r,n)<0&&(n=(i=[r,n])[0],r=i[1]),"string"==typeof t&&(t=e.splitLines(t)),na(e,{from:n,to:r,text:t,origin:o})}function ca(e,t,n,r){n<e.line?e.line+=r:t<e.line&&(e.line=t,e.ch=0)}function ua(e,t,n,r){for(var o=0;o<e.length;++o){var i=e[o],a=!0;if(i.ranges){i.copied||((i=e[o]=i.deepCopy()).copied=!0);for(var l=0;l<i.ranges.length;l++)ca(i.ranges[l].anchor,t,n,r),ca(i.ranges[l].head,t,n,r)}else{for(var s=0;s<i.changes.length;++s){var c=i.changes[s];if(n<c.from.line)c.from=ct(c.from.line+r,c.from.ch),c.to=ct(c.to.line+r,c.to.ch);else if(t<=c.to.line){a=!1;break}}a||(e.splice(0,o+1),o=0)}}}function da(e,t){var n=t.from.line,r=t.to.line,o=t.text.length-(r-n)-1;ua(e.done,n,r,o),ua(e.undone,n,r,o)}function ha(e,t,n,r){var o=t,i=t;return"number"==typeof t?i=tt(e,mt(e,t)):o=it(t),null==o?null:(r(i,o)&&e.cm&&Fr(e.cm,o,n),i)}function pa(e){this.lines=e,this.parent=null;for(var t=0,n=0;n<e.length;++n)e[n].parent=this,t+=e[n].height;this.height=t}function fa(e){this.children=e;for(var t=0,n=0,r=0;r<e.length;++r){var o=e[r];t+=o.chunkSize(),n+=o.height,o.parent=this}this.size=t,this.height=n,this.parent=null}ui.prototype.from=function(){return ft(this.anchor,this.head)},ui.prototype.to=function(){return pt(this.anchor,this.head)},ui.prototype.empty=function(){return this.head.line==this.anchor.line&&this.head.ch==this.anchor.ch},pa.prototype={chunkSize:function(){return this.lines.length},removeInner:function(e,t){for(var n=e,r=e+t;n<r;++n){var o=this.lines[n];this.height-=o.height,mn(o),Tn(o,"delete")}this.lines.splice(e,t)},collapse:function(e){e.push.apply(e,this.lines)},insertInner:function(e,t,n){this.height+=n,this.lines=this.lines.slice(0,e).concat(t).concat(this.lines.slice(e));for(var r=0;r<t.length;++r)t[r].parent=this},iterN:function(e,t,n){for(var r=e+t;e<r;++e)if(n(this.lines[e]))return!0}},fa.prototype={chunkSize:function(){return this.size},removeInner:function(e,t){this.size-=t;for(var n=0;n<this.children.length;++n){var r=this.children[n],o=r.chunkSize();if(e<o){var i=Math.min(t,o-e),a=r.height;if(r.removeInner(e,i),this.height-=a-r.height,o==i&&(this.children.splice(n--,1),r.parent=null),0==(t-=i))break;e=0}else e-=o}if(this.size-t<25&&(this.children.length>1||!(this.children[0]instanceof pa))){var l=[];this.collapse(l),this.children=[new pa(l)],this.children[0].parent=this}},collapse:function(e){for(var t=0;t<this.children.length;++t)this.children[t].collapse(e)},insertInner:function(e,t,n){this.size+=t.length,this.height+=n;for(var r=0;r<this.children.length;++r){var o=this.children[r],i=o.chunkSize();if(e<=i){if(o.insertInner(e,t,n),o.lines&&o.lines.length>50){for(var a=o.lines.length%25+25,l=a;l<o.lines.length;){var s=new pa(o.lines.slice(l,l+=25));o.height-=s.height,this.children.splice(++r,0,s),s.parent=this}o.lines=o.lines.slice(0,a),this.maybeSpill()}break}e-=i}},maybeSpill:function(){if(!(this.children.length<=10)){var e=this;do{var t=new fa(e.children.splice(e.children.length-5,5));if(e.parent){e.size-=t.size,e.height-=t.height;var n=U(e.parent.children,e);e.parent.children.splice(n+1,0,t)}else{var r=new fa(e.children);r.parent=e,e.children=[r,t],e=r}t.parent=e.parent}while(e.children.length>10);e.parent.maybeSpill()}},iterN:function(e,t,n){for(var r=0;r<this.children.length;++r){var o=this.children[r],i=o.chunkSize();if(e<i){var a=Math.min(t,i-e);if(o.iterN(e,a,n))return!0;if(0==(t-=a))break;e=0}else e-=i}}};var ma=function(e,t,n){if(n)for(var r in n)n.hasOwnProperty(r)&&(this[r]=n[r]);this.doc=e,this.node=t};function va(e,t,n){un(t)<(e.curOp&&e.curOp.scrollTop||e.doc.scrollTop)&&uo(e,n)}function ga(e,t,n,r){var o=new ma(e,n,r),i=e.cm;return i&&o.noHScroll&&(i.display.alignWidgets=!0),ha(e,t,"widget",(function(t){var n=t.widgets||(t.widgets=[]);if(null==o.insertAt?n.push(o):n.splice(Math.min(n.length,Math.max(0,o.insertAt)),0,o),o.line=t,i&&!sn(e,t)){var r=un(t)<e.scrollTop;ot(t,t.height+Wn(o)),r&&uo(i,o.height),i.curOp.forceUpdate=!0}return!0})),i&&Tn(i,"lineWidgetAdded",i,o,"number"==typeof t?t:it(t)),o}ma.prototype.clear=function(){var e=this.doc.cm,t=this.line.widgets,n=this.line,r=it(n);if(null!=r&&t){for(var o=0;o<t.length;++o)t[o]==this&&t.splice(o--,1);t.length||(n.widgets=null);var i=Wn(this);ot(n,Math.max(0,n.height-i)),e&&(Oo(e,(function(){va(e,n,-i),Fr(e,r,"widget")})),Tn(e,"lineWidgetCleared",e,this,r))}},ma.prototype.changed=function(){var e=this,t=this.height,n=this.doc.cm,r=this.line;this.height=null;var o=Wn(this)-t;o&&(sn(this.doc,r)||ot(r,r.height+o),n&&Oo(n,(function(){n.curOp.forceUpdate=!0,va(n,r,o),Tn(n,"lineWidgetChanged",n,e,it(r))})))},Be(ma);var wa=0,ya=function(e,t){this.lines=[],this.type=t,this.doc=e,this.id=++wa};function ba(e,t,n,r,o){if(r&&r.shared)return ka(e,t,n,r,o);if(e.cm&&!e.cm.curOp)return Do(e.cm,ba)(e,t,n,r,o);var i=new ya(e,o),a=ut(t,n);if(r&&F(r,i,!1),a>0||0==a&&!1!==i.clearWhenEmpty)return i;if(i.replacedWith&&(i.collapsed=!0,i.widgetNode=V("span",[i.replacedWith],"CodeMirror-widget"),r.handleMouseEvents||i.widgetNode.setAttribute("cm-ignore-events","true"),r.insertLeft&&(i.widgetNode.insertLeft=!0)),i.collapsed){if(tn(e,t.line,t,n,i)||t.line!=n.line&&tn(e,n.line,t,n,i))throw new Error("Inserting collapsed marker partially overlapping an existing one");Ot()}i.addToHistory&&Ni(e,{from:t,to:n,origin:"markText"},e.sel,NaN);var l,s=t.line,c=e.cm;if(e.iter(s,n.line+1,(function(r){c&&i.collapsed&&!c.options.lineWrapping&&nn(r)==c.display.maxLine&&(l=!0),i.collapsed&&s!=t.line&&ot(r,0),Pt(r,new Dt(i,s==t.line?t.ch:null,s==n.line?n.ch:null),e.cm&&e.cm.curOp),++s})),i.collapsed&&e.iter(t.line,n.line+1,(function(t){sn(e,t)&&ot(t,0)})),i.clearOnEnter&&ye(i,"beforeCursorEnter",(function(){return i.clear()})),i.readOnly&&(Zt(),(e.history.done.length||e.history.undone.length)&&e.clearHistory()),i.collapsed&&(i.id=++wa,i.atomic=!0),c){if(l&&(c.curOp.updateMaxLine=!0),i.collapsed)jr(c,t.line,n.line+1);else if(i.className||i.startStyle||i.endStyle||i.css||i.attributes||i.title)for(var u=t.line;u<=n.line;u++)Fr(c,u,"text");i.atomic&&Ki(c.doc),Tn(c,"markerAdded",c,i)}return i}ya.prototype.clear=function(){if(!this.explicitlyCleared){var e=this.doc.cm,t=e&&!e.curOp;if(t&&_o(e),Ce(this,"clear")){var n=this.find();n&&Tn(this,"clear",n.from,n.to)}for(var r=null,o=null,i=0;i<this.lines.length;++i){var a=this.lines[i],l=Rt(a.markedSpans,this);e&&!this.collapsed?Fr(e,it(a),"text"):e&&(null!=l.to&&(o=it(a)),null!=l.from&&(r=it(a))),a.markedSpans=Ht(a.markedSpans,l),null==l.from&&this.collapsed&&!sn(this.doc,a)&&e&&ot(a,Tr(e.display))}if(e&&this.collapsed&&!e.options.lineWrapping)for(var s=0;s<this.lines.length;++s){var c=nn(this.lines[s]),u=dn(c);u>e.display.maxLineLength&&(e.display.maxLine=c,e.display.maxLineLength=u,e.display.maxLineChanged=!0)}null!=r&&e&&this.collapsed&&jr(e,r,o+1),this.lines.length=0,this.explicitlyCleared=!0,this.atomic&&this.doc.cantEdit&&(this.doc.cantEdit=!1,e&&Ki(e.doc)),e&&Tn(e,"markerCleared",e,this,r,o),t&&So(e),this.parent&&this.parent.clear()}},ya.prototype.find=function(e,t){var n,r;null==e&&"bookmark"==this.type&&(e=1);for(var o=0;o<this.lines.length;++o){var i=this.lines[o],a=Rt(i.markedSpans,this);if(null!=a.from&&(n=ct(t?i:it(i),a.from),-1==e))return n;if(null!=a.to&&(r=ct(t?i:it(i),a.to),1==e))return r}return n&&{from:n,to:r}},ya.prototype.changed=function(){var e=this,t=this.find(-1,!0),n=this,r=this.doc.cm;t&&r&&Oo(r,(function(){var o=t.line,i=it(t.line),a=ir(r,i);if(a&&(fr(a),r.curOp.selectionChanged=r.curOp.forceUpdate=!0),r.curOp.updateMaxLine=!0,!sn(n.doc,o)&&null!=n.height){var l=n.height;n.height=null;var s=Wn(n)-l;s&&ot(o,o.height+s)}Tn(r,"markerChanged",r,e)}))},ya.prototype.attachLine=function(e){if(!this.lines.length&&this.doc.cm){var t=this.doc.cm.curOp;t.maybeHiddenMarkers&&-1!=U(t.maybeHiddenMarkers,this)||(t.maybeUnhiddenMarkers||(t.maybeUnhiddenMarkers=[])).push(this)}this.lines.push(e)},ya.prototype.detachLine=function(e){if(this.lines.splice(U(this.lines,e),1),!this.lines.length&&this.doc.cm){var t=this.doc.cm.curOp;(t.maybeHiddenMarkers||(t.maybeHiddenMarkers=[])).push(this)}},Be(ya);var xa=function(e,t){this.markers=e,this.primary=t;for(var n=0;n<e.length;++n)e[n].parent=this};function ka(e,t,n,r,o){(r=F(r)).shared=!1;var i=[ba(e,t,n,r,o)],a=i[0],l=r.widgetNode;return ki(e,(function(e){l&&(r.widgetNode=l.cloneNode(!0)),i.push(ba(e,vt(e,t),vt(e,n),r,o));for(var s=0;s<e.linked.length;++s)if(e.linked[s].isParent)return;a=ee(i)})),new xa(i,a)}function Ea(e){return e.findMarks(ct(e.first,0),e.clipPos(ct(e.lastLine())),(function(e){return e.parent}))}function Aa(e,t){for(var n=0;n<t.length;n++){var r=t[n],o=r.find(),i=e.clipPos(o.from),a=e.clipPos(o.to);if(ut(i,a)){var l=ba(e,i,a,r.primary,r.primary.type);r.markers.push(l),l.parent=r}}}function Ca(e){for(var t=function(t){var n=e[t],r=[n.primary.doc];ki(n.primary.doc,(function(e){return r.push(e)}));for(var o=0;o<n.markers.length;o++){var i=n.markers[o];-1==U(r,i.doc)&&(i.parent=null,n.markers.splice(o--,1))}},n=0;n<e.length;n++)t(n)}xa.prototype.clear=function(){if(!this.explicitlyCleared){this.explicitlyCleared=!0;for(var e=0;e<this.markers.length;++e)this.markers[e].clear();Tn(this,"clear")}},xa.prototype.find=function(e,t){return this.primary.find(e,t)},Be(xa);var Ba=0,Ma=function(e,t,n,r,o){if(!(this instanceof Ma))return new Ma(e,t,n,r,o);null==n&&(n=0),fa.call(this,[new pa([new pn("",null)])]),this.first=n,this.scrollTop=this.scrollLeft=0,this.cantEdit=!1,this.cleanGeneration=1,this.modeFrontier=this.highlightFrontier=n;var i=ct(n,0);this.sel=hi(i),this.history=new Bi(null),this.id=++Ba,this.modeOption=t,this.lineSep=r,this.direction="rtl"==o?"rtl":"ltr",this.extend=!1,"string"==typeof e&&(e=this.splitLines(e)),xi(this,{from:i,to:i,text:e}),$i(this,hi(i),G)};Ma.prototype=oe(fa.prototype,{constructor:Ma,iter:function(e,t,n){n?this.iterN(e-this.first,t-e,n):this.iterN(this.first,this.first+this.size,e)},insert:function(e,t){for(var n=0,r=0;r<t.length;++r)n+=t[r].height;this.insertInner(e-this.first,t,n)},remove:function(e,t){this.removeInner(e-this.first,t)},getValue:function(e){var t=rt(this,this.first,this.first+this.size);return!1===e?t:t.join(e||this.lineSeparator())},setValue:Ho((function(e){var t=ct(this.first,0),n=this.first+this.size-1;na(this,{from:t,to:ct(n,tt(this,n).text.length),text:this.splitLines(e),origin:"setValue",full:!0},!0),this.cm&&po(this.cm,0,0),$i(this,hi(t),G)})),replaceRange:function(e,t,n,r){sa(this,e,t=vt(this,t),n=n?vt(this,n):t,r)},getRange:function(e,t,n){var r=nt(this,vt(this,e),vt(this,t));return!1===n?r:""===n?r.join(""):r.join(n||this.lineSeparator())},getLine:function(e){var t=this.getLineHandle(e);return t&&t.text},getLineHandle:function(e){if(lt(this,e))return tt(this,e)},getLineNumber:function(e){return it(e)},getLineHandleVisualStart:function(e){return"number"==typeof e&&(e=tt(this,e)),nn(e)},lineCount:function(){return this.size},firstLine:function(){return this.first},lastLine:function(){return this.first+this.size-1},clipPos:function(e){return vt(this,e)},getCursor:function(e){var t=this.sel.primary();return null==e||"head"==e?t.head:"anchor"==e?t.anchor:"end"==e||"to"==e||!1===e?t.to():t.from()},listSelections:function(){return this.sel.ranges},somethingSelected:function(){return this.sel.somethingSelected()},setCursor:Ho((function(e,t,n){zi(this,vt(this,"number"==typeof e?ct(e,t||0):e),null,n)})),setSelection:Ho((function(e,t,n){zi(this,vt(this,e),vt(this,t||e),n)})),extendSelection:Ho((function(e,t,n){Pi(this,vt(this,e),t&&vt(this,t),n)})),extendSelections:Ho((function(e,t){ji(this,wt(this,e),t)})),extendSelectionsBy:Ho((function(e,t){ji(this,wt(this,te(this.sel.ranges,e)),t)})),setSelections:Ho((function(e,t,n){if(e.length){for(var r=[],o=0;o<e.length;o++)r[o]=new ui(vt(this,e[o].anchor),vt(this,e[o].head||e[o].anchor));null==t&&(t=Math.min(e.length-1,this.sel.primIndex)),$i(this,di(this.cm,r,t),n)}})),addSelection:Ho((function(e,t,n){var r=this.sel.ranges.slice(0);r.push(new ui(vt(this,e),vt(this,t||e))),$i(this,di(this.cm,r,r.length-1),n)})),getSelection:function(e){for(var t,n=this.sel.ranges,r=0;r<n.length;r++){var o=nt(this,n[r].from(),n[r].to());t=t?t.concat(o):o}return!1===e?t:t.join(e||this.lineSeparator())},getSelections:function(e){for(var t=[],n=this.sel.ranges,r=0;r<n.length;r++){var o=nt(this,n[r].from(),n[r].to());!1!==e&&(o=o.join(e||this.lineSeparator())),t[r]=o}return t},replaceSelection:function(e,t,n){for(var r=[],o=0;o<this.sel.ranges.length;o++)r[o]=e;this.replaceSelections(r,t,n||"+input")},replaceSelections:Ho((function(e,t,n){for(var r=[],o=this.sel,i=0;i<o.ranges.length;i++){var a=o.ranges[i];r[i]={from:a.from(),to:a.to(),text:this.splitLines(e[i]),origin:n}}for(var l=t&&"end"!=t&&gi(this,r,t),s=r.length-1;s>=0;s--)na(this,r[s]);l?Ui(this,l):this.cm&&ho(this.cm)})),undo:Ho((function(){oa(this,"undo")})),redo:Ho((function(){oa(this,"redo")})),undoSelection:Ho((function(){oa(this,"undo",!0)})),redoSelection:Ho((function(){oa(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.done.length;r++)e.done[r].ranges||++t;for(var o=0;o<e.undone.length;o++)e.undone[o].ranges||++n;return{undo:t,redo:n}},clearHistory:function(){var e=this;this.history=new Bi(this.history),ki(this,(function(t){return t.history=e.history}),!0)},markClean:function(){this.cleanGeneration=this.changeGeneration(!0)},changeGeneration:function(e){return e&&(this.history.lastOp=this.history.lastSelOp=this.history.lastOrigin=null),this.history.generation},isClean:function(e){return this.history.generation==(e||this.cleanGeneration)},getHistory:function(){return{done:Ri(this.history.done),undone:Ri(this.history.undone)}},setHistory:function(e){var t=this.history=new Bi(this.history);t.done=Ri(e.done.slice(0),null,!0),t.undone=Ri(e.undone.slice(0),null,!0)},setGutterMarker:Ho((function(e,t,n){return ha(this,e,"gutter",(function(e){var r=e.gutterMarkers||(e.gutterMarkers={});return r[t]=n,!n&&se(r)&&(e.gutterMarkers=null),!0}))})),clearGutter:Ho((function(e){var t=this;this.iter((function(n){n.gutterMarkers&&n.gutterMarkers[e]&&ha(t,n,"gutter",(function(){return n.gutterMarkers[e]=null,se(n.gutterMarkers)&&(n.gutterMarkers=null),!0}))}))})),lineInfo:function(e){var t;if("number"==typeof e){if(!lt(this,e))return null;if(t=e,!(e=tt(this,e)))return null}else if(null==(t=it(e)))return null;return{line:t,handle:e,text:e.text,gutterMarkers:e.gutterMarkers,textClass:e.textClass,bgClass:e.bgClass,wrapClass:e.wrapClass,widgets:e.widgets}},addLineClass:Ho((function(e,t,n){return ha(this,e,"gutter"==t?"gutter":"class",(function(e){var r="text"==t?"textClass":"background"==t?"bgClass":"gutter"==t?"gutterClass":"wrapClass";if(e[r]){if(C(n).test(e[r]))return!1;e[r]+=" "+n}else e[r]=n;return!0}))})),removeLineClass:Ho((function(e,t,n){return ha(this,e,"gutter"==t?"gutter":"class",(function(e){var r="text"==t?"textClass":"background"==t?"bgClass":"gutter"==t?"gutterClass":"wrapClass",o=e[r];if(!o)return!1;if(null==n)e[r]=null;else{var i=o.match(C(n));if(!i)return!1;var a=i.index+i[0].length;e[r]=o.slice(0,i.index)+(i.index&&a!=o.length?" ":"")+o.slice(a)||null}return!0}))})),addLineWidget:Ho((function(e,t,n){return ga(this,e,t,n)})),removeLineWidget:function(e){e.clear()},markText:function(e,t,n){return ba(this,vt(this,e),vt(this,t),n,n&&n.type||"range")},setBookmark:function(e,t){var n={replacedWith:t&&(null==t.nodeType?t.widget:t),insertLeft:t&&t.insertLeft,clearWhenEmpty:!1,shared:t&&t.shared,handleMouseEvents:t&&t.handleMouseEvents};return ba(this,e=vt(this,e),e,n,"bookmark")},findMarksAt:function(e){var t=[],n=tt(this,(e=vt(this,e)).line).markedSpans;if(n)for(var r=0;r<n.length;++r){var o=n[r];(null==o.from||o.from<=e.ch)&&(null==o.to||o.to>=e.ch)&&t.push(o.marker.parent||o.marker)}return t},findMarks:function(e,t,n){e=vt(this,e),t=vt(this,t);var r=[],o=e.line;return this.iter(e.line,t.line+1,(function(i){var a=i.markedSpans;if(a)for(var l=0;l<a.length;l++){var s=a[l];null!=s.to&&o==e.line&&e.ch>=s.to||null==s.from&&o!=e.line||null!=s.from&&o==t.line&&s.from>=t.ch||n&&!n(s.marker)||r.push(s.marker.parent||s.marker)}++o})),r},getAllMarks:function(){var e=[];return this.iter((function(t){var n=t.markedSpans;if(n)for(var r=0;r<n.length;++r)null!=n[r].from&&e.push(n[r].marker)})),e},posFromIndex:function(e){var t,n=this.first,r=this.lineSeparator().length;return this.iter((function(o){var i=o.text.length+r;if(i>e)return t=e,!0;e-=i,++n})),vt(this,ct(n,t))},indexFromPos:function(e){var t=(e=vt(this,e)).ch;if(e.line<this.first||e.ch<0)return 0;var n=this.lineSeparator().length;return this.iter(this.first,e.line,(function(e){t+=e.text.length+n})),t},copy:function(e){var t=new Ma(rt(this,this.first,this.first+this.size),this.modeOption,this.first,this.lineSep,this.direction);return t.scrollTop=this.scrollTop,t.scrollLeft=this.scrollLeft,t.sel=this.sel,t.extend=!1,e&&(t.history.undoDepth=this.history.undoDepth,t.setHistory(this.getHistory())),t},linkedDoc:function(e){e||(e={});var t=this.first,n=this.first+this.size;null!=e.from&&e.from>t&&(t=e.from),null!=e.to&&e.to<n&&(n=e.to);var r=new Ma(rt(this,t,n),e.mode||this.modeOption,t,this.lineSep,this.direction);return e.sharedHist&&(r.history=this.history),(this.linked||(this.linked=[])).push({doc:r,sharedHist:e.sharedHist}),r.linked=[{doc:this,isParent:!0,sharedHist:e.sharedHist}],Aa(r,Ea(this)),r},unlinkDoc:function(e){if(e instanceof jl&&(e=e.doc),this.linked)for(var t=0;t<this.linked.length;++t)if(this.linked[t].doc==e){this.linked.splice(t,1),e.unlinkDoc(this),Ca(Ea(this));break}if(e.history==this.history){var n=[e.id];ki(e,(function(e){return n.push(e.id)}),!0),e.history=new Bi(null),e.history.done=Ri(this.history.done,n),e.history.undone=Ri(this.history.undone,n)}},iterLinkedDocs:function(e){ki(this,e)},getMode:function(){return this.mode},getEditor:function(){return this.cm},splitLines:function(e){return this.lineSep?e.split(this.lineSep):Re(e)},lineSeparator:function(){return this.lineSep||"\n"},setDirection:Ho((function(e){"rtl"!=e&&(e="ltr"),e!=this.direction&&(this.direction=e,this.iter((function(e){return e.order=null})),this.cm&&Ci(this.cm))}))}),Ma.prototype.eachLine=Ma.prototype.iter;var _a=0;function Sa(e){var t=this;if(La(t),!Ee(t,e)&&!Gn(t.display,e)){Me(e),a&&(_a=+new Date);var n=Hr(t,e,!0),r=e.dataTransfer.files;if(n&&!t.isReadOnly())if(r&&r.length&&window.FileReader&&window.File)for(var o=r.length,i=Array(o),l=0,s=function(){++l==o&&Do(t,(function(){var e={from:n=vt(t.doc,n),to:n,text:t.doc.splitLines(i.filter((function(e){return null!=e})).join(t.doc.lineSeparator())),origin:"paste"};na(t.doc,e),Ui(t.doc,hi(vt(t.doc,n),vt(t.doc,pi(e))))}))()},c=function(e,n){if(t.options.allowDropFileTypes&&-1==U(t.options.allowDropFileTypes,e.type))s();else{var r=new FileReader;r.onerror=function(){return s()},r.onload=function(){var e=r.result;/[\x00-\x08\x0e-\x1f]{2}/.test(e)||(i[n]=e),s()},r.readAsText(e)}},u=0;u<r.length;u++)c(r[u],u);else{if(t.state.draggingText&&t.doc.sel.contains(n)>-1)return t.state.draggingText(e),void setTimeout((function(){return t.display.input.focus()}),20);try{var d=e.dataTransfer.getData("Text");if(d){var h;if(t.state.draggingText&&!t.state.draggingText.copy&&(h=t.listSelections()),Wi(t.doc,hi(n,n)),h)for(var p=0;p<h.length;++p)sa(t.doc,"",h[p].anchor,h[p].head,"drag");t.replaceSelection(d,"around","paste"),t.display.input.focus()}}catch(e){}}}}function Na(e,t){if(a&&(!e.state.draggingText||+new Date-_a<100))Ne(t);else if(!Ee(e,t)&&!Gn(e.display,t)&&(t.dataTransfer.setData("Text",e.getSelection()),t.dataTransfer.effectAllowed="copyMove",t.dataTransfer.setDragImage&&!p)){var n=N("img",null,null,"position: fixed; left: 0; top: 0;");n.src="data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==",h&&(n.width=n.height=1,e.display.wrapper.appendChild(n),n._top=n.offsetTop),t.dataTransfer.setDragImage(n,0,0),h&&n.parentNode.removeChild(n)}}function Va(e,t){var n=Hr(e,t);if(n){var r=document.createDocumentFragment();Kr(e,n,r),e.display.dragCursor||(e.display.dragCursor=N("div",null,"CodeMirror-cursors CodeMirror-dragcursors"),e.display.lineSpace.insertBefore(e.display.dragCursor,e.display.cursorDiv)),S(e.display.dragCursor,r)}}function La(e){e.display.dragCursor&&(e.display.lineSpace.removeChild(e.display.dragCursor),e.display.dragCursor=null)}function Ta(e){if(document.getElementsByClassName){for(var t=document.getElementsByClassName("CodeMirror"),n=[],r=0;r<t.length;r++){var o=t[r].CodeMirror;o&&n.push(o)}n.length&&n[0].operation((function(){for(var t=0;t<n.length;t++)e(n[t])}))}}var Ia=!1;function Za(){Ia||(Oa(),Ia=!0)}function Oa(){var e;ye(window,"resize",(function(){null==e&&(e=setTimeout((function(){e=null,Ta(Da)}),100))})),ye(window,"blur",(function(){return Ta(no)}))}function Da(e){var t=e.display;t.cachedCharWidth=t.cachedTextHeight=t.cachedPaddingH=null,t.scrollbarsClipped=!1,e.setSize()}for(var Ra={3:"Pause",8:"Backspace",9:"Tab",13:"Enter",16:"Shift",17:"Ctrl",18:"Alt",19:"Pause",20:"CapsLock",27:"Esc",32:"Space",33:"PageUp",34:"PageDown",35:"End",36:"Home",37:"Left",38:"Up",39:"Right",40:"Down",44:"PrintScrn",45:"Insert",46:"Delete",59:";",61:"=",91:"Mod",92:"Mod",93:"Mod",106:"*",107:"=",109:"-",110:".",111:"/",145:"ScrollLock",173:"-",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'",224:"Mod",63232:"Up",63233:"Down",63234:"Left",63235:"Right",63272:"Delete",63273:"Home",63275:"End",63276:"PageUp",63277:"PageDown",63302:"Insert"},Ha=0;Ha<10;Ha++)Ra[Ha+48]=Ra[Ha+96]=String(Ha);for(var Pa=65;Pa<=90;Pa++)Ra[Pa]=String.fromCharCode(Pa);for(var ja=1;ja<=12;ja++)Ra[ja+111]=Ra[ja+63235]="F"+ja;var Fa={};function za(e){var t,n,r,o,i=e.split(/-(?!$)/);e=i[i.length-1];for(var a=0;a<i.length-1;a++){var l=i[a];if(/^(cmd|meta|m)$/i.test(l))o=!0;else if(/^a(lt)?$/i.test(l))t=!0;else if(/^(c|ctrl|control)$/i.test(l))n=!0;else{if(!/^s(hift)?$/i.test(l))throw new Error("Unrecognized modifier name: "+l);r=!0}}return t&&(e="Alt-"+e),n&&(e="Ctrl-"+e),o&&(e="Cmd-"+e),r&&(e="Shift-"+e),e}function qa(e){var t={};for(var n in e)if(e.hasOwnProperty(n)){var r=e[n];if(/^(name|fallthrough|(de|at)tach)$/.test(n))continue;if("..."==r){delete e[n];continue}for(var o=te(n.split(" "),za),i=0;i<o.length;i++){var a=void 0,l=void 0;i==o.length-1?(l=o.join(" "),a=r):(l=o.slice(0,i+1).join(" "),a="...");var s=t[l];if(s){if(s!=a)throw new Error("Inconsistent bindings for "+l)}else t[l]=a}delete e[n]}for(var c in t)e[c]=t[c];return e}function Ua(e,t,n,r){var o=(t=Ka(t)).call?t.call(e,r):t[e];if(!1===o)return"nothing";if("..."===o)return"multi";if(null!=o&&n(o))return"handled";if(t.fallthrough){if("[object Array]"!=Object.prototype.toString.call(t.fallthrough))return Ua(e,t.fallthrough,n,r);for(var i=0;i<t.fallthrough.length;i++){var a=Ua(e,t.fallthrough[i],n,r);if(a)return a}}}function $a(e){var t="string"==typeof e?e:Ra[e.keyCode];return"Ctrl"==t||"Alt"==t||"Shift"==t||"Mod"==t}function Wa(e,t,n){var r=e;return t.altKey&&"Alt"!=r&&(e="Alt-"+e),(E?t.metaKey:t.ctrlKey)&&"Ctrl"!=r&&(e="Ctrl-"+e),(E?t.ctrlKey:t.metaKey)&&"Mod"!=r&&(e="Cmd-"+e),!n&&t.shiftKey&&"Shift"!=r&&(e="Shift-"+e),e}function Ga(e,t){if(h&&34==e.keyCode&&e.char)return!1;var n=Ra[e.keyCode];return null!=n&&!e.altGraphKey&&(3==e.keyCode&&e.code&&(n=e.code),Wa(n,e,t))}function Ka(e){return"string"==typeof e?Fa[e]:e}function Ya(e,t){for(var n=e.doc.sel.ranges,r=[],o=0;o<n.length;o++){for(var i=t(n[o]);r.length&&ut(i.from,ee(r).to)<=0;){var a=r.pop();if(ut(a.from,i.from)<0){i.from=a.from;break}}r.push(i)}Oo(e,(function(){for(var t=r.length-1;t>=0;t--)sa(e.doc,"",r[t].from,r[t].to,"+delete");ho(e)}))}function Xa(e,t,n){var r=de(e.text,t+n,n);return r<0||r>e.text.length?null:r}function Ja(e,t,n){var r=Xa(e,t.ch,n);return null==r?null:new ct(t.line,r,n<0?"after":"before")}function Qa(e,t,n,r,o){if(e){"rtl"==t.doc.direction&&(o=-o);var i=ge(n,t.doc.direction);if(i){var a,l=o<0?ee(i):i[0],s=o<0==(1==l.level)?"after":"before";if(l.level>0||"rtl"==t.doc.direction){var c=ar(t,n);a=o<0?n.text.length-1:0;var u=lr(t,c,a).top;a=he((function(e){return lr(t,c,e).top==u}),o<0==(1==l.level)?l.from:l.to-1,a),"before"==s&&(a=Xa(n,a,1))}else a=o<0?l.to:l.from;return new ct(r,a,s)}}return new ct(r,o<0?n.text.length:0,o<0?"before":"after")}function el(e,t,n,r){var o=ge(t,e.doc.direction);if(!o)return Ja(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 i=me(o,n.ch,n.sticky),a=o[i];if("ltr"==e.doc.direction&&a.level%2==0&&(r>0?a.to>n.ch:a.from<n.ch))return Ja(t,n,r);var l,s=function(e,n){return Xa(t,e instanceof ct?e.ch:e,n)},c=function(n){return e.options.lineWrapping?(l=l||ar(e,t),_r(e,t,l,n)):{begin:0,end:t.text.length}},u=c("before"==n.sticky?s(n,-1):n.ch);if("rtl"==e.doc.direction||1==a.level){var d=1==a.level==r<0,h=s(n,d?1:-1);if(null!=h&&(d?h<=a.to&&h<=u.end:h>=a.from&&h>=u.begin)){var p=d?"before":"after";return new ct(n.line,h,p)}}var f=function(e,t,r){for(var i=function(e,t){return t?new ct(n.line,s(e,1),"before"):new ct(n.line,e,"after")};e>=0&&e<o.length;e+=t){var a=o[e],l=t>0==(1!=a.level),c=l?r.begin:s(r.end,-1);if(a.from<=c&&c<a.to)return i(c,l);if(c=l?a.from:s(a.to,-1),r.begin<=c&&c<r.end)return i(c,l)}},m=f(i+r,r,u);if(m)return m;var v=r>0?u.end:s(u.begin,-1);return null==v||r>0&&v==t.text.length||!(m=f(r>0?0:o.length-1,r,c(v)))?null:m}Fa.basic={Left:"goCharLeft",Right:"goCharRight",Up:"goLineUp",Down:"goLineDown",End:"goLineEnd",Home:"goLineStartSmart",PageUp:"goPageUp",PageDown:"goPageDown",Delete:"delCharAfter",Backspace:"delCharBefore","Shift-Backspace":"delCharBefore",Tab:"defaultTab","Shift-Tab":"indentAuto",Enter:"newlineAndIndent",Insert:"toggleOverwrite",Esc:"singleSelection"},Fa.pcDefault={"Ctrl-A":"selectAll","Ctrl-D":"deleteLine","Ctrl-Z":"undo","Shift-Ctrl-Z":"redo","Ctrl-Y":"redo","Ctrl-Home":"goDocStart","Ctrl-End":"goDocEnd","Ctrl-Up":"goLineUp","Ctrl-Down":"goLineDown","Ctrl-Left":"goGroupLeft","Ctrl-Right":"goGroupRight","Alt-Left":"goLineStart","Alt-Right":"goLineEnd","Ctrl-Backspace":"delGroupBefore","Ctrl-Delete":"delGroupAfter","Ctrl-S":"save","Ctrl-F":"find","Ctrl-G":"findNext","Shift-Ctrl-G":"findPrev","Shift-Ctrl-F":"replace","Shift-Ctrl-R":"replaceAll","Ctrl-[":"indentLess","Ctrl-]":"indentMore","Ctrl-U":"undoSelection","Shift-Ctrl-U":"redoSelection","Alt-U":"redoSelection",fallthrough:"basic"},Fa.emacsy={"Ctrl-F":"goCharRight","Ctrl-B":"goCharLeft","Ctrl-P":"goLineUp","Ctrl-N":"goLineDown","Ctrl-A":"goLineStart","Ctrl-E":"goLineEnd","Ctrl-V":"goPageDown","Shift-Ctrl-V":"goPageUp","Ctrl-D":"delCharAfter","Ctrl-H":"delCharBefore","Alt-Backspace":"delWordBefore","Ctrl-K":"killLine","Ctrl-T":"transposeChars","Ctrl-O":"openLine"},Fa.macDefault={"Cmd-A":"selectAll","Cmd-D":"deleteLine","Cmd-Z":"undo","Shift-Cmd-Z":"redo","Cmd-Y":"redo","Cmd-Home":"goDocStart","Cmd-Up":"goDocStart","Cmd-End":"goDocEnd","Cmd-Down":"goDocEnd","Alt-Left":"goGroupLeft","Alt-Right":"goGroupRight","Cmd-Left":"goLineLeft","Cmd-Right":"goLineRight","Alt-Backspace":"delGroupBefore","Ctrl-Alt-Backspace":"delGroupAfter","Alt-Delete":"delGroupAfter","Cmd-S":"save","Cmd-F":"find","Cmd-G":"findNext","Shift-Cmd-G":"findPrev","Cmd-Alt-F":"replace","Shift-Cmd-Alt-F":"replaceAll","Cmd-[":"indentLess","Cmd-]":"indentMore","Cmd-Backspace":"delWrappedLineLeft","Cmd-Delete":"delWrappedLineRight","Cmd-U":"undoSelection","Shift-Cmd-U":"redoSelection","Ctrl-Up":"goDocStart","Ctrl-Down":"goDocEnd",fallthrough:["basic","emacsy"]},Fa.default=y?Fa.macDefault:Fa.pcDefault;var tl={selectAll:ea,singleSelection:function(e){return e.setSelection(e.getCursor("anchor"),e.getCursor("head"),G)},killLine:function(e){return Ya(e,(function(t){if(t.empty()){var n=tt(e.doc,t.head.line).text.length;return t.head.ch==n&&t.head.line<e.lastLine()?{from:t.head,to:ct(t.head.line+1,0)}:{from:t.head,to:ct(t.head.line,n)}}return{from:t.from(),to:t.to()}}))},deleteLine:function(e){return Ya(e,(function(t){return{from:ct(t.from().line,0),to:vt(e.doc,ct(t.to().line+1,0))}}))},delLineLeft:function(e){return Ya(e,(function(e){return{from:ct(e.from().line,0),to:e.from()}}))},delWrappedLineLeft:function(e){return Ya(e,(function(t){var n=e.charCoords(t.head,"div").top+5;return{from:e.coordsChar({left:0,top:n},"div"),to:t.from()}}))},delWrappedLineRight:function(e){return Ya(e,(function(t){var n=e.charCoords(t.head,"div").top+5,r=e.coordsChar({left:e.display.lineDiv.offsetWidth+100,top:n},"div");return{from:t.from(),to:r}}))},undo:function(e){return e.undo()},redo:function(e){return e.redo()},undoSelection:function(e){return e.undoSelection()},redoSelection:function(e){return e.redoSelection()},goDocStart:function(e){return e.extendSelection(ct(e.firstLine(),0))},goDocEnd:function(e){return e.extendSelection(ct(e.lastLine()))},goLineStart:function(e){return e.extendSelectionsBy((function(t){return nl(e,t.head.line)}),{origin:"+move",bias:1})},goLineStartSmart:function(e){return e.extendSelectionsBy((function(t){return ol(e,t.head)}),{origin:"+move",bias:1})},goLineEnd:function(e){return e.extendSelectionsBy((function(t){return rl(e,t.head.line)}),{origin:"+move",bias:-1})},goLineRight:function(e){return e.extendSelectionsBy((function(t){var n=e.cursorCoords(t.head,"div").top+5;return e.coordsChar({left:e.display.lineDiv.offsetWidth+100,top:n},"div")}),Y)},goLineLeft:function(e){return e.extendSelectionsBy((function(t){var n=e.cursorCoords(t.head,"div").top+5;return e.coordsChar({left:0,top:n},"div")}),Y)},goLineLeftSmart:function(e){return e.extendSelectionsBy((function(t){var n=e.cursorCoords(t.head,"div").top+5,r=e.coordsChar({left:0,top:n},"div");return r.ch<e.getLine(r.line).search(/\S/)?ol(e,t.head):r}),Y)},goLineUp:function(e){return e.moveV(-1,"line")},goLineDown:function(e){return e.moveV(1,"line")},goPageUp:function(e){return e.moveV(-1,"page")},goPageDown:function(e){return e.moveV(1,"page")},goCharLeft:function(e){return e.moveH(-1,"char")},goCharRight:function(e){return e.moveH(1,"char")},goColumnLeft:function(e){return e.moveH(-1,"column")},goColumnRight:function(e){return e.moveH(1,"column")},goWordLeft:function(e){return e.moveH(-1,"word")},goGroupRight:function(e){return e.moveH(1,"group")},goGroupLeft:function(e){return e.moveH(-1,"group")},goWordRight:function(e){return e.moveH(1,"word")},delCharBefore:function(e){return e.deleteH(-1,"codepoint")},delCharAfter:function(e){return e.deleteH(1,"char")},delWordBefore:function(e){return e.deleteH(-1,"word")},delWordAfter:function(e){return e.deleteH(1,"word")},delGroupBefore:function(e){return e.deleteH(-1,"group")},delGroupAfter:function(e){return e.deleteH(1,"group")},indentAuto:function(e){return e.indentSelection("smart")},indentMore:function(e){return e.indentSelection("add")},indentLess:function(e){return e.indentSelection("subtract")},insertTab:function(e){return e.replaceSelection("\t")},insertSoftTab:function(e){for(var t=[],n=e.listSelections(),r=e.options.tabSize,o=0;o<n.length;o++){var i=n[o].from(),a=z(e.getLine(i.line),i.ch,r);t.push(Q(r-a%r))}e.replaceSelections(t)},defaultTab:function(e){e.somethingSelected()?e.indentSelection("add"):e.execCommand("insertTab")},transposeChars:function(e){return Oo(e,(function(){for(var t=e.listSelections(),n=[],r=0;r<t.length;r++)if(t[r].empty()){var o=t[r].head,i=tt(e.doc,o.line).text;if(i)if(o.ch==i.length&&(o=new ct(o.line,o.ch-1)),o.ch>0)o=new ct(o.line,o.ch+1),e.replaceRange(i.charAt(o.ch-1)+i.charAt(o.ch-2),ct(o.line,o.ch-2),o,"+transpose");else if(o.line>e.doc.first){var a=tt(e.doc,o.line-1).text;a&&(o=new ct(o.line,1),e.replaceRange(i.charAt(0)+e.doc.lineSeparator()+a.charAt(a.length-1),ct(o.line-1,a.length-1),o,"+transpose"))}n.push(new ui(o,o))}e.setSelections(n)}))},newlineAndIndent:function(e){return Oo(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;r<t.length;r++)e.indentLine(t[r].from().line,null,!0);ho(e)}))},openLine:function(e){return e.replaceSelection("\n","start")},toggleOverwrite:function(e){return e.toggleOverwrite()}};function nl(e,t){var n=tt(e.doc,t),r=nn(n);return r!=n&&(t=it(r)),Qa(!0,e,r,t,1)}function rl(e,t){var n=tt(e.doc,t),r=rn(n);return r!=n&&(t=it(r)),Qa(!0,e,n,t,-1)}function ol(e,t){var n=nl(e,t.line),r=tt(e.doc,n.line),o=ge(r,e.doc.direction);if(!o||0==o[0].level){var i=Math.max(n.ch,r.text.search(/\S/)),a=t.line==n.line&&t.ch<=i&&t.ch;return ct(n.line,a?0:i,n.sticky)}return n}function il(e,t,n){if("string"==typeof t&&!(t=tl[t]))return!1;e.display.input.ensurePolled();var r=e.display.shift,o=!1;try{e.isReadOnly()&&(e.state.suppressEdits=!0),n&&(e.display.shift=!1),o=t(e)!=W}finally{e.display.shift=r,e.state.suppressEdits=!1}return o}function al(e,t,n){for(var r=0;r<e.state.keyMaps.length;r++){var o=Ua(t,e.state.keyMaps[r],n,e);if(o)return o}return e.options.extraKeys&&Ua(t,e.options.extraKeys,n,e)||Ua(t,e.options.keyMap,n,e)}var ll=new q;function sl(e,t,n,r){var o=e.state.keySeq;if(o){if($a(t))return"handled";if(/\'$/.test(t)?e.state.keySeq=null:ll.set(50,(function(){e.state.keySeq==o&&(e.state.keySeq=null,e.display.input.reset())})),cl(e,o+" "+t,n,r))return!0}return cl(e,t,n,r)}function cl(e,t,n,r){var o=al(e,t,r);return"multi"==o&&(e.state.keySeq=t),"handled"==o&&Tn(e,"keyHandled",e,t,n),"handled"!=o&&"multi"!=o||(Me(n),Jr(e)),!!o}function ul(e,t){var n=Ga(t,!0);return!!n&&(t.shiftKey&&!e.state.keySeq?sl(e,"Shift-"+n,t,(function(t){return il(e,t,!0)}))||sl(e,n,t,(function(t){if("string"==typeof t?/^go[A-Z]/.test(t):t.motion)return il(e,t)})):sl(e,n,t,(function(t){return il(e,t)})))}function dl(e,t,n){return sl(e,"'"+n+"'",t,(function(t){return il(e,t,!0)}))}var hl=null;function pl(e){var t=this;if(!(e.target&&e.target!=t.display.input.getField()||(t.curOp.focus=T(R(t)),Ee(t,e)))){a&&l<11&&27==e.keyCode&&(e.returnValue=!1);var r=e.keyCode;t.display.shift=16==r||e.shiftKey;var o=ul(t,e);h&&(hl=o?r:null,o||88!=r||Pe||!(y?e.metaKey:e.ctrlKey)||t.replaceSelection("",null,"cut")),n&&!y&&!o&&46==r&&e.shiftKey&&!e.ctrlKey&&document.execCommand&&document.execCommand("cut"),18!=r||/\bCodeMirror-crosshair\b/.test(t.display.lineDiv.className)||fl(t)}}function fl(e){var t=e.display.lineDiv;function n(e){18!=e.keyCode&&e.altKey||(M(t,"CodeMirror-crosshair"),xe(document,"keyup",n),xe(document,"mouseover",n))}I(t,"CodeMirror-crosshair"),ye(document,"keyup",n),ye(document,"mouseover",n)}function ml(e){16==e.keyCode&&(this.doc.sel.shift=!1),Ee(this,e)}function vl(e){var t=this;if(!(e.target&&e.target!=t.display.input.getField()||Gn(t.display,e)||Ee(t,e)||e.ctrlKey&&!e.altKey||y&&e.metaKey)){var n=e.keyCode,r=e.charCode;if(h&&n==hl)return hl=null,void Me(e);if(!h||e.which&&!(e.which<10)||!ul(t,e)){var o=String.fromCharCode(null==r?n:r);"\b"!=o&&(dl(t,e,o)||t.display.input.onKeyPress(e))}}}var gl,wl,yl=400,bl=function(e,t,n){this.time=e,this.pos=t,this.button=n};function xl(e,t){var n=+new Date;return wl&&wl.compare(n,e,t)?(gl=wl=null,"triple"):gl&&gl.compare(n,e,t)?(wl=new bl(n,e,t),gl=null,"double"):(gl=new bl(n,e,t),wl=null,"single")}function kl(e){var t=this,n=t.display;if(!(Ee(t,e)||n.activeTouch&&n.input.supportsTouch()))if(n.input.ensurePolled(),n.shift=e.shiftKey,Gn(n,e))s||(n.scroller.draggable=!1,setTimeout((function(){return n.scroller.draggable=!0}),100));else if(!Vl(t,e)){var r=Hr(t,e),o=Le(e),i=r?xl(r,o):"single";P(t).focus(),1==o&&t.state.selectingText&&t.state.selectingText(e),r&&El(t,o,r,i,e)||(1==o?r?Cl(t,r,i,e):Ve(e)==n.scroller&&Me(e):2==o?(r&&Pi(t.doc,r),setTimeout((function(){return n.input.focus()}),20)):3==o&&(A?t.display.input.onContextMenu(e):eo(t)))}}function El(e,t,n,r,o){var i="Click";return"double"==r?i="Double"+i:"triple"==r&&(i="Triple"+i),sl(e,Wa(i=(1==t?"Left":2==t?"Middle":"Right")+i,o),o,(function(t){if("string"==typeof t&&(t=tl[t]),!t)return!1;var r=!1;try{e.isReadOnly()&&(e.state.suppressEdits=!0),r=t(e,n)!=W}finally{e.state.suppressEdits=!1}return r}))}function Al(e,t,n){var r=e.getOption("configureMouse"),o=r?r(e,t,n):{};if(null==o.unit){var i=b?n.shiftKey&&n.metaKey:n.altKey;o.unit=i?"rectangle":"single"==t?"char":"double"==t?"word":"line"}return(null==o.extend||e.doc.extend)&&(o.extend=e.doc.extend||n.shiftKey),null==o.addNew&&(o.addNew=y?n.metaKey:n.ctrlKey),null==o.moveOnDrag&&(o.moveOnDrag=!(y?n.altKey:n.ctrlKey)),o}function Cl(e,t,n,r){a?setTimeout(j(Qr,e),0):e.curOp.focus=T(R(e));var o,i=Al(e,n,r),l=e.doc.sel;e.options.dragDrop&&Ze&&!e.isReadOnly()&&"single"==n&&(o=l.contains(t))>-1&&(ut((o=l.ranges[o]).from(),t)<0||t.xRel>0)&&(ut(o.to(),t)>0||t.xRel<0)?Bl(e,r,t,i):_l(e,r,t,i)}function Bl(e,t,n,r){var o=e.display,i=!1,c=Do(e,(function(t){s&&(o.scroller.draggable=!1),e.state.draggingText=!1,e.state.delayingBlurEvent&&(e.hasFocus()?e.state.delayingBlurEvent=!1:eo(e)),xe(o.wrapper.ownerDocument,"mouseup",c),xe(o.wrapper.ownerDocument,"mousemove",u),xe(o.scroller,"dragstart",d),xe(o.scroller,"drop",c),i||(Me(t),r.addNew||Pi(e.doc,n,null,null,r.extend),s&&!p||a&&9==l?setTimeout((function(){o.wrapper.ownerDocument.body.focus({preventScroll:!0}),o.input.focus()}),20):o.input.focus())})),u=function(e){i=i||Math.abs(t.clientX-e.clientX)+Math.abs(t.clientY-e.clientY)>=10},d=function(){return i=!0};s&&(o.scroller.draggable=!0),e.state.draggingText=c,c.copy=!r.moveOnDrag,ye(o.wrapper.ownerDocument,"mouseup",c),ye(o.wrapper.ownerDocument,"mousemove",u),ye(o.scroller,"dragstart",d),ye(o.scroller,"drop",c),e.state.delayingBlurEvent=!0,setTimeout((function(){return o.input.focus()}),20),o.scroller.dragDrop&&o.scroller.dragDrop()}function Ml(e,t,n){if("char"==n)return new ui(t,t);if("word"==n)return e.findWordAt(t);if("line"==n)return new ui(ct(t.line,0),vt(e.doc,ct(t.line+1,0)));var r=n(e,t);return new ui(r.from,r.to)}function _l(e,t,n,r){a&&eo(e);var o=e.display,i=e.doc;Me(t);var l,s,c=i.sel,u=c.ranges;if(r.addNew&&!r.extend?(s=i.sel.contains(n),l=s>-1?u[s]:new ui(n,n)):(l=i.sel.primary(),s=i.sel.primIndex),"rectangle"==r.unit)r.addNew||(l=new ui(n,n)),n=Hr(e,t,!0,!0),s=-1;else{var d=Ml(e,n,r.unit);l=r.extend?Hi(l,d.anchor,d.head,r.extend):d}r.addNew?-1==s?(s=u.length,$i(i,di(e,u.concat([l]),s),{scroll:!1,origin:"*mouse"})):u.length>1&&u[s].empty()&&"char"==r.unit&&!r.extend?($i(i,di(e,u.slice(0,s).concat(u.slice(s+1)),0),{scroll:!1,origin:"*mouse"}),c=i.sel):Fi(i,s,l,K):(s=0,$i(i,new ci([l],0),K),c=i.sel);var h=n;function p(t){if(0!=ut(h,t))if(h=t,"rectangle"==r.unit){for(var o=[],a=e.options.tabSize,u=z(tt(i,n.line).text,n.ch,a),d=z(tt(i,t.line).text,t.ch,a),p=Math.min(u,d),f=Math.max(u,d),m=Math.min(n.line,t.line),v=Math.min(e.lastLine(),Math.max(n.line,t.line));m<=v;m++){var g=tt(i,m).text,w=X(g,p,a);p==f?o.push(new ui(ct(m,w),ct(m,w))):g.length>w&&o.push(new ui(ct(m,w),ct(m,X(g,f,a))))}o.length||o.push(new ui(n,n)),$i(i,di(e,c.ranges.slice(0,s).concat(o),s),{origin:"*mouse",scroll:!1}),e.scrollIntoView(t)}else{var y,b=l,x=Ml(e,t,r.unit),k=b.anchor;ut(x.anchor,k)>0?(y=x.head,k=ft(b.from(),x.anchor)):(y=x.anchor,k=pt(b.to(),x.head));var E=c.ranges.slice(0);E[s]=Sl(e,new ui(vt(i,k),y)),$i(i,di(e,E,s),K)}}var f=o.wrapper.getBoundingClientRect(),m=0;function v(t){var n=++m,a=Hr(e,t,!0,"rectangle"==r.unit);if(a)if(0!=ut(a,h)){e.curOp.focus=T(R(e)),p(a);var l=io(o,i);(a.line>=l.to||a.line<l.from)&&setTimeout(Do(e,(function(){m==n&&v(t)})),150)}else{var s=t.clientY<f.top?-20:t.clientY>f.bottom?20:0;s&&setTimeout(Do(e,(function(){m==n&&(o.scroller.scrollTop+=s,v(t))})),50)}}function g(t){e.state.selectingText=!1,m=1/0,t&&(Me(t),o.input.focus()),xe(o.wrapper.ownerDocument,"mousemove",w),xe(o.wrapper.ownerDocument,"mouseup",y),i.history.lastSelOrigin=null}var w=Do(e,(function(e){0!==e.buttons&&Le(e)?v(e):g(e)})),y=Do(e,g);e.state.selectingText=y,ye(o.wrapper.ownerDocument,"mousemove",w),ye(o.wrapper.ownerDocument,"mouseup",y)}function Sl(e,t){var n=t.anchor,r=t.head,o=tt(e.doc,n.line);if(0==ut(n,r)&&n.sticky==r.sticky)return t;var i=ge(o);if(!i)return t;var a=me(i,n.ch,n.sticky),l=i[a];if(l.from!=n.ch&&l.to!=n.ch)return t;var s,c=a+(l.from==n.ch==(1!=l.level)?0:1);if(0==c||c==i.length)return t;if(r.line!=n.line)s=(r.line-n.line)*("ltr"==e.doc.direction?1:-1)>0;else{var u=me(i,r.ch,r.sticky),d=u-a||(r.ch-n.ch)*(1==l.level?-1:1);s=u==c-1||u==c?d<0:d>0}var h=i[c+(s?-1:0)],p=s==(1==h.level),f=p?h.from:h.to,m=p?"after":"before";return n.ch==f&&n.sticky==m?t:new ui(new ct(n.line,f,m),r)}function Nl(e,t,n,r){var o,i;if(t.touches)o=t.touches[0].clientX,i=t.touches[0].clientY;else try{o=t.clientX,i=t.clientY}catch(e){return!1}if(o>=Math.floor(e.display.gutters.getBoundingClientRect().right))return!1;r&&Me(t);var a=e.display,l=a.lineDiv.getBoundingClientRect();if(i>l.bottom||!Ce(e,n))return Se(t);i-=l.top-a.viewOffset;for(var s=0;s<e.display.gutterSpecs.length;++s){var c=a.gutters.childNodes[s];if(c&&c.getBoundingClientRect().right>=o)return ke(e,n,e,at(e.doc,i),e.display.gutterSpecs[s].className,t),Se(t)}}function Vl(e,t){return Nl(e,t,"gutterClick",!0)}function Ll(e,t){Gn(e.display,t)||Tl(e,t)||Ee(e,t,"contextmenu")||A||e.display.input.onContextMenu(t)}function Tl(e,t){return!!Ce(e,"gutterContextMenu")&&Nl(e,t,"gutterContextMenu",!1)}function Il(e){e.display.wrapper.className=e.display.wrapper.className.replace(/\s*cm-s-\S+/g,"")+e.options.theme.replace(/(^|\s)\s*/g," cm-s-"),vr(e)}bl.prototype.compare=function(e,t,n){return this.time+yl>e&&0==ut(t,this.pos)&&n==this.button};var Zl={toString:function(){return"CodeMirror.Init"}},Ol={},Dl={};function Rl(e){var t=e.optionHandlers;function n(n,r,o,i){e.defaults[n]=r,o&&(t[n]=i?function(e,t,n){n!=Zl&&o(e,t,n)}:o)}e.defineOption=n,e.Init=Zl,n("value","",(function(e,t){return e.setValue(t)}),!0),n("mode",null,(function(e,t){e.doc.modeOption=t,wi(e)}),!0),n("indentUnit",2,wi,!0),n("indentWithTabs",!1),n("smartIndent",!0),n("tabSize",4,(function(e){yi(e),vr(e),jr(e)}),!0),n("lineSeparator",null,(function(e,t){if(e.doc.lineSep=t,t){var n=[],r=e.doc.first;e.doc.iter((function(e){for(var o=0;;){var i=e.text.indexOf(t,o);if(-1==i)break;o=i+t.length,n.push(ct(r,i))}r++}));for(var o=n.length-1;o>=0;o--)sa(e.doc,t,n[o],ct(n[o].line,n[o].ch+t.length))}})),n("specialChars",/[\u0000-\u001f\u007f-\u009f\u00ad\u061c\u200b\u200e\u200f\u2028\u2029\u202d\u202e\u2066\u2067\u2069\ufeff\ufff9-\ufffc]/g,(function(e,t,n){e.state.specialChars=new RegExp(t.source+(t.test("\t")?"":"|\t"),"g"),n!=Zl&&e.refresh()})),n("specialCharPlaceholder",bn,(function(e){return e.refresh()}),!0),n("electricChars",!0),n("inputStyle",w?"contenteditable":"textarea",(function(){throw new Error("inputStyle can not (yet) be changed in a running editor")}),!0),n("spellcheck",!1,(function(e,t){return e.getInputField().spellcheck=t}),!0),n("autocorrect",!1,(function(e,t){return e.getInputField().autocorrect=t}),!0),n("autocapitalize",!1,(function(e,t){return e.getInputField().autocapitalize=t}),!0),n("rtlMoveVisually",!x),n("wholeLineUpdateBefore",!0),n("theme","default",(function(e){Il(e),ni(e)}),!0),n("keyMap","default",(function(e,t,n){var r=Ka(t),o=n!=Zl&&Ka(n);o&&o.detach&&o.detach(e,r),r.attach&&r.attach(e,o||null)})),n("extraKeys",null),n("configureMouse",null),n("lineWrapping",!1,Pl,!0),n("gutters",[],(function(e,t){e.display.gutterSpecs=ei(t,e.options.lineNumbers),ni(e)}),!0),n("fixedGutter",!0,(function(e,t){e.display.gutters.style.left=t?Or(e.display)+"px":"0",e.refresh()}),!0),n("coverGutterNextToScrollbar",!1,(function(e){return Eo(e)}),!0),n("scrollbarStyle","native",(function(e){Bo(e),Eo(e),e.display.scrollbars.setScrollTop(e.doc.scrollTop),e.display.scrollbars.setScrollLeft(e.doc.scrollLeft)}),!0),n("lineNumbers",!1,(function(e,t){e.display.gutterSpecs=ei(e.options.gutters,t),ni(e)}),!0),n("firstLineNumber",1,ni,!0),n("lineNumberFormatter",(function(e){return e}),ni,!0),n("showCursorWhenSelecting",!1,Wr,!0),n("resetSelectionOnContextMenu",!0),n("lineWiseCopyCut",!0),n("pasteLinesPerSelection",!0),n("selectionsMayTouch",!1),n("readOnly",!1,(function(e,t){"nocursor"==t&&(no(e),e.display.input.blur()),e.display.input.readOnlyChanged(t)})),n("screenReaderLabel",null,(function(e,t){t=""===t?null:t,e.display.input.screenReaderLabelChanged(t)})),n("disableInput",!1,(function(e,t){t||e.display.input.reset()}),!0),n("dragDrop",!0,Hl),n("allowDropFileTypes",null),n("cursorBlinkRate",530),n("cursorScrollMargin",0),n("cursorHeight",1,Wr,!0),n("singleCursorHeightPerLine",!0,Wr,!0),n("workTime",100),n("workDelay",100),n("flattenSpans",!0,yi,!0),n("addModeClass",!1,yi,!0),n("pollInterval",100),n("undoDepth",200,(function(e,t){return e.doc.history.undoDepth=t})),n("historyEventDelay",1250),n("viewportMargin",10,(function(e){return e.refresh()}),!0),n("maxHighlightLength",1e4,yi,!0),n("moveInputWithCursor",!0,(function(e,t){t||e.display.input.resetPosition()})),n("tabindex",null,(function(e,t){return e.display.input.getField().tabIndex=t||""})),n("autofocus",null),n("direction","ltr",(function(e,t){return e.doc.setDirection(t)}),!0),n("phrases",null)}function Hl(e,t,n){if(!t!=!(n&&n!=Zl)){var r=e.display.dragFunctions,o=t?ye:xe;o(e.display.scroller,"dragstart",r.start),o(e.display.scroller,"dragenter",r.enter),o(e.display.scroller,"dragover",r.over),o(e.display.scroller,"dragleave",r.leave),o(e.display.scroller,"drop",r.drop)}}function Pl(e){e.options.lineWrapping?(I(e.display.wrapper,"CodeMirror-wrap"),e.display.sizer.style.minWidth="",e.display.sizerWidth=null):(M(e.display.wrapper,"CodeMirror-wrap"),hn(e)),Rr(e),jr(e),vr(e),setTimeout((function(){return Eo(e)}),100)}function jl(e,t){var n=this;if(!(this instanceof jl))return new jl(e,t);this.options=t=t?F(t):{},F(Ol,t,!1);var r=t.value;"string"==typeof r?r=new Ma(r,t.mode,null,t.lineSeparator,t.direction):t.mode&&(r.modeOption=t.mode),this.doc=r;var o=new jl.inputStyles[t.inputStyle](this),i=this.display=new ri(e,r,o,t);for(var c in i.wrapper.CodeMirror=this,Il(this),t.lineWrapping&&(this.display.wrapper.className+=" CodeMirror-wrap"),Bo(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 q,keySeq:null,specialChars:null},t.autofocus&&!w&&i.input.focus(),a&&l<11&&setTimeout((function(){return n.display.input.reset(!0)}),20),Fl(this),Za(),_o(this),this.curOp.forceUpdate=!0,Ei(this,r),t.autofocus&&!w||this.hasFocus()?setTimeout((function(){n.hasFocus()&&!n.state.focused&&to(n)}),20):no(this),Dl)Dl.hasOwnProperty(c)&&Dl[c](this,t[c],Zl);Qo(this),t.finishInit&&t.finishInit(this);for(var u=0;u<zl.length;++u)zl[u](this);So(this),s&&t.lineWrapping&&"optimizelegibility"==getComputedStyle(i.lineDiv).textRendering&&(i.lineDiv.style.textRendering="auto")}function Fl(e){var t=e.display;ye(t.scroller,"mousedown",Do(e,kl)),ye(t.scroller,"dblclick",a&&l<11?Do(e,(function(t){if(!Ee(e,t)){var n=Hr(e,t);if(n&&!Vl(e,t)&&!Gn(e.display,t)){Me(t);var r=e.findWordAt(n);Pi(e.doc,r.anchor,r.head)}}})):function(t){return Ee(e,t)||Me(t)}),ye(t.scroller,"contextmenu",(function(t){return Ll(e,t)})),ye(t.input.getField(),"contextmenu",(function(n){t.scroller.contains(n.target)||Ll(e,n)}));var n,r={end:0};function o(){t.activeTouch&&(n=setTimeout((function(){return t.activeTouch=null}),1e3),(r=t.activeTouch).end=+new Date)}function i(e){if(1!=e.touches.length)return!1;var t=e.touches[0];return t.radiusX<=1&&t.radiusY<=1}function s(e,t){if(null==t.left)return!0;var n=t.left-e.left,r=t.top-e.top;return n*n+r*r>400}ye(t.scroller,"touchstart",(function(o){if(!Ee(e,o)&&!i(o)&&!Vl(e,o)){t.input.ensurePolled(),clearTimeout(n);var a=+new Date;t.activeTouch={start:a,moved:!1,prev:a-r.end<=300?r:null},1==o.touches.length&&(t.activeTouch.left=o.touches[0].pageX,t.activeTouch.top=o.touches[0].pageY)}})),ye(t.scroller,"touchmove",(function(){t.activeTouch&&(t.activeTouch.moved=!0)})),ye(t.scroller,"touchend",(function(n){var r=t.activeTouch;if(r&&!Gn(t,n)&&null!=r.left&&!r.moved&&new Date-r.start<300){var i,a=e.coordsChar(t.activeTouch,"page");i=!r.prev||s(r,r.prev)?new ui(a,a):!r.prev.prev||s(r,r.prev.prev)?e.findWordAt(a):new ui(ct(a.line,0),vt(e.doc,ct(a.line+1,0))),e.setSelection(i.anchor,i.head),e.focus(),Me(n)}o()})),ye(t.scroller,"touchcancel",o),ye(t.scroller,"scroll",(function(){t.scroller.clientHeight&&(go(e,t.scroller.scrollTop),yo(e,t.scroller.scrollLeft,!0),ke(e,"scroll",e))})),ye(t.scroller,"mousewheel",(function(t){return si(e,t)})),ye(t.scroller,"DOMMouseScroll",(function(t){return si(e,t)})),ye(t.wrapper,"scroll",(function(){return t.wrapper.scrollTop=t.wrapper.scrollLeft=0})),t.dragFunctions={enter:function(t){Ee(e,t)||Ne(t)},over:function(t){Ee(e,t)||(Va(e,t),Ne(t))},start:function(t){return Na(e,t)},drop:Do(e,Sa),leave:function(t){Ee(e,t)||La(e)}};var c=t.input.getField();ye(c,"keyup",(function(t){return ml.call(e,t)})),ye(c,"keydown",Do(e,pl)),ye(c,"keypress",Do(e,vl)),ye(c,"focus",(function(t){return to(e,t)})),ye(c,"blur",(function(t){return no(e,t)}))}jl.defaults=Ol,jl.optionHandlers=Dl;var zl=[];function ql(e,t,n,r){var o,i=e.doc;null==n&&(n="add"),"smart"==n&&(i.mode.indent?o=Et(e,t).state:n="prev");var a=e.options.tabSize,l=tt(i,t),s=z(l.text,null,a);l.stateAfter&&(l.stateAfter=null);var c,u=l.text.match(/^\s*/)[0];if(r||/\S/.test(l.text)){if("smart"==n&&((c=i.mode.indent(o,l.text.slice(u.length),l.text))==W||c>150)){if(!r)return;n="prev"}}else c=0,n="not";"prev"==n?c=t>i.first?z(tt(i,t-1).text,null,a):0:"add"==n?c=s+e.options.indentUnit:"subtract"==n?c=s-e.options.indentUnit:"number"==typeof n&&(c=s+n),c=Math.max(0,c);var d="",h=0;if(e.options.indentWithTabs)for(var p=Math.floor(c/a);p;--p)h+=a,d+="\t";if(h<c&&(d+=Q(c-h)),d!=u)return sa(i,d,ct(t,0),ct(t,u.length),"+input"),l.stateAfter=null,!0;for(var f=0;f<i.sel.ranges.length;f++){var m=i.sel.ranges[f];if(m.head.line==t&&m.head.ch<u.length){var v=ct(t,u.length);Fi(i,f,new ui(v,v));break}}}jl.defineInitHook=function(e){return zl.push(e)};var Ul=null;function $l(e){Ul=e}function Wl(e,t,n,r,o){var i=e.doc;e.display.shift=!1,r||(r=i.sel);var a=+new Date-200,l="paste"==o||e.state.pasteIncoming>a,s=Re(t),c=null;if(l&&r.ranges.length>1)if(Ul&&Ul.text.join("\n")==t){if(r.ranges.length%Ul.text.length==0){c=[];for(var u=0;u<Ul.text.length;u++)c.push(i.splitLines(Ul.text[u]))}}else s.length==r.ranges.length&&e.options.pasteLinesPerSelection&&(c=te(s,(function(e){return[e]})));for(var d=e.curOp.updateInput,h=r.ranges.length-1;h>=0;h--){var p=r.ranges[h],f=p.from(),m=p.to();p.empty()&&(n&&n>0?f=ct(f.line,f.ch-n):e.state.overwrite&&!l?m=ct(m.line,Math.min(tt(i,m.line).text.length,m.ch+ee(s).length)):l&&Ul&&Ul.lineWise&&Ul.text.join("\n")==s.join("\n")&&(f=m=ct(f.line,0)));var v={from:f,to:m,text:c?c[h%c.length]:s,origin:o||(l?"paste":e.state.cutIncoming>a?"cut":"+input")};na(e.doc,v),Tn(e,"inputRead",e,v)}t&&!l&&Kl(e,t),ho(e),e.curOp.updateInput<2&&(e.curOp.updateInput=d),e.curOp.typing=!0,e.state.pasteIncoming=e.state.cutIncoming=-1}function Gl(e,t){var n=e.clipboardData&&e.clipboardData.getData("Text");if(n)return e.preventDefault(),t.isReadOnly()||t.options.disableInput||!t.hasFocus()||Oo(t,(function(){return Wl(t,n,0,null,"paste")})),!0}function Kl(e,t){if(e.options.electricChars&&e.options.smartIndent)for(var n=e.doc.sel,r=n.ranges.length-1;r>=0;r--){var o=n.ranges[r];if(!(o.head.ch>100||r&&n.ranges[r-1].head.line==o.head.line)){var i=e.getModeAt(o.head),a=!1;if(i.electricChars){for(var l=0;l<i.electricChars.length;l++)if(t.indexOf(i.electricChars.charAt(l))>-1){a=ql(e,o.head.line,"smart");break}}else i.electricInput&&i.electricInput.test(tt(e.doc,o.head.line).text.slice(0,o.head.ch))&&(a=ql(e,o.head.line,"smart"));a&&Tn(e,"electricInput",e,o.head.line)}}}function Yl(e){for(var t=[],n=[],r=0;r<e.doc.sel.ranges.length;r++){var o=e.doc.sel.ranges[r].head.line,i={anchor:ct(o,0),head:ct(o+1,0)};n.push(i),t.push(e.getRange(i.anchor,i.head))}return{text:t,ranges:n}}function Xl(e,t,n,r){e.setAttribute("autocorrect",n?"on":"off"),e.setAttribute("autocapitalize",r?"on":"off"),e.setAttribute("spellcheck",!!t)}function Jl(){var e=N("textarea",null,null,"position: absolute; bottom: -1em; padding: 0; width: 1px; height: 1em; min-height: 1em; outline: none"),t=N("div",[e],null,"overflow: hidden; position: relative; width: 3px; height: 0px;");return s?e.style.width="1000px":e.setAttribute("wrap","off"),v&&(e.style.border="1px solid black"),t}function Ql(e){var t=e.optionHandlers,n=e.helpers={};e.prototype={constructor:e,focus:function(){P(this).focus(),this.display.input.focus()},setOption:function(e,n){var r=this.options,o=r[e];r[e]==n&&"mode"!=e||(r[e]=n,t.hasOwnProperty(e)&&Do(this,t[e])(this,n,o),ke(this,"optionChange",this,e))},getOption:function(e){return this.options[e]},getDoc:function(){return this.doc},addKeyMap:function(e,t){this.state.keyMaps[t?"push":"unshift"](Ka(e))},removeKeyMap:function(e){for(var t=this.state.keyMaps,n=0;n<t.length;++n)if(t[n]==e||t[n].name==e)return t.splice(n,1),!0},addOverlay:Ro((function(t,n){var r=t.token?t:e.getMode(this.options,t);if(r.startState)throw new Error("Overlays may not be stateful.");ne(this.state.overlays,{mode:r,modeSpec:t,opaque:n&&n.opaque,priority:n&&n.priority||0},(function(e){return e.priority})),this.state.modeGen++,jr(this)})),removeOverlay:Ro((function(e){for(var t=this.state.overlays,n=0;n<t.length;++n){var r=t[n].modeSpec;if(r==e||"string"==typeof e&&r.name==e)return t.splice(n,1),this.state.modeGen++,void jr(this)}})),indentLine:Ro((function(e,t,n){"string"!=typeof t&&"number"!=typeof t&&(t=null==t?this.options.smartIndent?"smart":"prev":t?"add":"subtract"),lt(this.doc,e)&&ql(this,e,t,n)})),indentSelection:Ro((function(e){for(var t=this.doc.sel.ranges,n=-1,r=0;r<t.length;r++){var o=t[r];if(o.empty())o.head.line>n&&(ql(this,o.head.line,e,!0),n=o.head.line,r==this.doc.sel.primIndex&&ho(this));else{var i=o.from(),a=o.to(),l=Math.max(n,i.line);n=Math.min(this.lastLine(),a.line-(a.ch?0:1))+1;for(var s=l;s<n;++s)ql(this,s,e);var c=this.doc.sel.ranges;0==i.ch&&t.length==c.length&&c[r].from().ch>0&&Fi(this.doc,r,new ui(i,c[r].to()),G)}}})),getTokenAt:function(e,t){return _t(this,e,t)},getLineTokens:function(e,t){return _t(this,ct(e),t,!0)},getTokenTypeAt:function(e){e=vt(this.doc,e);var t,n=kt(this,tt(this.doc,e.line)),r=0,o=(n.length-1)/2,i=e.ch;if(0==i)t=n[2];else for(;;){var a=r+o>>1;if((a?n[2*a-1]:0)>=i)o=a;else{if(!(n[2*a+1]<i)){t=n[2*a+2];break}r=a+1}}var l=t?t.indexOf("overlay "):-1;return l<0?t:0==l?null:t.slice(0,l-1)},getModeAt:function(t){var n=this.doc.mode;return n.innerMode?e.innerMode(n,this.getTokenAt(t).state).mode:n},getHelper:function(e,t){return this.getHelpers(e,t)[0]},getHelpers:function(e,t){var r=[];if(!n.hasOwnProperty(t))return r;var o=n[t],i=this.getModeAt(e);if("string"==typeof i[t])o[i[t]]&&r.push(o[i[t]]);else if(i[t])for(var a=0;a<i[t].length;a++){var l=o[i[t][a]];l&&r.push(l)}else i.helperType&&o[i.helperType]?r.push(o[i.helperType]):o[i.name]&&r.push(o[i.name]);for(var s=0;s<o._global.length;s++){var c=o._global[s];c.pred(i,this)&&-1==U(r,c.val)&&r.push(c.val)}return r},getStateAfter:function(e,t){var n=this.doc;return Et(this,(e=mt(n,null==e?n.first+n.size-1:e))+1,t).state},cursorCoords:function(e,t){var n=this.doc.sel.primary();return Er(this,null==e?n.head:"object"==typeof e?vt(this.doc,e):e?n.from():n.to(),t||"page")},charCoords:function(e,t){return kr(this,vt(this.doc,e),t||"page")},coordsChar:function(e,t){return Br(this,(e=xr(this,e,t||"page")).left,e.top)},lineAtHeight:function(e,t){return e=xr(this,{top:e,left:0},t||"page").top,at(this.doc,e+this.display.viewOffset)},heightAtLine:function(e,t,n){var r,o=!1;if("number"==typeof e){var i=this.doc.first+this.doc.size-1;e<this.doc.first?e=this.doc.first:e>i&&(e=i,o=!0),r=tt(this.doc,e)}else r=e;return br(this,r,{top:0,left:0},t||"page",n||o).top+(o?this.doc.height-un(r):0)},defaultTextHeight:function(){return Tr(this.display)},defaultCharWidth:function(){return Ir(this.display)},getViewport:function(){return{from:this.display.viewFrom,to:this.display.viewTo}},addWidget:function(e,t,n,r,o){var i=this.display,a=(e=Er(this,vt(this.doc,e))).bottom,l=e.left;if(t.style.position="absolute",t.setAttribute("cm-ignore-events","true"),this.display.input.setUneditable(t),i.sizer.appendChild(t),"over"==r)a=e.top;else if("above"==r||"near"==r){var s=Math.max(i.wrapper.clientHeight,this.doc.height),c=Math.max(i.sizer.clientWidth,i.lineSpace.clientWidth);("above"==r||e.bottom+t.offsetHeight>s)&&e.top>t.offsetHeight?a=e.top-t.offsetHeight:e.bottom+t.offsetHeight<=s&&(a=e.bottom),l+t.offsetWidth>c&&(l=c-t.offsetWidth)}t.style.top=a+"px",t.style.left=t.style.right="","right"==o?(l=i.sizer.clientWidth-t.offsetWidth,t.style.right="0px"):("left"==o?l=0:"middle"==o&&(l=(i.sizer.clientWidth-t.offsetWidth)/2),t.style.left=l+"px"),n&&so(this,{left:l,top:a,right:l+t.offsetWidth,bottom:a+t.offsetHeight})},triggerOnKeyDown:Ro(pl),triggerOnKeyPress:Ro(vl),triggerOnKeyUp:ml,triggerOnMouseDown:Ro(kl),execCommand:function(e){if(tl.hasOwnProperty(e))return tl[e].call(null,this)},triggerElectric:Ro((function(e){Kl(this,e)})),findPosH:function(e,t,n,r){var o=1;t<0&&(o=-1,t=-t);for(var i=vt(this.doc,e),a=0;a<t&&!(i=es(this.doc,i,o,n,r)).hitSide;++a);return i},moveH:Ro((function(e,t){var n=this;this.extendSelectionsBy((function(r){return n.display.shift||n.doc.extend||r.empty()?es(n.doc,r.head,e,t,n.options.rtlMoveVisually):e<0?r.from():r.to()}),Y)})),deleteH:Ro((function(e,t){var n=this.doc.sel,r=this.doc;n.somethingSelected()?r.replaceSelection("",null,"+delete"):Ya(this,(function(n){var o=es(r,n.head,e,t,!1);return e<0?{from:o,to:n.head}:{from:n.head,to:o}}))})),findPosV:function(e,t,n,r){var o=1,i=r;t<0&&(o=-1,t=-t);for(var a=vt(this.doc,e),l=0;l<t;++l){var s=Er(this,a,"div");if(null==i?i=s.left:s.left=i,(a=ts(this,s,o,n)).hitSide)break}return a},moveV:Ro((function(e,t){var n=this,r=this.doc,o=[],i=!this.display.shift&&!r.extend&&r.sel.somethingSelected();if(r.extendSelectionsBy((function(a){if(i)return e<0?a.from():a.to();var l=Er(n,a.head,"div");null!=a.goalColumn&&(l.left=a.goalColumn),o.push(l.left);var s=ts(n,l,e,t);return"page"==t&&a==r.sel.primary()&&uo(n,kr(n,s,"div").top-l.top),s}),Y),o.length)for(var a=0;a<r.sel.ranges.length;a++)r.sel.ranges[a].goalColumn=o[a]})),findWordAt:function(e){var t=tt(this.doc,e.line).text,n=e.ch,r=e.ch;if(t){var o=this.getHelper(e,"wordChars");"before"!=e.sticky&&r!=t.length||!n?++r:--n;for(var i=t.charAt(n),a=le(i,o)?function(e){return le(e,o)}:/\s/.test(i)?function(e){return/\s/.test(e)}:function(e){return!/\s/.test(e)&&!le(e)};n>0&&a(t.charAt(n-1));)--n;for(;r<t.length&&a(t.charAt(r));)++r}return new ui(ct(e.line,n),ct(e.line,r))},toggleOverwrite:function(e){null!=e&&e==this.state.overwrite||((this.state.overwrite=!this.state.overwrite)?I(this.display.cursorDiv,"CodeMirror-overwrite"):M(this.display.cursorDiv,"CodeMirror-overwrite"),ke(this,"overwriteToggle",this,this.state.overwrite))},hasFocus:function(){return this.display.input.getField()==T(R(this))},isReadOnly:function(){return!(!this.options.readOnly&&!this.doc.cantEdit)},scrollTo:Ro((function(e,t){po(this,e,t)})),getScrollInfo:function(){var e=this.display.scroller;return{left:e.scrollLeft,top:e.scrollTop,height:e.scrollHeight-Jn(this)-this.display.barHeight,width:e.scrollWidth-Jn(this)-this.display.barWidth,clientHeight:er(this),clientWidth:Qn(this)}},scrollIntoView:Ro((function(e,t){null==e?(e={from:this.doc.sel.primary().head,to:null},null==t&&(t=this.options.cursorScrollMargin)):"number"==typeof e?e={from:ct(e,0),to:null}:null==e.from&&(e={from:e,to:null}),e.to||(e.to=e.from),e.margin=t||0,null!=e.from.line?fo(this,e):vo(this,e.from,e.to,e.margin)})),setSize:Ro((function(e,t){var n=this,r=function(e){return"number"==typeof e||/^\d+$/.test(String(e))?e+"px":e};null!=e&&(this.display.wrapper.style.width=r(e)),null!=t&&(this.display.wrapper.style.height=r(t)),this.options.lineWrapping&&mr(this);var o=this.display.viewFrom;this.doc.iter(o,this.display.viewTo,(function(e){if(e.widgets)for(var t=0;t<e.widgets.length;t++)if(e.widgets[t].noHScroll){Fr(n,o,"widget");break}++o})),this.curOp.forceUpdate=!0,ke(this,"refresh",this)})),operation:function(e){return Oo(this,e)},startOperation:function(){return _o(this)},endOperation:function(){return So(this)},refresh:Ro((function(){var e=this.display.cachedTextHeight;jr(this),this.curOp.forceUpdate=!0,vr(this),po(this,this.doc.scrollLeft,this.doc.scrollTop),Yo(this.display),(null==e||Math.abs(e-Tr(this.display))>.5||this.options.lineWrapping)&&Rr(this),ke(this,"refresh",this)})),swapDoc:Ro((function(e){var t=this.doc;return t.cm=null,this.state.selectingText&&this.state.selectingText(),Ei(this,e),vr(this),this.display.input.reset(),po(this,e.scrollLeft,e.scrollTop),this.curOp.forceScroll=!0,Tn(this,"swapDoc",this,t),t})),phrase:function(e){var t=this.options.phrases;return t&&Object.prototype.hasOwnProperty.call(t,e)?t[e]:e},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}},Be(e),e.registerHelper=function(t,r,o){n.hasOwnProperty(t)||(n[t]=e[t]={_global:[]}),n[t][r]=o},e.registerGlobalHelper=function(t,r,o,i){e.registerHelper(t,r,i),n[t]._global.push({pred:o,val:i})}}function es(e,t,n,r,o){var i=t,a=n,l=tt(e,t.line),s=o&&"rtl"==e.direction?-n:n;function c(){var n=t.line+s;return!(n<e.first||n>=e.first+e.size)&&(t=new ct(n,t.ch,t.sticky),l=tt(e,n))}function u(i){var a;if("codepoint"==r){var u=l.text.charCodeAt(t.ch+(n>0?0:-1));if(isNaN(u))a=null;else{var d=n>0?u>=55296&&u<56320:u>=56320&&u<57343;a=new ct(t.line,Math.max(0,Math.min(l.text.length,t.ch+n*(d?2:1))),-n)}}else a=o?el(e.cm,l,t,n):Ja(l,t,n);if(null==a){if(i||!c())return!1;t=Qa(o,e.cm,l,t.line,s)}else t=a;return!0}if("char"==r||"codepoint"==r)u();else if("column"==r)u(!0);else if("word"==r||"group"==r)for(var d=null,h="group"==r,p=e.cm&&e.cm.getHelper(t,"wordChars"),f=!0;!(n<0)||u(!f);f=!1){var m=l.text.charAt(t.ch)||"\n",v=le(m,p)?"w":h&&"\n"==m?"n":!h||/\s/.test(m)?null:"p";if(!h||f||v||(v="s"),d&&d!=v){n<0&&(n=1,u(),t.sticky="after");break}if(v&&(d=v),n>0&&!u(!f))break}var g=Ji(e,t,i,a,!0);return dt(i,g)&&(g.hitSide=!0),g}function ts(e,t,n,r){var o,i,a=e.doc,l=t.left;if("page"==r){var s=Math.min(e.display.wrapper.clientHeight,P(e).innerHeight||a(e).documentElement.clientHeight),c=Math.max(s-.5*Tr(e.display),3);o=(n>0?t.bottom:t.top)+n*c}else"line"==r&&(o=n>0?t.bottom+3:t.top-3);for(;(i=Br(e,l,o)).outside;){if(n<0?o<=0:o>=a.height){i.hitSide=!0;break}o+=5*n}return i}var ns=function(e){this.cm=e,this.lastAnchorNode=this.lastAnchorOffset=this.lastFocusNode=this.lastFocusOffset=null,this.polling=new q,this.composing=null,this.gracePeriod=!1,this.readDOMTimeout=null};function rs(e,t){var n=ir(e,t.line);if(!n||n.hidden)return null;var r=tt(e.doc,t.line),o=nr(n,r,t.line),i=ge(r,e.doc.direction),a="left";i&&(a=me(i,t.ch)%2?"right":"left");var l=ur(o.map,t.ch,a);return l.offset="right"==l.collapse?l.end:l.start,l}function os(e){for(var t=e;t;t=t.parentNode)if(/CodeMirror-gutter-wrapper/.test(t.className))return!0;return!1}function is(e,t){return t&&(e.bad=!0),e}function as(e,t,n,r,o){var i="",a=!1,l=e.doc.lineSeparator(),s=!1;function c(e){return function(t){return t.id==e}}function u(){a&&(i+=l,s&&(i+=l),a=s=!1)}function d(e){e&&(u(),i+=e)}function h(t){if(1==t.nodeType){var n=t.getAttribute("cm-text");if(n)return void d(n);var i,p=t.getAttribute("cm-marker");if(p){var f=e.findMarks(ct(r,0),ct(o+1,0),c(+p));return void(f.length&&(i=f[0].find(0))&&d(nt(e.doc,i.from,i.to).join(l)))}if("false"==t.getAttribute("contenteditable"))return;var m=/^(pre|div|p|li|table|br)$/i.test(t.nodeName);if(!/^br$/i.test(t.nodeName)&&0==t.textContent.length)return;m&&u();for(var v=0;v<t.childNodes.length;v++)h(t.childNodes[v]);/^(pre|p)$/i.test(t.nodeName)&&(s=!0),m&&(a=!0)}else 3==t.nodeType&&d(t.nodeValue.replace(/\u200b/g,"").replace(/\u00a0/g," "))}for(;h(t),t!=n;)t=t.nextSibling,s=!1;return i}function ls(e,t,n){var r;if(t==e.display.lineDiv){if(!(r=e.display.lineDiv.childNodes[n]))return is(e.clipPos(ct(e.display.viewTo-1)),!0);t=null,n=0}else for(r=t;;r=r.parentNode){if(!r||r==e.display.lineDiv)return null;if(r.parentNode&&r.parentNode==e.display.lineDiv)break}for(var o=0;o<e.display.view.length;o++){var i=e.display.view[o];if(i.node==r)return ss(i,t,n)}}function ss(e,t,n){var r=e.text.firstChild,o=!1;if(!t||!L(r,t))return is(ct(it(e.line),0),!0);if(t==r&&(o=!0,t=r.childNodes[n],n=0,!t)){var i=e.rest?ee(e.rest):e.line;return is(ct(it(i),i.text.length),o)}var a=3==t.nodeType?t:null,l=t;for(a||1!=t.childNodes.length||3!=t.firstChild.nodeType||(a=t.firstChild,n&&(n=a.nodeValue.length));l.parentNode!=r;)l=l.parentNode;var s=e.measure,c=s.maps;function u(t,n,r){for(var o=-1;o<(c?c.length:0);o++)for(var i=o<0?s.map:c[o],a=0;a<i.length;a+=3){var l=i[a+2];if(l==t||l==n){var u=it(o<0?e.line:e.rest[o]),d=i[a]+r;return(r<0||l!=t)&&(d=i[a+(r?1:0)]),ct(u,d)}}}var d=u(a,l,n);if(d)return is(d,o);for(var h=l.nextSibling,p=a?a.nodeValue.length-n:0;h;h=h.nextSibling){if(d=u(h,h.firstChild,0))return is(ct(d.line,d.ch-p),o);p+=h.textContent.length}for(var f=l.previousSibling,m=n;f;f=f.previousSibling){if(d=u(f,f.firstChild,-1))return is(ct(d.line,d.ch+m),o);m+=f.textContent.length}}ns.prototype.init=function(e){var t=this,n=this,r=n.cm,o=n.div=e.lineDiv;function i(e){for(var t=e.target;t;t=t.parentNode){if(t==o)return!0;if(/\bCodeMirror-(?:line)?widget\b/.test(t.className))break}return!1}function a(e){if(i(e)&&!Ee(r,e)){if(r.somethingSelected())$l({lineWise:!1,text:r.getSelections()}),"cut"==e.type&&r.replaceSelection("",null,"cut");else{if(!r.options.lineWiseCopyCut)return;var t=Yl(r);$l({lineWise:!0,text:t.text}),"cut"==e.type&&r.operation((function(){r.setSelections(t.ranges,0,G),r.replaceSelection("",null,"cut")}))}if(e.clipboardData){e.clipboardData.clearData();var a=Ul.text.join("\n");if(e.clipboardData.setData("Text",a),e.clipboardData.getData("Text")==a)return void e.preventDefault()}var l=Jl(),s=l.firstChild;Xl(s),r.display.lineSpace.insertBefore(l,r.display.lineSpace.firstChild),s.value=Ul.text.join("\n");var c=T(H(o));O(s),setTimeout((function(){r.display.lineSpace.removeChild(l),c.focus(),c==o&&n.showPrimarySelection()}),50)}}o.contentEditable=!0,Xl(o,r.options.spellcheck,r.options.autocorrect,r.options.autocapitalize),ye(o,"paste",(function(e){!i(e)||Ee(r,e)||Gl(e,r)||l<=11&&setTimeout(Do(r,(function(){return t.updateFromDOM()})),20)})),ye(o,"compositionstart",(function(e){t.composing={data:e.data,done:!1}})),ye(o,"compositionupdate",(function(e){t.composing||(t.composing={data:e.data,done:!1})})),ye(o,"compositionend",(function(e){t.composing&&(e.data!=t.composing.data&&t.readFromDOMSoon(),t.composing.done=!0)})),ye(o,"touchstart",(function(){return n.forceCompositionEnd()})),ye(o,"input",(function(){t.composing||t.readFromDOMSoon()})),ye(o,"copy",a),ye(o,"cut",a)},ns.prototype.screenReaderLabelChanged=function(e){e?this.div.setAttribute("aria-label",e):this.div.removeAttribute("aria-label")},ns.prototype.prepareSelection=function(){var e=Gr(this.cm,!1);return e.focus=T(H(this.div))==this.div,e},ns.prototype.showSelection=function(e,t){e&&this.cm.display.view.length&&((e.focus||t)&&this.showPrimarySelection(),this.showMultipleSelections(e))},ns.prototype.getSelection=function(){return this.cm.display.wrapper.ownerDocument.getSelection()},ns.prototype.showPrimarySelection=function(){var e=this.getSelection(),t=this.cm,r=t.doc.sel.primary(),o=r.from(),i=r.to();if(t.display.viewTo==t.display.viewFrom||o.line>=t.display.viewTo||i.line<t.display.viewFrom)e.removeAllRanges();else{var a=ls(t,e.anchorNode,e.anchorOffset),l=ls(t,e.focusNode,e.focusOffset);if(!a||a.bad||!l||l.bad||0!=ut(ft(a,l),o)||0!=ut(pt(a,l),i)){var s=t.display.view,c=o.line>=t.display.viewFrom&&rs(t,o)||{node:s[0].measure.map[2],offset:0},u=i.line<t.display.viewTo&&rs(t,i);if(!u){var d=s[s.length-1].measure,h=d.maps?d.maps[d.maps.length-1]:d.map;u={node:h[h.length-1],offset:h[h.length-2]-h[h.length-3]}}if(c&&u){var p,f=e.rangeCount&&e.getRangeAt(0);try{p=B(c.node,c.offset,u.offset,u.node)}catch(e){}p&&(!n&&t.state.focused?(e.collapse(c.node,c.offset),p.collapsed||(e.removeAllRanges(),e.addRange(p))):(e.removeAllRanges(),e.addRange(p)),f&&null==e.anchorNode?e.addRange(f):n&&this.startGracePeriod()),this.rememberSelection()}else e.removeAllRanges()}}},ns.prototype.startGracePeriod=function(){var e=this;clearTimeout(this.gracePeriod),this.gracePeriod=setTimeout((function(){e.gracePeriod=!1,e.selectionChanged()&&e.cm.operation((function(){return e.cm.curOp.selectionChanged=!0}))}),20)},ns.prototype.showMultipleSelections=function(e){S(this.cm.display.cursorDiv,e.cursors),S(this.cm.display.selectionDiv,e.selection)},ns.prototype.rememberSelection=function(){var e=this.getSelection();this.lastAnchorNode=e.anchorNode,this.lastAnchorOffset=e.anchorOffset,this.lastFocusNode=e.focusNode,this.lastFocusOffset=e.focusOffset},ns.prototype.selectionInEditor=function(){var e=this.getSelection();if(!e.rangeCount)return!1;var t=e.getRangeAt(0).commonAncestorContainer;return L(this.div,t)},ns.prototype.focus=function(){"nocursor"!=this.cm.options.readOnly&&(this.selectionInEditor()&&T(H(this.div))==this.div||this.showSelection(this.prepareSelection(),!0),this.div.focus())},ns.prototype.blur=function(){this.div.blur()},ns.prototype.getField=function(){return this.div},ns.prototype.supportsTouch=function(){return!0},ns.prototype.receivedFocus=function(){var e=this,t=this;function n(){t.cm.state.focused&&(t.pollSelection(),t.polling.set(t.cm.options.pollInterval,n))}this.selectionInEditor()?setTimeout((function(){return e.pollSelection()}),20):Oo(this.cm,(function(){return t.cm.curOp.selectionChanged=!0})),this.polling.set(this.cm.options.pollInterval,n)},ns.prototype.selectionChanged=function(){var e=this.getSelection();return e.anchorNode!=this.lastAnchorNode||e.anchorOffset!=this.lastAnchorOffset||e.focusNode!=this.lastFocusNode||e.focusOffset!=this.lastFocusOffset},ns.prototype.pollSelection=function(){if(null==this.readDOMTimeout&&!this.gracePeriod&&this.selectionChanged()){var e=this.getSelection(),t=this.cm;if(g&&u&&this.cm.display.gutterSpecs.length&&os(e.anchorNode))return this.cm.triggerOnKeyDown({type:"keydown",keyCode:8,preventDefault:Math.abs}),this.blur(),void this.focus();if(!this.composing){this.rememberSelection();var n=ls(t,e.anchorNode,e.anchorOffset),r=ls(t,e.focusNode,e.focusOffset);n&&r&&Oo(t,(function(){$i(t.doc,hi(n,r),G),(n.bad||r.bad)&&(t.curOp.selectionChanged=!0)}))}}},ns.prototype.pollContent=function(){null!=this.readDOMTimeout&&(clearTimeout(this.readDOMTimeout),this.readDOMTimeout=null);var e,t,n,r=this.cm,o=r.display,i=r.doc.sel.primary(),a=i.from(),l=i.to();if(0==a.ch&&a.line>r.firstLine()&&(a=ct(a.line-1,tt(r.doc,a.line-1).length)),l.ch==tt(r.doc,l.line).text.length&&l.line<r.lastLine()&&(l=ct(l.line+1,0)),a.line<o.viewFrom||l.line>o.viewTo-1)return!1;a.line==o.viewFrom||0==(e=Pr(r,a.line))?(t=it(o.view[0].line),n=o.view[0].node):(t=it(o.view[e].line),n=o.view[e-1].node.nextSibling);var s,c,u=Pr(r,l.line);if(u==o.view.length-1?(s=o.viewTo-1,c=o.lineDiv.lastChild):(s=it(o.view[u+1].line)-1,c=o.view[u+1].node.previousSibling),!n)return!1;for(var d=r.doc.splitLines(as(r,n,c,t,s)),h=nt(r.doc,ct(t,0),ct(s,tt(r.doc,s).text.length));d.length>1&&h.length>1;)if(ee(d)==ee(h))d.pop(),h.pop(),s--;else{if(d[0]!=h[0])break;d.shift(),h.shift(),t++}for(var p=0,f=0,m=d[0],v=h[0],g=Math.min(m.length,v.length);p<g&&m.charCodeAt(p)==v.charCodeAt(p);)++p;for(var w=ee(d),y=ee(h),b=Math.min(w.length-(1==d.length?p:0),y.length-(1==h.length?p:0));f<b&&w.charCodeAt(w.length-f-1)==y.charCodeAt(y.length-f-1);)++f;if(1==d.length&&1==h.length&&t==a.line)for(;p&&p>a.ch&&w.charCodeAt(w.length-f-1)==y.charCodeAt(y.length-f-1);)p--,f++;d[d.length-1]=w.slice(0,w.length-f).replace(/^\u200b+/,""),d[0]=d[0].slice(p).replace(/\u200b+$/,"");var x=ct(t,p),k=ct(s,h.length?ee(h).length-f:0);return d.length>1||d[0]||ut(x,k)?(sa(r.doc,d,x,k,"+input"),!0):void 0},ns.prototype.ensurePolled=function(){this.forceCompositionEnd()},ns.prototype.reset=function(){this.forceCompositionEnd()},ns.prototype.forceCompositionEnd=function(){this.composing&&(clearTimeout(this.readDOMTimeout),this.composing=null,this.updateFromDOM(),this.div.blur(),this.div.focus())},ns.prototype.readFromDOMSoon=function(){var e=this;null==this.readDOMTimeout&&(this.readDOMTimeout=setTimeout((function(){if(e.readDOMTimeout=null,e.composing){if(!e.composing.done)return;e.composing=null}e.updateFromDOM()}),80))},ns.prototype.updateFromDOM=function(){var e=this;!this.cm.isReadOnly()&&this.pollContent()||Oo(this.cm,(function(){return jr(e.cm)}))},ns.prototype.setUneditable=function(e){e.contentEditable="false"},ns.prototype.onKeyPress=function(e){0==e.charCode||this.composing||(e.preventDefault(),this.cm.isReadOnly()||Do(this.cm,Wl)(this.cm,String.fromCharCode(null==e.charCode?e.keyCode:e.charCode),0))},ns.prototype.readOnlyChanged=function(e){this.div.contentEditable=String("nocursor"!=e)},ns.prototype.onContextMenu=function(){},ns.prototype.resetPosition=function(){},ns.prototype.needsContentAttribute=!0;var cs=function(e){this.cm=e,this.prevInput="",this.pollingFast=!1,this.polling=new q,this.hasSelection=!1,this.composing=null,this.resetting=!1};function us(e,t){if((t=t?F(t):{}).value=e.value,!t.tabindex&&e.tabIndex&&(t.tabindex=e.tabIndex),!t.placeholder&&e.placeholder&&(t.placeholder=e.placeholder),null==t.autofocus){var n=T(H(e));t.autofocus=n==e||null!=e.getAttribute("autofocus")&&n==document.body}function r(){e.value=l.getValue()}var o;if(e.form&&(ye(e.form,"submit",r),!t.leaveSubmitMethodAlone)){var i=e.form;o=i.submit;try{var a=i.submit=function(){r(),i.submit=o,i.submit(),i.submit=a}}catch(e){}}t.finishInit=function(n){n.save=r,n.getTextArea=function(){return e},n.toTextArea=function(){n.toTextArea=isNaN,r(),e.parentNode.removeChild(n.getWrapperElement()),e.style.display="",e.form&&(xe(e.form,"submit",r),t.leaveSubmitMethodAlone||"function"!=typeof e.form.submit||(e.form.submit=o))}},e.style.display="none";var l=jl((function(t){return e.parentNode.insertBefore(t,e.nextSibling)}),t);return l}function ds(e){e.off=xe,e.on=ye,e.wheelEventPixels=li,e.Doc=Ma,e.splitLines=Re,e.countColumn=z,e.findColumn=X,e.isWordChar=ae,e.Pass=W,e.signal=ke,e.Line=pn,e.changeEnd=pi,e.scrollbarModel=Co,e.Pos=ct,e.cmpPos=ut,e.modes=ze,e.mimeModes=qe,e.resolveMode=We,e.getMode=Ge,e.modeExtensions=Ke,e.extendMode=Ye,e.copyState=Xe,e.startState=Qe,e.innerMode=Je,e.commands=tl,e.keyMap=Fa,e.keyName=Ga,e.isModifierKey=$a,e.lookupKey=Ua,e.normalizeKeyMap=qa,e.StringStream=et,e.SharedTextMarker=xa,e.TextMarker=ya,e.LineWidget=ma,e.e_preventDefault=Me,e.e_stopPropagation=_e,e.e_stop=Ne,e.addClass=I,e.contains=L,e.rmClass=M,e.keyNames=Ra}cs.prototype.init=function(e){var t=this,n=this,r=this.cm;this.createField(e);var o=this.textarea;function i(e){if(!Ee(r,e)){if(r.somethingSelected())$l({lineWise:!1,text:r.getSelections()});else{if(!r.options.lineWiseCopyCut)return;var t=Yl(r);$l({lineWise:!0,text:t.text}),"cut"==e.type?r.setSelections(t.ranges,null,G):(n.prevInput="",o.value=t.text.join("\n"),O(o))}"cut"==e.type&&(r.state.cutIncoming=+new Date)}}e.wrapper.insertBefore(this.wrapper,e.wrapper.firstChild),v&&(o.style.width="0px"),ye(o,"input",(function(){a&&l>=9&&t.hasSelection&&(t.hasSelection=null),n.poll()})),ye(o,"paste",(function(e){Ee(r,e)||Gl(e,r)||(r.state.pasteIncoming=+new Date,n.fastPoll())})),ye(o,"cut",i),ye(o,"copy",i),ye(e.scroller,"paste",(function(t){if(!Gn(e,t)&&!Ee(r,t)){if(!o.dispatchEvent)return r.state.pasteIncoming=+new Date,void n.focus();var i=new Event("paste");i.clipboardData=t.clipboardData,o.dispatchEvent(i)}})),ye(e.lineSpace,"selectstart",(function(t){Gn(e,t)||Me(t)})),ye(o,"compositionstart",(function(){var e=r.getCursor("from");n.composing&&n.composing.range.clear(),n.composing={start:e,range:r.markText(e,r.getCursor("to"),{className:"CodeMirror-composing"})}})),ye(o,"compositionend",(function(){n.composing&&(n.poll(),n.composing.range.clear(),n.composing=null)}))},cs.prototype.createField=function(e){this.wrapper=Jl(),this.textarea=this.wrapper.firstChild;var t=this.cm.options;Xl(this.textarea,t.spellcheck,t.autocorrect,t.autocapitalize)},cs.prototype.screenReaderLabelChanged=function(e){e?this.textarea.setAttribute("aria-label",e):this.textarea.removeAttribute("aria-label")},cs.prototype.prepareSelection=function(){var e=this.cm,t=e.display,n=e.doc,r=Gr(e);if(e.options.moveInputWithCursor){var o=Er(e,n.sel.primary().head,"div"),i=t.wrapper.getBoundingClientRect(),a=t.lineDiv.getBoundingClientRect();r.teTop=Math.max(0,Math.min(t.wrapper.clientHeight-10,o.top+a.top-i.top)),r.teLeft=Math.max(0,Math.min(t.wrapper.clientWidth-10,o.left+a.left-i.left))}return r},cs.prototype.showSelection=function(e){var t=this.cm.display;S(t.cursorDiv,e.cursors),S(t.selectionDiv,e.selection),null!=e.teTop&&(this.wrapper.style.top=e.teTop+"px",this.wrapper.style.left=e.teLeft+"px")},cs.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&&O(this.textarea),a&&l>=9&&(this.hasSelection=n)}else e||(this.prevInput=this.textarea.value="",a&&l>=9&&(this.hasSelection=null));this.resetting=!1}},cs.prototype.getField=function(){return this.textarea},cs.prototype.supportsTouch=function(){return!1},cs.prototype.focus=function(){if("nocursor"!=this.cm.options.readOnly&&(!w||T(H(this.textarea))!=this.textarea))try{this.textarea.focus()}catch(e){}},cs.prototype.blur=function(){this.textarea.blur()},cs.prototype.resetPosition=function(){this.wrapper.style.top=this.wrapper.style.left=0},cs.prototype.receivedFocus=function(){this.slowPoll()},cs.prototype.slowPoll=function(){var e=this;this.pollingFast||this.polling.set(this.cm.options.pollInterval,(function(){e.poll(),e.cm.state.focused&&e.slowPoll()}))},cs.prototype.fastPoll=function(){var e=!1,t=this;function n(){t.poll()||e?(t.pollingFast=!1,t.slowPoll()):(e=!0,t.polling.set(60,n))}t.pollingFast=!0,t.polling.set(20,n)},cs.prototype.poll=function(){var e=this,t=this.cm,n=this.textarea,r=this.prevInput;if(this.contextMenuPending||this.resetting||!t.state.focused||He(n)&&!r&&!this.composing||t.isReadOnly()||t.options.disableInput||t.state.keySeq)return!1;var o=n.value;if(o==r&&!t.somethingSelected())return!1;if(a&&l>=9&&this.hasSelection===o||y&&/[\uf700-\uf7ff]/.test(o))return t.display.input.reset(),!1;if(t.doc.sel==t.display.selForContextMenu){var i=o.charCodeAt(0);if(8203!=i||r||(r="​"),8666==i)return this.reset(),this.cm.execCommand("undo")}for(var s=0,c=Math.min(r.length,o.length);s<c&&r.charCodeAt(s)==o.charCodeAt(s);)++s;return Oo(t,(function(){Wl(t,o.slice(s),r.length-s,null,e.composing?"*compose":null),o.length>1e3||o.indexOf("\n")>-1?n.value=e.prevInput="":e.prevInput=o,e.composing&&(e.composing.range.clear(),e.composing.range=t.markText(e.composing.start,t.getCursor("to"),{className:"CodeMirror-composing"}))})),!0},cs.prototype.ensurePolled=function(){this.pollingFast&&this.poll()&&(this.pollingFast=!1)},cs.prototype.onKeyPress=function(){a&&l>=9&&(this.hasSelection=null),this.fastPoll()},cs.prototype.onContextMenu=function(e){var t=this,n=t.cm,r=n.display,o=t.textarea;t.contextMenuPending&&t.contextMenuPending();var i=Hr(n,e),c=r.scroller.scrollTop;if(i&&!h){n.options.resetSelectionOnContextMenu&&-1==n.doc.sel.contains(i)&&Do(n,$i)(n.doc,hi(i),G);var u,d=o.style.cssText,p=t.wrapper.style.cssText,f=t.wrapper.offsetParent.getBoundingClientRect();if(t.wrapper.style.cssText="position: static",o.style.cssText="position: absolute; width: 30px; height: 30px;\n      top: "+(e.clientY-f.top-5)+"px; left: "+(e.clientX-f.left-5)+"px;\n      z-index: 1000; background: "+(a?"rgba(255, 255, 255, .05)":"transparent")+";\n      outline: none; border-width: 0; outline: none; overflow: hidden; opacity: .05; filter: alpha(opacity=5);",s&&(u=o.ownerDocument.defaultView.scrollY),r.input.focus(),s&&o.ownerDocument.defaultView.scrollTo(null,u),r.input.reset(),n.somethingSelected()||(o.value=t.prevInput=" "),t.contextMenuPending=g,r.selForContextMenu=n.doc.sel,clearTimeout(r.detectingSelectAll),a&&l>=9&&v(),A){Ne(e);var m=function(){xe(window,"mouseup",m),setTimeout(g,20)};ye(window,"mouseup",m)}else setTimeout(g,50)}function v(){if(null!=o.selectionStart){var e=n.somethingSelected(),i="​"+(e?o.value:"");o.value="⇚",o.value=i,t.prevInput=e?"":"​",o.selectionStart=1,o.selectionEnd=i.length,r.selForContextMenu=n.doc.sel}}function g(){if(t.contextMenuPending==g&&(t.contextMenuPending=!1,t.wrapper.style.cssText=p,o.style.cssText=d,a&&l<9&&r.scrollbars.setScrollTop(r.scroller.scrollTop=c),null!=o.selectionStart)){(!a||a&&l<9)&&v();var e=0,i=function(){r.selForContextMenu==n.doc.sel&&0==o.selectionStart&&o.selectionEnd>0&&"​"==t.prevInput?Do(n,ea)(n):e++<10?r.detectingSelectAll=setTimeout(i,500):(r.selForContextMenu=null,r.input.reset())};r.detectingSelectAll=setTimeout(i,200)}}},cs.prototype.readOnlyChanged=function(e){e||this.reset(),this.textarea.disabled="nocursor"==e,this.textarea.readOnly=!!e},cs.prototype.setUneditable=function(){},cs.prototype.needsContentAttribute=!1,Rl(jl),Ql(jl);var hs="iter insert remove copy getEditor constructor".split(" ");for(var ps in Ma.prototype)Ma.prototype.hasOwnProperty(ps)&&U(hs,ps)<0&&(jl.prototype[ps]=function(e){return function(){return e.apply(this.doc,arguments)}}(Ma.prototype[ps]));return Be(Ma),jl.inputStyles={textarea:cs,contenteditable:ns},jl.defineMode=function(e){jl.defaults.mode||"null"==e||(jl.defaults.mode=e),Ue.apply(this,arguments)},jl.defineMIME=$e,jl.defineMode("null",(function(){return{token:function(e){return e.skipToEnd()}}})),jl.defineMIME("text/plain","null"),jl.defineExtension=function(e,t){jl.prototype[e]=t},jl.defineDocExtension=function(e,t){Ma.prototype[e]=t},jl.fromTextArea=us,ds(jl),jl.version="5.65.18",jl}()},48712:(e,t,n)=>{!function(e){"use strict";function t(e,t,n,r,o,i){this.indented=e,this.column=t,this.type=n,this.info=r,this.align=o,this.prev=i}function n(e,n,r,o){var i=e.indented;return e.context&&"statement"==e.context.type&&"statement"!=r&&(i=e.context.indented),e.context=new t(i,n,r,o,null,e.context)}function r(e){var t=e.context.type;return")"!=t&&"]"!=t&&"}"!=t||(e.indented=e.context.indented),e.context=e.context.prev}function o(e,t,n){return"variable"==t.prevToken||"type"==t.prevToken||!!/\S(?:[^- ]>|[*\]])\s*$|\*$/.test(e.string.slice(0,n))||!(!t.typeAtEndOfLine||e.column()!=e.indentation())||void 0}function i(e){for(;;){if(!e||"top"==e.type)return!0;if("}"==e.type&&"namespace"!=e.prev.info)return!1;e=e.prev}}function a(e){for(var t={},n=e.split(" "),r=0;r<n.length;++r)t[n[r]]=!0;return t}function l(e,t){return"function"==typeof e?e(t):e.propertyIsEnumerable(t)}e.defineMode("clike",(function(a,s){var c,u,d=a.indentUnit,h=s.statementIndentUnit||d,p=s.dontAlignCalls,f=s.keywords||{},m=s.types||{},v=s.builtin||{},g=s.blockKeywords||{},w=s.defKeywords||{},y=s.atoms||{},b=s.hooks||{},x=s.multiLineStrings,k=!1!==s.indentStatements,E=!1!==s.indentSwitch,A=s.namespaceSeparator,C=s.isPunctuationChar||/[\[\]{}\(\),;\:\.]/,B=s.numberStart||/[\d\.]/,M=s.number||/^(?:0x[a-f\d]+|0b[01]+|(?:\d+\.?\d*|\.\d+)(?:e[-+]?\d+)?)(u|ll?|l|f)?/i,_=s.isOperatorChar||/[+\-*&%=<>!?|\/]/,S=s.isIdentifierChar||/[\w\$_\xa1-\uffff]/,N=s.isReservedIdentifier||!1;function V(e,t){var n=e.next();if(b[n]){var r=b[n](e,t);if(!1!==r)return r}if('"'==n||"'"==n)return t.tokenize=L(n),t.tokenize(e,t);if(B.test(n)){if(e.backUp(1),e.match(M))return"number";e.next()}if(C.test(n))return c=n,null;if("/"==n){if(e.eat("*"))return t.tokenize=T,T(e,t);if(e.eat("/"))return e.skipToEnd(),"comment"}if(_.test(n)){for(;!e.match(/^\/[\/*]/,!1)&&e.eat(_););return"operator"}if(e.eatWhile(S),A)for(;e.match(A);)e.eatWhile(S);var o=e.current();return l(f,o)?(l(g,o)&&(c="newstatement"),l(w,o)&&(u=!0),"keyword"):l(m,o)?"type":l(v,o)||N&&N(o)?(l(g,o)&&(c="newstatement"),"builtin"):l(y,o)?"atom":"variable"}function L(e){return function(t,n){for(var r,o=!1,i=!1;null!=(r=t.next());){if(r==e&&!o){i=!0;break}o=!o&&"\\"==r}return(i||!o&&!x)&&(n.tokenize=null),"string"}}function T(e,t){for(var n,r=!1;n=e.next();){if("/"==n&&r){t.tokenize=null;break}r="*"==n}return"comment"}function I(e,t){s.typeFirstDefinitions&&e.eol()&&i(t.context)&&(t.typeAtEndOfLine=o(e,t,e.pos))}return{startState:function(e){return{tokenize:null,context:new t((e||0)-d,0,"top",null,!1),indented:0,startOfLine:!0,prevToken:null}},token:function(e,t){var a=t.context;if(e.sol()&&(null==a.align&&(a.align=!1),t.indented=e.indentation(),t.startOfLine=!0),e.eatSpace())return I(e,t),null;c=u=null;var l=(t.tokenize||V)(e,t);if("comment"==l||"meta"==l)return l;if(null==a.align&&(a.align=!0),";"==c||":"==c||","==c&&e.match(/^\s*(?:\/\/.*)?$/,!1))for(;"statement"==t.context.type;)r(t);else if("{"==c)n(t,e.column(),"}");else if("["==c)n(t,e.column(),"]");else if("("==c)n(t,e.column(),")");else if("}"==c){for(;"statement"==a.type;)a=r(t);for("}"==a.type&&(a=r(t));"statement"==a.type;)a=r(t)}else c==a.type?r(t):k&&(("}"==a.type||"top"==a.type)&&";"!=c||"statement"==a.type&&"newstatement"==c)&&n(t,e.column(),"statement",e.current());if("variable"==l&&("def"==t.prevToken||s.typeFirstDefinitions&&o(e,t,e.start)&&i(t.context)&&e.match(/^\s*\(/,!1))&&(l="def"),b.token){var d=b.token(e,t,l);void 0!==d&&(l=d)}return"def"==l&&!1===s.styleDefs&&(l="variable"),t.startOfLine=!1,t.prevToken=u?"def":l||c,I(e,t),l},indent:function(t,n){if(t.tokenize!=V&&null!=t.tokenize||t.typeAtEndOfLine&&i(t.context))return e.Pass;var r=t.context,o=n&&n.charAt(0),a=o==r.type;if("statement"==r.type&&"}"==o&&(r=r.prev),s.dontIndentStatements)for(;"statement"==r.type&&s.dontIndentStatements.test(r.info);)r=r.prev;if(b.indent){var l=b.indent(t,r,n,d);if("number"==typeof l)return l}var c=r.prev&&"switch"==r.prev.info;if(s.allmanIndentation&&/[{(]/.test(o)){for(;"top"!=r.type&&"}"!=r.type;)r=r.prev;return r.indented}return"statement"==r.type?r.indented+("{"==o?0:h):!r.align||p&&")"==r.type?")"!=r.type||a?r.indented+(a?0:d)+(a||!c||/^(?:case|default)\b/.test(n)?0:d):r.indented+h:r.column+(a?0:1)},electricInput:E?/^\s*(?:case .*?:|default:|\{\}?|\})$/:/^\s*[{}]$/,blockCommentStart:"/*",blockCommentEnd:"*/",blockCommentContinue:" * ",lineComment:"//",fold:"brace"}}));var s="auto if break case register continue return default do sizeof static else struct switch extern typedef union for goto while enum const volatile inline restrict asm fortran",c="alignas alignof and and_eq audit axiom bitand bitor catch class compl concept constexpr const_cast decltype delete dynamic_cast explicit export final friend import module mutable namespace new noexcept not not_eq operator or or_eq override private protected public reinterpret_cast requires static_assert static_cast template this thread_local throw try typeid typename using virtual xor xor_eq",u="bycopy byref in inout oneway out self super atomic nonatomic retain copy readwrite readonly strong weak assign typeof nullable nonnull null_resettable _cmd @interface @implementation @end @protocol @encode @property @synthesize @dynamic @class @public @package @private @protected @required @optional @try @catch @finally @import @selector @encode @defs @synchronized @autoreleasepool @compatibility_alias @available",d="FOUNDATION_EXPORT FOUNDATION_EXTERN NS_INLINE NS_FORMAT_FUNCTION  NS_RETURNS_RETAINEDNS_ERROR_ENUM NS_RETURNS_NOT_RETAINED NS_RETURNS_INNER_POINTER NS_DESIGNATED_INITIALIZER NS_ENUM NS_OPTIONS NS_REQUIRES_NIL_TERMINATION NS_ASSUME_NONNULL_BEGIN NS_ASSUME_NONNULL_END NS_SWIFT_NAME NS_REFINED_FOR_SWIFT",h=a("int long char short double float unsigned signed void bool"),p=a("SEL instancetype id Class Protocol BOOL");function f(e){return l(h,e)||/.+_t$/.test(e)}function m(e){return f(e)||l(p,e)}var v="case do else for if switch while struct enum union",g="struct enum union";function w(e,t){if(!t.startOfLine)return!1;for(var n,r=null;n=e.peek();){if("\\"==n&&e.match(/^.$/)){r=w;break}if("/"==n&&e.match(/^\/[\/\*]/,!1))break;e.next()}return t.tokenize=r,"meta"}function y(e,t){return"type"==t.prevToken&&"type"}function b(e){return!(!e||e.length<2||"_"!=e[0]||"_"!=e[1]&&e[1]===e[1].toLowerCase())}function x(e){return e.eatWhile(/[\w\.']/),"number"}function k(e,t){if(e.backUp(1),e.match(/^(?:R|u8R|uR|UR|LR)/)){var n=e.match(/^"([^\s\\()]{0,16})\(/);return!!n&&(t.cpp11RawStringDelim=n[1],t.tokenize=C,C(e,t))}return e.match(/^(?:u8|u|U|L)/)?!!e.match(/^["']/,!1)&&"string":(e.next(),!1)}function E(e){var t=/(\w+)::~?(\w+)$/.exec(e);return t&&t[1]==t[2]}function A(e,t){for(var n;null!=(n=e.next());)if('"'==n&&!e.eat('"')){t.tokenize=null;break}return"string"}function C(e,t){var n=t.cpp11RawStringDelim.replace(/[^\w\s]/g,"\\$&");return e.match(new RegExp(".*?\\)"+n+'"'))?t.tokenize=null:e.skipToEnd(),"string"}function B(t,n){"string"==typeof t&&(t=[t]);var r=[];function o(e){if(e)for(var t in e)e.hasOwnProperty(t)&&r.push(t)}o(n.keywords),o(n.types),o(n.builtin),o(n.atoms),r.length&&(n.helperType=t[0],e.registerHelper("hintWords",t[0],r));for(var i=0;i<t.length;++i)e.defineMIME(t[i],n)}function M(e,t){for(var n=!1;!e.eol();){if(!n&&e.match('"""')){t.tokenize=null;break}n="\\"==e.next()&&!n}return"string"}function _(e){return function(t,n){for(var r;r=t.next();){if("*"==r&&t.eat("/")){if(1==e){n.tokenize=null;break}return n.tokenize=_(e-1),n.tokenize(t,n)}if("/"==r&&t.eat("*"))return n.tokenize=_(e+1),n.tokenize(t,n)}return"comment"}}function S(e){return function(t,n){for(var r,o=!1,i=!1;!t.eol();){if(!e&&!o&&t.match('"')){i=!0;break}if(e&&t.match('"""')){i=!0;break}r=t.next(),!o&&"$"==r&&t.match("{")&&t.skipTo("}"),o=!o&&"\\"==r&&!e}return!i&&e||(n.tokenize=null),"string"}}B(["text/x-csrc","text/x-c","text/x-chdr"],{name:"clike",keywords:a(s),types:f,blockKeywords:a(v),defKeywords:a(g),typeFirstDefinitions:!0,atoms:a("NULL true false"),isReservedIdentifier:b,hooks:{"#":w,"*":y},modeProps:{fold:["brace","include"]}}),B(["text/x-c++src","text/x-c++hdr"],{name:"clike",keywords:a(s+" "+c),types:f,blockKeywords:a(v+" class try catch"),defKeywords:a(g+" class namespace"),typeFirstDefinitions:!0,atoms:a("true false NULL nullptr"),dontIndentStatements:/^template$/,isIdentifierChar:/[\w\$_~\xa1-\uffff]/,isReservedIdentifier:b,hooks:{"#":w,"*":y,u:k,U:k,L:k,R:k,0:x,1:x,2:x,3:x,4:x,5:x,6:x,7:x,8:x,9:x,token:function(e,t,n){if("variable"==n&&"("==e.peek()&&(";"==t.prevToken||null==t.prevToken||"}"==t.prevToken)&&E(e.current()))return"def"}},namespaceSeparator:"::",modeProps:{fold:["brace","include"]}}),B("text/x-java",{name:"clike",keywords:a("abstract assert break case catch class const continue default do else enum extends final finally for goto if implements import instanceof interface native new package private protected public return static strictfp super switch synchronized this throw throws transient try volatile while @interface"),types:a("var byte short int long float double boolean char void Boolean Byte Character Double Float Integer Long Number Object Short String StringBuffer StringBuilder Void"),blockKeywords:a("catch class do else finally for if switch try while"),defKeywords:a("class interface enum @interface"),typeFirstDefinitions:!0,atoms:a("true false null"),number:/^(?:0x[a-f\d_]+|0b[01_]+|(?:[\d_]+\.?\d*|\.\d+)(?:e[-+]?[\d_]+)?)(u|ll?|l|f)?/i,hooks:{"@":function(e){return!e.match("interface",!1)&&(e.eatWhile(/[\w\$_]/),"meta")},'"':function(e,t){return!!e.match(/""$/)&&(t.tokenize=M,t.tokenize(e,t))}},modeProps:{fold:["brace","import"]}}),B("text/x-csharp",{name:"clike",keywords:a("abstract as async await base break case catch checked class const continue default delegate do else enum event explicit extern finally fixed for foreach goto if implicit in init interface internal is lock namespace new operator out override params private protected public readonly record ref required return sealed sizeof stackalloc static struct switch this throw try typeof unchecked unsafe using virtual void volatile while add alias ascending descending dynamic from get global group into join let orderby partial remove select set value var yield"),types:a("Action Boolean Byte Char DateTime DateTimeOffset Decimal Double Func Guid Int16 Int32 Int64 Object SByte Single String Task TimeSpan UInt16 UInt32 UInt64 bool byte char decimal double short int long object sbyte float string ushort uint ulong"),blockKeywords:a("catch class do else finally for foreach if struct switch try while"),defKeywords:a("class interface namespace record struct var"),typeFirstDefinitions:!0,atoms:a("true false null"),hooks:{"@":function(e,t){return e.eat('"')?(t.tokenize=A,A(e,t)):(e.eatWhile(/[\w\$_]/),"meta")}}}),B("text/x-scala",{name:"clike",keywords:a("abstract case catch class def do else extends final finally for forSome if implicit import lazy match new null object override package private protected return sealed super this throw trait try type val var while with yield _ assert assume require print println printf readLine readBoolean readByte readShort readChar readInt readLong readFloat readDouble"),types:a("AnyVal App Application Array BufferedIterator BigDecimal BigInt Char Console Either Enumeration Equiv Error Exception Fractional Function IndexedSeq Int Integral Iterable Iterator List Map Numeric Nil NotNull Option Ordered Ordering PartialFunction PartialOrdering Product Proxy Range Responder Seq Serializable Set Specializable Stream StringBuilder StringContext Symbol Throwable Traversable TraversableOnce Tuple Unit Vector 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"),multiLineStrings:!0,blockKeywords:a("catch class enum do else finally for forSome if match switch try while"),defKeywords:a("class enum def object package trait type val var"),atoms:a("true false null"),indentStatements:!1,indentSwitch:!1,isOperatorChar:/[+\-*&%=<>!?|\/#:@]/,hooks:{"@":function(e){return e.eatWhile(/[\w\$_]/),"meta"},'"':function(e,t){return!!e.match('""')&&(t.tokenize=M,t.tokenize(e,t))},"'":function(e){return e.match(/^(\\[^'\s]+|[^\\'])'/)?"string-2":(e.eatWhile(/[\w\$_\xa1-\uffff]/),"atom")},"=":function(e,n){var r=n.context;return!("}"!=r.type||!r.align||!e.eat(">"))&&(n.context=new t(r.indented,r.column,r.type,r.info,null,r.prev),"operator")},"/":function(e,t){return!!e.eat("*")&&(t.tokenize=_(1),t.tokenize(e,t))}},modeProps:{closeBrackets:{pairs:'()[]{}""',triples:'"'}}}),B("text/x-kotlin",{name:"clike",keywords:a("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:a("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:a("catch class do else finally for if where try while enum"),defKeywords:a("class val var object interface fun"),atoms:a("true false null this"),hooks:{"@":function(e){return e.eatWhile(/[\w\$_]/),"meta"},"*":function(e,t){return"."==t.prevToken?"variable":"operator"},'"':function(e,t){return t.tokenize=S(e.match('""')),t.tokenize(e,t)},"/":function(e,t){return!!e.eat("*")&&(t.tokenize=_(1),t.tokenize(e,t))},indent:function(e,t,n,r){var o=n&&n.charAt(0);return"}"!=e.prevToken&&")"!=e.prevToken||""!=n?"operator"==e.prevToken&&"}"!=n&&"}"!=e.context.type||"variable"==e.prevToken&&"."==o||("}"==e.prevToken||")"==e.prevToken)&&"."==o?2*r+t.indented:t.align&&"}"==t.type?t.indented+(e.context.type==(n||"").charAt(0)?0:r):void 0:e.indented}},modeProps:{closeBrackets:{triples:'"'}}}),B(["x-shader/x-vertex","x-shader/x-fragment"],{name:"clike",keywords:a("sampler1D sampler2D sampler3D samplerCube sampler1DShadow sampler2DShadow const attribute uniform varying break continue discard return for while do if else struct in out inout"),types:a("float int bool void vec2 vec3 vec4 ivec2 ivec3 ivec4 bvec2 bvec3 bvec4 mat2 mat3 mat4"),blockKeywords:a("for while do if else struct"),builtin:a("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:a("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:{"#":w},modeProps:{fold:["brace","include"]}}),B("text/x-nesc",{name:"clike",keywords:a(s+" 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:f,blockKeywords:a(v),atoms:a("null true false"),hooks:{"#":w},modeProps:{fold:["brace","include"]}}),B("text/x-objectivec",{name:"clike",keywords:a(s+" "+u),types:m,builtin:a(d),blockKeywords:a(v+" @synthesize @try @catch @finally @autoreleasepool @synchronized"),defKeywords:a(g+" @interface @implementation @protocol @class"),dontIndentStatements:/^@.*$/,typeFirstDefinitions:!0,atoms:a("YES NO NULL Nil nil true false nullptr"),isReservedIdentifier:b,hooks:{"#":w,"*":y},modeProps:{fold:["brace","include"]}}),B("text/x-objectivec++",{name:"clike",keywords:a(s+" "+u+" "+c),types:m,builtin:a(d),blockKeywords:a(v+" @synthesize @try @catch @finally @autoreleasepool @synchronized class try catch"),defKeywords:a(g+" @interface @implementation @protocol @class class namespace"),dontIndentStatements:/^@.*$|^template$/,typeFirstDefinitions:!0,atoms:a("YES NO NULL Nil nil true false nullptr"),isReservedIdentifier:b,hooks:{"#":w,"*":y,u:k,U:k,L:k,R:k,0:x,1:x,2:x,3:x,4:x,5:x,6:x,7:x,8:x,9:x,token:function(e,t,n){if("variable"==n&&"("==e.peek()&&(";"==t.prevToken||null==t.prevToken||"}"==t.prevToken)&&E(e.current()))return"def"}},namespaceSeparator:"::",modeProps:{fold:["brace","include"]}}),B("text/x-squirrel",{name:"clike",keywords:a("base break clone continue const default delete enum extends function in class foreach local resume return this throw typeof yield constructor instanceof static"),types:f,blockKeywords:a("case catch class else for foreach if switch try while"),defKeywords:a("function local class"),typeFirstDefinitions:!0,atoms:a("true false null"),hooks:{"#":w},modeProps:{fold:["brace","include"]}});var N=null;function V(e){return function(t,n){for(var r,o=!1,i=!1;!t.eol();){if(!o&&t.match('"')&&("single"==e||t.match('""'))){i=!0;break}if(!o&&t.match("``")){N=V(e),i=!0;break}r=t.next(),o="single"==e&&!o&&"\\"==r}return i&&(n.tokenize=null),"string"}}B("text/x-ceylon",{name:"clike",keywords:a("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(e){var t=e.charAt(0);return t===t.toUpperCase()&&t!==t.toLowerCase()},blockKeywords:a("case catch class dynamic else finally for function if interface module new object switch try while"),defKeywords:a("class dynamic function interface module object package value"),builtin:a("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:a("true false null larger smaller equal empty finished"),indentSwitch:!1,styleDefs:!1,hooks:{"@":function(e){return e.eatWhile(/[\w\$_]/),"meta"},'"':function(e,t){return t.tokenize=V(e.match('""')?"triple":"single"),t.tokenize(e,t)},"`":function(e,t){return!(!N||!e.match("`"))&&(t.tokenize=N,N=null,t.tokenize(e,t))},"'":function(e){return e.eatWhile(/[\w\$_\xa1-\uffff]/),"atom"},token:function(e,t,n){if(("variable"==n||"type"==n)&&"."==t.prevToken)return"variable-2"}},modeProps:{fold:["brace","import"],closeBrackets:{triples:'"'}}})}(n(15237))},47936:(e,t,n)=>{!function(e){"use strict";e.defineMode("coffeescript",(function(e,t){var n="error";function r(e){return new RegExp("^(("+e.join(")|(")+"))\\b")}var o=/^(?:->|=>|\+[+=]?|-[\-=]?|\*[\*=]?|\/[\/=]?|[=!]=|<[><]?=?|>>?=?|%=?|&=?|\|=?|\^=?|\~|!|\?|(or|and|\|\||&&|\?)=)/,i=/^(?:[()\[\]{},:`=;]|\.\.?\.?)/,a=/^[_A-Za-z$][_A-Za-z$0-9]*/,l=/^@[_A-Za-z$][_A-Za-z$0-9]*/,s=r(["and","or","not","is","isnt","in","instanceof","typeof"]),c=["for","while","loop","if","unless","else","switch","try","catch","finally","class"],u=["break","by","continue","debugger","delete","do","in","of","new","return","then","this","@","throw","when","until","extends"],d=r(c.concat(u));c=r(c);var h=/^('{3}|\"{3}|['\"])/,p=/^(\/{3}|\/)/,f=r(["Infinity","NaN","undefined","null","true","false","on","off","yes","no"]);function m(e,t){if(e.sol()){null===t.scope.align&&(t.scope.align=!1);var r=t.scope.offset;if(e.eatSpace()){var c=e.indentation();return c>r&&"coffee"==t.scope.type?"indent":c<r?"dedent":null}r>0&&y(e,t)}if(e.eatSpace())return null;var u=e.peek();if(e.match("####"))return e.skipToEnd(),"comment";if(e.match("###"))return t.tokenize=g,t.tokenize(e,t);if("#"===u)return e.skipToEnd(),"comment";if(e.match(/^-?[0-9\.]/,!1)){var m=!1;if(e.match(/^-?\d*\.\d+(e[\+\-]?\d+)?/i)&&(m=!0),e.match(/^-?\d+\.\d*/)&&(m=!0),e.match(/^-?\.\d+/)&&(m=!0),m)return"."==e.peek()&&e.backUp(1),"number";var w=!1;if(e.match(/^-?0x[0-9a-f]+/i)&&(w=!0),e.match(/^-?[1-9]\d*(e[\+\-]?\d+)?/)&&(w=!0),e.match(/^-?0(?![\dx])/i)&&(w=!0),w)return"number"}if(e.match(h))return t.tokenize=v(e.current(),!1,"string"),t.tokenize(e,t);if(e.match(p)){if("/"!=e.current()||e.match(/^.*\//,!1))return t.tokenize=v(e.current(),!0,"string-2"),t.tokenize(e,t);e.backUp(1)}return e.match(o)||e.match(s)?"operator":e.match(i)?"punctuation":e.match(f)?"atom":e.match(l)||t.prop&&e.match(a)?"property":e.match(d)?"keyword":e.match(a)?"variable":(e.next(),n)}function v(e,r,o){return function(i,a){for(;!i.eol();)if(i.eatWhile(/[^'"\/\\]/),i.eat("\\")){if(i.next(),r&&i.eol())return o}else{if(i.match(e))return a.tokenize=m,o;i.eat(/['"\/]/)}return r&&(t.singleLineStringErrors?o=n:a.tokenize=m),o}}function g(e,t){for(;!e.eol();){if(e.eatWhile(/[^#]/),e.match("###")){t.tokenize=m;break}e.eatWhile("#")}return"comment"}function w(t,n,r){r=r||"coffee";for(var o=0,i=!1,a=null,l=n.scope;l;l=l.prev)if("coffee"===l.type||"}"==l.type){o=l.offset+e.indentUnit;break}"coffee"!==r?(i=null,a=t.column()+t.current().length):n.scope.align&&(n.scope.align=!1),n.scope={offset:o,type:r,prev:n.scope,align:i,alignOffset:a}}function y(e,t){if(t.scope.prev){if("coffee"===t.scope.type){for(var n=e.indentation(),r=!1,o=t.scope;o;o=o.prev)if(n===o.offset){r=!0;break}if(!r)return!0;for(;t.scope.prev&&t.scope.offset!==n;)t.scope=t.scope.prev;return!1}return t.scope=t.scope.prev,!1}}function b(e,t){var r=t.tokenize(e,t),o=e.current();"return"===o&&(t.dedent=!0),(("->"===o||"=>"===o)&&e.eol()||"indent"===r)&&w(e,t);var i="[({".indexOf(o);if(-1!==i&&w(e,t,"])}".slice(i,i+1)),c.exec(o)&&w(e,t),"then"==o&&y(e,t),"dedent"===r&&y(e,t))return n;if(-1!==(i="])}".indexOf(o))){for(;"coffee"==t.scope.type&&t.scope.prev;)t.scope=t.scope.prev;t.scope.type==o&&(t.scope=t.scope.prev)}return t.dedent&&e.eol()&&("coffee"==t.scope.type&&t.scope.prev&&(t.scope=t.scope.prev),t.dedent=!1),r}return{startState:function(e){return{tokenize:m,scope:{offset:e||0,type:"coffee",prev:null,align:!1},prop:!1,dedent:0}},token:function(e,t){var n=null===t.scope.align&&t.scope;n&&e.sol()&&(n.align=!1);var r=b(e,t);return r&&"comment"!=r&&(n&&(n.align=!0),t.prop="punctuation"==r&&"."==e.current()),r},indent:function(e,t){if(e.tokenize!=m)return 0;var n=e.scope,r=t&&"])}".indexOf(t.charAt(0))>-1;if(r)for(;"coffee"==n.type&&n.prev;)n=n.prev;var o=r&&n.type===t.charAt(0);return n.align?n.alignOffset-(o?1:0):(o?n.prev:n).offset},lineComment:"#",fold:"indent"}})),e.defineMIME("application/vnd.coffeescript","coffeescript"),e.defineMIME("text/x-coffeescript","coffeescript"),e.defineMIME("text/coffeescript","coffeescript")}(n(15237))},68656:(e,t,n)=>{!function(e){"use strict";function t(e){for(var t={},n=0;n<e.length;++n)t[e[n].toLowerCase()]=!0;return t}e.defineMode("css",(function(t,n){var r=n.inline;n.propertyKeywords||(n=e.resolveMode("text/css"));var o,i,a=t.indentUnit,l=n.tokenHooks,s=n.documentTypes||{},c=n.mediaTypes||{},u=n.mediaFeatures||{},d=n.mediaValueKeywords||{},h=n.propertyKeywords||{},p=n.nonStandardPropertyKeywords||{},f=n.fontProperties||{},m=n.counterDescriptors||{},v=n.colorKeywords||{},g=n.valueKeywords||{},w=n.allowNested,y=n.lineComment,b=!0===n.supportsAtComponent,x=!1!==t.highlightNonStandardPropertyKeywords;function k(e,t){return o=t,e}function E(e,t){var n=e.next();if(l[n]){var r=l[n](e,t);if(!1!==r)return r}return"@"==n?(e.eatWhile(/[\w\\\-]/),k("def",e.current())):"="==n||("~"==n||"|"==n)&&e.eat("=")?k(null,"compare"):'"'==n||"'"==n?(t.tokenize=A(n),t.tokenize(e,t)):"#"==n?(e.eatWhile(/[\w\\\-]/),k("atom","hash")):"!"==n?(e.match(/^\s*\w*/),k("keyword","important")):/\d/.test(n)||"."==n&&e.eat(/\d/)?(e.eatWhile(/[\w.%]/),k("number","unit")):"-"!==n?/[,+>*\/]/.test(n)?k(null,"select-op"):"."==n&&e.match(/^-?[_a-z][_a-z0-9-]*/i)?k("qualifier","qualifier"):/[:;{}\[\]\(\)]/.test(n)?k(null,n):e.match(/^[\w-.]+(?=\()/)?(/^(url(-prefix)?|domain|regexp)$/i.test(e.current())&&(t.tokenize=C),k("variable callee","variable")):/[\w\\\-]/.test(n)?(e.eatWhile(/[\w\\\-]/),k("property","word")):k(null,null):/[\d.]/.test(e.peek())?(e.eatWhile(/[\w.%]/),k("number","unit")):e.match(/^-[\w\\\-]*/)?(e.eatWhile(/[\w\\\-]/),e.match(/^\s*:/,!1)?k("variable-2","variable-definition"):k("variable-2","variable")):e.match(/^\w+-/)?k("meta","meta"):void 0}function A(e){return function(t,n){for(var r,o=!1;null!=(r=t.next());){if(r==e&&!o){")"==e&&t.backUp(1);break}o=!o&&"\\"==r}return(r==e||!o&&")"!=e)&&(n.tokenize=null),k("string","string")}}function C(e,t){return e.next(),e.match(/^\s*[\"\')]/,!1)?t.tokenize=null:t.tokenize=A(")"),k(null,"(")}function B(e,t,n){this.type=e,this.indent=t,this.prev=n}function M(e,t,n,r){return e.context=new B(n,t.indentation()+(!1===r?0:a),e.context),n}function _(e){return e.context.prev&&(e.context=e.context.prev),e.context.type}function S(e,t,n){return L[n.context.type](e,t,n)}function N(e,t,n,r){for(var o=r||1;o>0;o--)n.context=n.context.prev;return S(e,t,n)}function V(e){var t=e.current().toLowerCase();i=g.hasOwnProperty(t)?"atom":v.hasOwnProperty(t)?"keyword":"variable"}var L={top:function(e,t,n){if("{"==e)return M(n,t,"block");if("}"==e&&n.context.prev)return _(n);if(b&&/@component/i.test(e))return M(n,t,"atComponentBlock");if(/^@(-moz-)?document$/i.test(e))return M(n,t,"documentTypes");if(/^@(media|supports|(-moz-)?document|import)$/i.test(e))return M(n,t,"atBlock");if(/^@(font-face|counter-style)/i.test(e))return n.stateArg=e,"restricted_atBlock_before";if(/^@(-(moz|ms|o|webkit)-)?keyframes$/i.test(e))return"keyframes";if(e&&"@"==e.charAt(0))return M(n,t,"at");if("hash"==e)i="builtin";else if("word"==e)i="tag";else{if("variable-definition"==e)return"maybeprop";if("interpolation"==e)return M(n,t,"interpolation");if(":"==e)return"pseudo";if(w&&"("==e)return M(n,t,"parens")}return n.context.type},block:function(e,t,n){if("word"==e){var r=t.current().toLowerCase();return h.hasOwnProperty(r)?(i="property","maybeprop"):p.hasOwnProperty(r)?(i=x?"string-2":"property","maybeprop"):w?(i=t.match(/^\s*:(?:\s|$)/,!1)?"property":"tag","block"):(i+=" error","maybeprop")}return"meta"==e?"block":w||"hash"!=e&&"qualifier"!=e?L.top(e,t,n):(i="error","block")},maybeprop:function(e,t,n){return":"==e?M(n,t,"prop"):S(e,t,n)},prop:function(e,t,n){if(";"==e)return _(n);if("{"==e&&w)return M(n,t,"propBlock");if("}"==e||"{"==e)return N(e,t,n);if("("==e)return M(n,t,"parens");if("hash"!=e||/^#([0-9a-fA-F]{3,4}|[0-9a-fA-F]{6}|[0-9a-fA-F]{8})$/.test(t.current())){if("word"==e)V(t);else if("interpolation"==e)return M(n,t,"interpolation")}else i+=" error";return"prop"},propBlock:function(e,t,n){return"}"==e?_(n):"word"==e?(i="property","maybeprop"):n.context.type},parens:function(e,t,n){return"{"==e||"}"==e?N(e,t,n):")"==e?_(n):"("==e?M(n,t,"parens"):"interpolation"==e?M(n,t,"interpolation"):("word"==e&&V(t),"parens")},pseudo:function(e,t,n){return"meta"==e?"pseudo":"word"==e?(i="variable-3",n.context.type):S(e,t,n)},documentTypes:function(e,t,n){return"word"==e&&s.hasOwnProperty(t.current())?(i="tag",n.context.type):L.atBlock(e,t,n)},atBlock:function(e,t,n){if("("==e)return M(n,t,"atBlock_parens");if("}"==e||";"==e)return N(e,t,n);if("{"==e)return _(n)&&M(n,t,w?"block":"top");if("interpolation"==e)return M(n,t,"interpolation");if("word"==e){var r=t.current().toLowerCase();i="only"==r||"not"==r||"and"==r||"or"==r?"keyword":c.hasOwnProperty(r)?"attribute":u.hasOwnProperty(r)?"property":d.hasOwnProperty(r)?"keyword":h.hasOwnProperty(r)?"property":p.hasOwnProperty(r)?x?"string-2":"property":g.hasOwnProperty(r)?"atom":v.hasOwnProperty(r)?"keyword":"error"}return n.context.type},atComponentBlock:function(e,t,n){return"}"==e?N(e,t,n):"{"==e?_(n)&&M(n,t,w?"block":"top",!1):("word"==e&&(i="error"),n.context.type)},atBlock_parens:function(e,t,n){return")"==e?_(n):"{"==e||"}"==e?N(e,t,n,2):L.atBlock(e,t,n)},restricted_atBlock_before:function(e,t,n){return"{"==e?M(n,t,"restricted_atBlock"):"word"==e&&"@counter-style"==n.stateArg?(i="variable","restricted_atBlock_before"):S(e,t,n)},restricted_atBlock:function(e,t,n){return"}"==e?(n.stateArg=null,_(n)):"word"==e?(i="@font-face"==n.stateArg&&!f.hasOwnProperty(t.current().toLowerCase())||"@counter-style"==n.stateArg&&!m.hasOwnProperty(t.current().toLowerCase())?"error":"property","maybeprop"):"restricted_atBlock"},keyframes:function(e,t,n){return"word"==e?(i="variable","keyframes"):"{"==e?M(n,t,"top"):S(e,t,n)},at:function(e,t,n){return";"==e?_(n):"{"==e||"}"==e?N(e,t,n):("word"==e?i="tag":"hash"==e&&(i="builtin"),"at")},interpolation:function(e,t,n){return"}"==e?_(n):"{"==e||";"==e?N(e,t,n):("word"==e?i="variable":"variable"!=e&&"("!=e&&")"!=e&&(i="error"),"interpolation")}};return{startState:function(e){return{tokenize:null,state:r?"block":"top",stateArg:null,context:new B(r?"block":"top",e||0,null)}},token:function(e,t){if(!t.tokenize&&e.eatSpace())return null;var n=(t.tokenize||E)(e,t);return n&&"object"==typeof n&&(o=n[1],n=n[0]),i=n,"comment"!=o&&(t.state=L[t.state](o,e,t)),i},indent:function(e,t){var n=e.context,r=t&&t.charAt(0),o=n.indent;return"prop"!=n.type||"}"!=r&&")"!=r||(n=n.prev),n.prev&&("}"!=r||"block"!=n.type&&"top"!=n.type&&"interpolation"!=n.type&&"restricted_atBlock"!=n.type?(")"!=r||"parens"!=n.type&&"atBlock_parens"!=n.type)&&("{"!=r||"at"!=n.type&&"atBlock"!=n.type)||(o=Math.max(0,n.indent-a)):o=(n=n.prev).indent),o},electricChars:"}",blockCommentStart:"/*",blockCommentEnd:"*/",blockCommentContinue:" * ",lineComment:y,fold:"brace"}}));var n=["domain","regexp","url","url-prefix"],r=t(n),o=["all","aural","braille","handheld","print","projection","screen","tty","tv","embossed"],i=t(o),a=["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","orientation","device-pixel-ratio","min-device-pixel-ratio","max-device-pixel-ratio","pointer","any-pointer","hover","any-hover","prefers-color-scheme","dynamic-range","video-dynamic-range"],l=t(a),s=["landscape","portrait","none","coarse","fine","on-demand","hover","interlace","progressive","dark","light","standard","high"],c=t(s),u=["align-content","align-items","align-self","alignment-adjust","alignment-baseline","all","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","backdrop-filter","backface-visibility","background","background-attachment","background-blend-mode","background-clip","background-color","background-image","background-origin","background-position","background-position-x","background-position-y","background-repeat","background-size","baseline-shift","binding","bleed","block-size","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","caret-color","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","contain","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-content","fit-position","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","float-offset","flow-from","flow-into","font","font-family","font-feature-settings","font-kerning","font-language-override","font-optical-sizing","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-variation-settings","font-weight","gap","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-rows","grid-column","grid-column-end","grid-column-gap","grid-column-start","grid-gap","grid-row","grid-row-end","grid-row-gap","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","inset","inset-block","inset-block-end","inset-block-start","inset-inline","inset-inline-end","inset-inline-start","isolation","justify-content","justify-items","justify-self","left","letter-spacing","line-break","line-height","line-height-step","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","marks","marquee-direction","marquee-loop","marquee-play-count","marquee-speed","marquee-style","mask-clip","mask-composite","mask-image","mask-mode","mask-origin","mask-position","mask-repeat","mask-size","mask-type","max-block-size","max-height","max-inline-size","max-width","min-block-size","min-height","min-inline-size","min-width","mix-blend-mode","move-to","nav-down","nav-index","nav-left","nav-right","nav-up","object-fit","object-position","offset","offset-anchor","offset-distance","offset-path","offset-position","offset-rotate","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","place-content","place-items","place-self","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","rotate","rotation","rotation-point","row-gap","ruby-align","ruby-overhang","ruby-position","ruby-span","scale","scroll-behavior","scroll-margin","scroll-margin-block","scroll-margin-block-end","scroll-margin-block-start","scroll-margin-bottom","scroll-margin-inline","scroll-margin-inline-end","scroll-margin-inline-start","scroll-margin-left","scroll-margin-right","scroll-margin-top","scroll-padding","scroll-padding-block","scroll-padding-block-end","scroll-padding-block-start","scroll-padding-bottom","scroll-padding-inline","scroll-padding-inline-end","scroll-padding-inline-start","scroll-padding-left","scroll-padding-right","scroll-padding-top","scroll-snap-align","scroll-snap-type","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-combine-upright","text-decoration","text-decoration-color","text-decoration-line","text-decoration-skip","text-decoration-skip-ink","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-height","text-indent","text-justify","text-orientation","text-outline","text-overflow","text-rendering","text-shadow","text-size-adjust","text-space-collapse","text-transform","text-underline-position","text-wrap","top","touch-action","transform","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","translate","unicode-bidi","user-select","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","writing-mode","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","paint-order","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"],d=t(u),h=["accent-color","aspect-ratio","border-block","border-block-color","border-block-end","border-block-end-color","border-block-end-style","border-block-end-width","border-block-start","border-block-start-color","border-block-start-style","border-block-start-width","border-block-style","border-block-width","border-inline","border-inline-color","border-inline-end","border-inline-end-color","border-inline-end-style","border-inline-end-width","border-inline-start","border-inline-start-color","border-inline-start-style","border-inline-start-width","border-inline-style","border-inline-width","content-visibility","margin-block","margin-block-end","margin-block-start","margin-inline","margin-inline-end","margin-inline-start","overflow-anchor","overscroll-behavior","padding-block","padding-block-end","padding-block-start","padding-inline","padding-inline-end","padding-inline-start","scroll-snap-stop","scrollbar-3d-light-color","scrollbar-arrow-color","scrollbar-base-color","scrollbar-dark-shadow-color","scrollbar-face-color","scrollbar-highlight-color","scrollbar-shadow-color","scrollbar-track-color","searchfield-cancel-button","searchfield-decoration","searchfield-results-button","searchfield-results-decoration","shape-inside","zoom"],p=t(h),f=t(["font-display","font-family","src","unicode-range","font-variant","font-feature-settings","font-stretch","font-weight","font-style"]),m=t(["additive-symbols","fallback","negative","pad","prefix","range","speak-as","suffix","symbols","system"]),v=["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","darkgrey","darkkhaki","darkmagenta","darkolivegreen","darkorange","darkorchid","darkred","darksalmon","darkseagreen","darkslateblue","darkslategray","darkslategrey","darkturquoise","darkviolet","deeppink","deepskyblue","dimgray","dimgrey","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","lightgrey","lightpink","lightsalmon","lightseagreen","lightskyblue","lightslategray","lightslategrey","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","slategrey","snow","springgreen","steelblue","tan","teal","thistle","tomato","turquoise","violet","wheat","white","whitesmoke","yellow","yellowgreen"],g=t(v),w=["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","auto-flow","avoid","avoid-column","avoid-page","avoid-region","axis-pan","background","backwards","baseline","below","bidi-override","binary","bengali","blink","block","block-axis","blur","bold","bolder","border","border-box","both","bottom","break","break-all","break-word","brightness","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","color","color-burn","color-dodge","column","column-reverse","compact","condensed","conic-gradient","contain","content","contents","content-box","context-menu","continuous","contrast","copy","counter","counters","cover","crop","cross","crosshair","cubic-bezier","currentcolor","cursive","cyclic","darken","dashed","decimal","decimal-leading-zero","default","default-button","dense","destination-atop","destination-in","destination-out","destination-over","devanagari","difference","disc","discard","disclosure-closed","disclosure-open","document","dot-dash","dot-dot-dash","dotted","double","down","drop-shadow","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","exclusion","expanded","extends","extra-condensed","extra-expanded","fantasy","fast","fill","fill-box","fixed","flat","flex","flex-end","flex-start","footnotes","forwards","from","geometricPrecision","georgian","grayscale","graytext","grid","groove","gujarati","gurmukhi","hand","hangul","hangul-consonant","hard-light","hebrew","help","hidden","hide","higher","highlight","highlighttext","hiragana","hiragana-iroha","horizontal","hsl","hsla","hue","hue-rotate","icon","ignore","inactiveborder","inactivecaption","inactivecaptiontext","infinite","infobackground","infotext","inherit","initial","inline","inline-axis","inline-block","inline-flex","inline-grid","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","lighten","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","luminosity","malayalam","manipulation","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","multiple_mask_images","multiply","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","opacity","open-quote","optimizeLegibility","optimizeSpeed","oriya","oromo","outset","outside","outside-shape","overlay","overline","padding","padding-box","painted","page","paused","persian","perspective","pinch-zoom","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","row-resize","row-reverse","rtl","run-in","running","s-resize","sans-serif","saturate","saturation","scale","scale3d","scaleX","scaleY","scaleZ","screen","scroll","scrollbar","scroll-position","se-resize","searchfield","searchfield-cancel-button","searchfield-decoration","searchfield-results-button","searchfield-results-decoration","self-start","self-end","semi-condensed","semi-expanded","separate","sepia","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","soft-light","solid","somali","source-atop","source-in","source-out","source-over","space","space-around","space-between","space-evenly","spell-out","square","square-button","start","static","status-bar","stretch","stroke","stroke-box","sub","subpixel-antialiased","svg_masks","super","sw-resize","symbolic","symbols","system-ui","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","transform","translate","translate3d","translateX","translateY","translateZ","transparent","ultra-condensed","ultra-expanded","underline","unidirectional-pan","unset","up","upper-alpha","upper-armenian","upper-greek","upper-hexadecimal","upper-latin","upper-norwegian","upper-roman","uppercase","urdu","url","var","vertical","vertical-text","view-box","visible","visibleFill","visiblePainted","visibleStroke","visual","w-resize","wait","wave","wider","window","windowframe","windowtext","words","wrap","wrap-reverse","x-large","x-small","xor","xx-large","xx-small"],y=t(w),b=n.concat(o).concat(a).concat(s).concat(u).concat(h).concat(v).concat(w);function x(e,t){for(var n,r=!1;null!=(n=e.next());){if(r&&"/"==n){t.tokenize=null;break}r="*"==n}return["comment","comment"]}e.registerHelper("hintWords","css",b),e.defineMIME("text/css",{documentTypes:r,mediaTypes:i,mediaFeatures:l,mediaValueKeywords:c,propertyKeywords:d,nonStandardPropertyKeywords:p,fontProperties:f,counterDescriptors:m,colorKeywords:g,valueKeywords:y,tokenHooks:{"/":function(e,t){return!!e.eat("*")&&(t.tokenize=x,x(e,t))}},name:"css"}),e.defineMIME("text/x-scss",{mediaTypes:i,mediaFeatures:l,mediaValueKeywords:c,propertyKeywords:d,nonStandardPropertyKeywords:p,colorKeywords:g,valueKeywords:y,fontProperties:f,allowNested:!0,lineComment:"//",tokenHooks:{"/":function(e,t){return e.eat("/")?(e.skipToEnd(),["comment","comment"]):e.eat("*")?(t.tokenize=x,x(e,t)):["operator","operator"]},":":function(e){return!!e.match(/^\s*\{/,!1)&&[null,null]},$:function(e){return e.match(/^[\w-]+/),e.match(/^\s*:/,!1)?["variable-2","variable-definition"]:["variable-2","variable"]},"#":function(e){return!!e.eat("{")&&[null,"interpolation"]}},name:"css",helperType:"scss"}),e.defineMIME("text/x-less",{mediaTypes:i,mediaFeatures:l,mediaValueKeywords:c,propertyKeywords:d,nonStandardPropertyKeywords:p,colorKeywords:g,valueKeywords:y,fontProperties:f,allowNested:!0,lineComment:"//",tokenHooks:{"/":function(e,t){return e.eat("/")?(e.skipToEnd(),["comment","comment"]):e.eat("*")?(t.tokenize=x,x(e,t)):["operator","operator"]},"@":function(e){return e.eat("{")?[null,"interpolation"]:!e.match(/^(charset|document|font-face|import|(-(moz|ms|o|webkit)-)?keyframes|media|namespace|page|supports)\b/i,!1)&&(e.eatWhile(/[\w\\\-]/),e.match(/^\s*:/,!1)?["variable-2","variable-definition"]:["variable-2","variable"])},"&":function(){return["atom","atom"]}},name:"css",helperType:"less"}),e.defineMIME("text/x-gss",{documentTypes:r,mediaTypes:i,mediaFeatures:l,propertyKeywords:d,nonStandardPropertyKeywords:p,fontProperties:f,counterDescriptors:m,colorKeywords:g,valueKeywords:y,supportsAtComponent:!0,tokenHooks:{"/":function(e,t){return!!e.eat("*")&&(t.tokenize=x,x(e,t))}},name:"css",helperType:"gss"})}(n(15237))},83838:(e,t,n)=>{!function(e){"use strict";var t="from",n=new RegExp("^(\\s*)\\b("+t+")\\b","i"),r=["run","cmd","entrypoint","shell"],o=new RegExp("^(\\s*)("+r.join("|")+")(\\s+\\[)","i"),i="expose",a=new RegExp("^(\\s*)("+i+")(\\s+)","i"),l=["arg","from","maintainer","label","env","add","copy","volume","user","workdir","onbuild","stopsignal","healthcheck","shell"],s="("+[t,i].concat(r).concat(l).join("|")+")",c=new RegExp("^(\\s*)"+s+"(\\s*)(#.*)?$","i"),u=new RegExp("^(\\s*)"+s+"(\\s+)","i");e.defineSimpleMode("dockerfile",{start:[{regex:/^\s*#.*$/,sol:!0,token:"comment"},{regex:n,token:[null,"keyword"],sol:!0,next:"from"},{regex:c,token:[null,"keyword",null,"error"],sol:!0},{regex:o,token:[null,"keyword",null],sol:!0,next:"array"},{regex:a,token:[null,"keyword",null],sol:!0,next:"expose"},{regex:u,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:"#"}}),e.defineMIME("text/x-dockerfile","dockerfile")}(n(15237),n(34856))},8294:(e,t,n)=>{!function(e){"use strict";e.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:"--}}"}}),e.defineMode("handlebars",(function(t,n){var r=e.getMode(t,"handlebars-tags");return n&&n.base?e.multiplexingMode(e.getMode(t,n.base),{open:"{{",close:/\}\}\}?/,mode:r,parseDelimiters:!0}):r})),e.defineMIME("text/x-handlebars-template","handlebars")}(n(15237),n(34856),n(97340))},12520:(e,t,n)=>{!function(e){"use strict";var t={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 n(e,t,n){var r=e.current(),o=r.search(t);return o>-1?e.backUp(r.length-o):r.match(/<\/?$/)&&(e.backUp(r.length),e.match(t,!1)||e.match(r)),n}var r={};function o(e){var t=r[e];return t||(r[e]=new RegExp("\\s+"+e+"\\s*=\\s*('|\")?([^'\"]+)('|\")?\\s*"))}function i(e,t){var n=e.match(o(t));return n?/^\s*(.*?)\s*$/.exec(n[2])[1]:""}function a(e,t){return new RegExp((t?"^":"")+"</\\s*"+e+"\\s*>","i")}function l(e,t){for(var n in e)for(var r=t[n]||(t[n]=[]),o=e[n],i=o.length-1;i>=0;i--)r.unshift(o[i])}function s(e,t){for(var n=0;n<e.length;n++){var r=e[n];if(!r[0]||r[1].test(i(t,r[0])))return r[2]}}e.defineMode("htmlmixed",(function(r,o){var i=e.getMode(r,{name:"xml",htmlMode:!0,multilineTagIndentFactor:o.multilineTagIndentFactor,multilineTagIndentPastTag:o.multilineTagIndentPastTag,allowMissingTagName:o.allowMissingTagName}),c={},u=o&&o.tags,d=o&&o.scriptTypes;if(l(t,c),u&&l(u,c),d)for(var h=d.length-1;h>=0;h--)c.script.unshift(["type",d[h].matches,d[h].mode]);function p(t,o){var l,u=i.token(t,o.htmlState),d=/\btag\b/.test(u);if(d&&!/[<>\s\/]/.test(t.current())&&(l=o.htmlState.tagName&&o.htmlState.tagName.toLowerCase())&&c.hasOwnProperty(l))o.inTag=l+" ";else if(o.inTag&&d&&/>$/.test(t.current())){var h=/^([\S]+) (.*)/.exec(o.inTag);o.inTag=null;var f=">"==t.current()&&s(c[h[1]],h[2]),m=e.getMode(r,f),v=a(h[1],!0),g=a(h[1],!1);o.token=function(e,t){return e.match(v,!1)?(t.token=p,t.localState=t.localMode=null,null):n(e,g,t.localMode.token(e,t.localState))},o.localMode=m,o.localState=e.startState(m,i.indent(o.htmlState,"",""))}else o.inTag&&(o.inTag+=t.current(),t.eol()&&(o.inTag+=" "));return u}return{startState:function(){return{token:p,inTag:null,localMode:null,localState:null,htmlState:e.startState(i)}},copyState:function(t){var n;return t.localState&&(n=e.copyState(t.localMode,t.localState)),{token:t.token,inTag:t.inTag,localMode:t.localMode,localState:n,htmlState:e.copyState(i,t.htmlState)}},token:function(e,t){return t.token(e,t)},indent:function(t,n,r){return!t.localMode||/^\s*<\//.test(n)?i.indent(t.htmlState,n,r):t.localMode.indent?t.localMode.indent(t.localState,n,r):e.Pass},innerMode:function(e){return{state:e.localState||e.htmlState,mode:e.localMode||i}}}}),"xml","javascript","css"),e.defineMIME("text/html","htmlmixed")}(n(15237),n(40576),n(16792),n(68656))},16792:(e,t,n)=>{!function(e){"use strict";e.defineMode("javascript",(function(t,n){var r,o,i=t.indentUnit,a=n.statementIndent,l=n.jsonld,s=n.json||l,c=!1!==n.trackScope,u=n.typescript,d=n.wordCharacters||/[\w$\xa1-\uffff]/,h=function(){function e(e){return{type:e,style:"keyword"}}var t=e("keyword a"),n=e("keyword b"),r=e("keyword c"),o=e("keyword d"),i=e("operator"),a={type:"atom",style:"atom"};return{if:e("if"),while:t,with:t,else:n,do:n,try:n,finally:n,return:o,break:o,continue:o,new:e("new"),delete:r,void:r,throw:r,debugger:e("debugger"),var:e("var"),const:e("var"),let:e("var"),function:e("function"),catch:e("catch"),for:e("for"),switch:e("switch"),case:e("case"),default:e("default"),in:i,typeof:i,instanceof:i,true:a,false:a,null:a,undefined:a,NaN:a,Infinity:a,this:e("this"),class:e("class"),super:e("atom"),yield:r,export:e("export"),import:e("import"),extends:r,await:r}}(),p=/[+\-*&%=<>!?|~^@]/,f=/^@(context|id|value|language|type|container|list|set|reverse|index|base|vocab|graph)"/;function m(e){for(var t,n=!1,r=!1;null!=(t=e.next());){if(!n){if("/"==t&&!r)return;"["==t?r=!0:r&&"]"==t&&(r=!1)}n=!n&&"\\"==t}}function v(e,t,n){return r=e,o=n,t}function g(e,t){var n=e.next();if('"'==n||"'"==n)return t.tokenize=w(n),t.tokenize(e,t);if("."==n&&e.match(/^\d[\d_]*(?:[eE][+\-]?[\d_]+)?/))return v("number","number");if("."==n&&e.match(".."))return v("spread","meta");if(/[\[\]{}\(\),;\:\.]/.test(n))return v(n);if("="==n&&e.eat(">"))return v("=>","operator");if("0"==n&&e.match(/^(?:x[\dA-Fa-f_]+|o[0-7_]+|b[01_]+)n?/))return v("number","number");if(/\d/.test(n))return e.match(/^[\d_]*(?:n|(?:\.[\d_]*)?(?:[eE][+\-]?[\d_]+)?)?/),v("number","number");if("/"==n)return e.eat("*")?(t.tokenize=y,y(e,t)):e.eat("/")?(e.skipToEnd(),v("comment","comment")):ot(e,t,1)?(m(e),e.match(/^\b(([gimyus])(?![gimyus]*\2))+\b/),v("regexp","string-2")):(e.eat("="),v("operator","operator",e.current()));if("`"==n)return t.tokenize=b,b(e,t);if("#"==n&&"!"==e.peek())return e.skipToEnd(),v("meta","meta");if("#"==n&&e.eatWhile(d))return v("variable","property");if("<"==n&&e.match("!--")||"-"==n&&e.match("->")&&!/\S/.test(e.string.slice(0,e.start)))return e.skipToEnd(),v("comment","comment");if(p.test(n))return">"==n&&t.lexical&&">"==t.lexical.type||(e.eat("=")?"!"!=n&&"="!=n||e.eat("="):/[<>*+\-|&?]/.test(n)&&(e.eat(n),">"==n&&e.eat(n))),"?"==n&&e.eat(".")?v("."):v("operator","operator",e.current());if(d.test(n)){e.eatWhile(d);var r=e.current();if("."!=t.lastType){if(h.propertyIsEnumerable(r)){var o=h[r];return v(o.type,o.style,r)}if("async"==r&&e.match(/^(\s|\/\*([^*]|\*(?!\/))*?\*\/)*[\[\(\w]/,!1))return v("async","keyword",r)}return v("variable","variable",r)}}function w(e){return function(t,n){var r,o=!1;if(l&&"@"==t.peek()&&t.match(f))return n.tokenize=g,v("jsonld-keyword","meta");for(;null!=(r=t.next())&&(r!=e||o);)o=!o&&"\\"==r;return o||(n.tokenize=g),v("string","string")}}function y(e,t){for(var n,r=!1;n=e.next();){if("/"==n&&r){t.tokenize=g;break}r="*"==n}return v("comment","comment")}function b(e,t){for(var n,r=!1;null!=(n=e.next());){if(!r&&("`"==n||"$"==n&&e.eat("{"))){t.tokenize=g;break}r=!r&&"\\"==n}return v("quasi","string-2",e.current())}var x="([{}])";function k(e,t){t.fatArrowAt&&(t.fatArrowAt=null);var n=e.string.indexOf("=>",e.start);if(!(n<0)){if(u){var r=/:\s*(?:\w+(?:<[^>]*>|\[\])?|\{[^}]*\})\s*$/.exec(e.string.slice(e.start,n));r&&(n=r.index)}for(var o=0,i=!1,a=n-1;a>=0;--a){var l=e.string.charAt(a),s=x.indexOf(l);if(s>=0&&s<3){if(!o){++a;break}if(0==--o){"("==l&&(i=!0);break}}else if(s>=3&&s<6)++o;else if(d.test(l))i=!0;else if(/["'\/`]/.test(l))for(;;--a){if(0==a)return;if(e.string.charAt(a-1)==l&&"\\"!=e.string.charAt(a-2)){a--;break}}else if(i&&!o){++a;break}}i&&!o&&(t.fatArrowAt=a)}}var E={atom:!0,number:!0,variable:!0,string:!0,regexp:!0,this:!0,import:!0,"jsonld-keyword":!0};function A(e,t,n,r,o,i){this.indented=e,this.column=t,this.type=n,this.prev=o,this.info=i,null!=r&&(this.align=r)}function C(e,t){if(!c)return!1;for(var n=e.localVars;n;n=n.next)if(n.name==t)return!0;for(var r=e.context;r;r=r.prev)for(n=r.vars;n;n=n.next)if(n.name==t)return!0}function B(e,t,n,r,o){var i=e.cc;for(M.state=e,M.stream=o,M.marked=null,M.cc=i,M.style=t,e.lexical.hasOwnProperty("align")||(e.lexical.align=!0);;)if((i.length?i.pop():s?U:z)(n,r)){for(;i.length&&i[i.length-1].lex;)i.pop()();return M.marked?M.marked:"variable"==n&&C(e,r)?"variable-2":t}}var M={state:null,column:null,marked:null,cc:null};function _(){for(var e=arguments.length-1;e>=0;e--)M.cc.push(arguments[e])}function S(){return _.apply(null,arguments),!0}function N(e,t){for(var n=t;n;n=n.next)if(n.name==e)return!0;return!1}function V(e){var t=M.state;if(M.marked="def",c){if(t.context)if("var"==t.lexical.info&&t.context&&t.context.block){var r=L(e,t.context);if(null!=r)return void(t.context=r)}else if(!N(e,t.localVars))return void(t.localVars=new Z(e,t.localVars));n.globalVars&&!N(e,t.globalVars)&&(t.globalVars=new Z(e,t.globalVars))}}function L(e,t){if(t){if(t.block){var n=L(e,t.prev);return n?n==t.prev?t:new I(n,t.vars,!0):null}return N(e,t.vars)?t:new I(t.prev,new Z(e,t.vars),!1)}return null}function T(e){return"public"==e||"private"==e||"protected"==e||"abstract"==e||"readonly"==e}function I(e,t,n){this.prev=e,this.vars=t,this.block=n}function Z(e,t){this.name=e,this.next=t}var O=new Z("this",new Z("arguments",null));function D(){M.state.context=new I(M.state.context,M.state.localVars,!1),M.state.localVars=O}function R(){M.state.context=new I(M.state.context,M.state.localVars,!0),M.state.localVars=null}function H(){M.state.localVars=M.state.context.vars,M.state.context=M.state.context.prev}function P(e,t){var n=function(){var n=M.state,r=n.indented;if("stat"==n.lexical.type)r=n.lexical.indented;else for(var o=n.lexical;o&&")"==o.type&&o.align;o=o.prev)r=o.indented;n.lexical=new A(r,M.stream.column(),e,null,n.lexical,t)};return n.lex=!0,n}function j(){var e=M.state;e.lexical.prev&&(")"==e.lexical.type&&(e.indented=e.lexical.indented),e.lexical=e.lexical.prev)}function F(e){function t(n){return n==e?S():";"==e||"}"==n||")"==n||"]"==n?_():S(t)}return t}function z(e,t){return"var"==e?S(P("vardef",t),_e,F(";"),j):"keyword a"==e?S(P("form"),W,z,j):"keyword b"==e?S(P("form"),z,j):"keyword d"==e?M.stream.match(/^\s*$/,!1)?S():S(P("stat"),K,F(";"),j):"debugger"==e?S(F(";")):"{"==e?S(P("}"),R,he,j,H):";"==e?S():"if"==e?("else"==M.state.lexical.info&&M.state.cc[M.state.cc.length-1]==j&&M.state.cc.pop()(),S(P("form"),W,z,j,Ie)):"function"==e?S(Re):"for"==e?S(P("form"),R,Ze,z,H,j):"class"==e||u&&"interface"==t?(M.marked="keyword",S(P("form","class"==e?e:t),ze,j)):"variable"==e?u&&"declare"==t?(M.marked="keyword",S(z)):u&&("module"==t||"enum"==t||"type"==t)&&M.stream.match(/^\s*\w/,!1)?(M.marked="keyword","enum"==t?S(tt):"type"==t?S(Pe,F("operator"),ge,F(";")):S(P("form"),Se,F("{"),P("}"),he,j,j)):u&&"namespace"==t?(M.marked="keyword",S(P("form"),U,z,j)):u&&"abstract"==t?(M.marked="keyword",S(z)):S(P("stat"),ie):"switch"==e?S(P("form"),W,F("{"),P("}","switch"),R,he,j,j,H):"case"==e?S(U,F(":")):"default"==e?S(F(":")):"catch"==e?S(P("form"),D,q,z,j,H):"export"==e?S(P("stat"),We,j):"import"==e?S(P("stat"),Ke,j):"async"==e?S(z):"@"==t?S(U,z):_(P("stat"),U,F(";"),j)}function q(e){if("("==e)return S(je,F(")"))}function U(e,t){return G(e,t,!1)}function $(e,t){return G(e,t,!0)}function W(e){return"("!=e?_():S(P(")"),K,F(")"),j)}function G(e,t,n){if(M.state.fatArrowAt==M.stream.start){var r=n?te:ee;if("("==e)return S(D,P(")"),ue(je,")"),j,F("=>"),r,H);if("variable"==e)return _(D,Se,F("=>"),r,H)}var o=n?X:Y;return E.hasOwnProperty(e)?S(o):"function"==e?S(Re,o):"class"==e||u&&"interface"==t?(M.marked="keyword",S(P("form"),Fe,j)):"keyword c"==e||"async"==e?S(n?$:U):"("==e?S(P(")"),K,F(")"),j,o):"operator"==e||"spread"==e?S(n?$:U):"["==e?S(P("]"),et,j,o):"{"==e?de(le,"}",null,o):"quasi"==e?_(J,o):"new"==e?S(ne(n)):S()}function K(e){return e.match(/[;\}\)\],]/)?_():_(U)}function Y(e,t){return","==e?S(K):X(e,t,!1)}function X(e,t,n){var r=0==n?Y:X,o=0==n?U:$;return"=>"==e?S(D,n?te:ee,H):"operator"==e?/\+\+|--/.test(t)||u&&"!"==t?S(r):u&&"<"==t&&M.stream.match(/^([^<>]|<[^<>]*>)*>\s*\(/,!1)?S(P(">"),ue(ge,">"),j,r):"?"==t?S(U,F(":"),o):S(o):"quasi"==e?_(J,r):";"!=e?"("==e?de($,")","call",r):"."==e?S(ae,r):"["==e?S(P("]"),K,F("]"),j,r):u&&"as"==t?(M.marked="keyword",S(ge,r)):"regexp"==e?(M.state.lastType=M.marked="operator",M.stream.backUp(M.stream.pos-M.stream.start-1),S(o)):void 0:void 0}function J(e,t){return"quasi"!=e?_():"${"!=t.slice(t.length-2)?S(J):S(K,Q)}function Q(e){if("}"==e)return M.marked="string-2",M.state.tokenize=b,S(J)}function ee(e){return k(M.stream,M.state),_("{"==e?z:U)}function te(e){return k(M.stream,M.state),_("{"==e?z:$)}function ne(e){return function(t){return"."==t?S(e?oe:re):"variable"==t&&u?S(Ce,e?X:Y):_(e?$:U)}}function re(e,t){if("target"==t)return M.marked="keyword",S(Y)}function oe(e,t){if("target"==t)return M.marked="keyword",S(X)}function ie(e){return":"==e?S(j,z):_(Y,F(";"),j)}function ae(e){if("variable"==e)return M.marked="property",S()}function le(e,t){return"async"==e?(M.marked="property",S(le)):"variable"==e||"keyword"==M.style?(M.marked="property","get"==t||"set"==t?S(se):(u&&M.state.fatArrowAt==M.stream.start&&(n=M.stream.match(/^\s*:\s*/,!1))&&(M.state.fatArrowAt=M.stream.pos+n[0].length),S(ce))):"number"==e||"string"==e?(M.marked=l?"property":M.style+" property",S(ce)):"jsonld-keyword"==e?S(ce):u&&T(t)?(M.marked="keyword",S(le)):"["==e?S(U,pe,F("]"),ce):"spread"==e?S($,ce):"*"==t?(M.marked="keyword",S(le)):":"==e?_(ce):void 0;var n}function se(e){return"variable"!=e?_(ce):(M.marked="property",S(Re))}function ce(e){return":"==e?S($):"("==e?_(Re):void 0}function ue(e,t,n){function r(o,i){if(n?n.indexOf(o)>-1:","==o){var a=M.state.lexical;return"call"==a.info&&(a.pos=(a.pos||0)+1),S((function(n,r){return n==t||r==t?_():_(e)}),r)}return o==t||i==t?S():n&&n.indexOf(";")>-1?_(e):S(F(t))}return function(n,o){return n==t||o==t?S():_(e,r)}}function de(e,t,n){for(var r=3;r<arguments.length;r++)M.cc.push(arguments[r]);return S(P(t,n),ue(e,t),j)}function he(e){return"}"==e?S():_(z,he)}function pe(e,t){if(u){if(":"==e)return S(ge);if("?"==t)return S(pe)}}function fe(e,t){if(u&&(":"==e||"in"==t))return S(ge)}function me(e){if(u&&":"==e)return M.stream.match(/^\s*\w+\s+is\b/,!1)?S(U,ve,ge):S(ge)}function ve(e,t){if("is"==t)return M.marked="keyword",S()}function ge(e,t){return"keyof"==t||"typeof"==t||"infer"==t||"readonly"==t?(M.marked="keyword",S("typeof"==t?$:ge)):"variable"==e||"void"==t?(M.marked="type",S(Ae)):"|"==t||"&"==t?S(ge):"string"==e||"number"==e||"atom"==e?S(Ae):"["==e?S(P("]"),ue(ge,"]",","),j,Ae):"{"==e?S(P("}"),ye,j,Ae):"("==e?S(ue(Ee,")"),we,Ae):"<"==e?S(ue(ge,">"),ge):"quasi"==e?_(xe,Ae):void 0}function we(e){if("=>"==e)return S(ge)}function ye(e){return e.match(/[\}\)\]]/)?S():","==e||";"==e?S(ye):_(be,ye)}function be(e,t){return"variable"==e||"keyword"==M.style?(M.marked="property",S(be)):"?"==t||"number"==e||"string"==e?S(be):":"==e?S(ge):"["==e?S(F("variable"),fe,F("]"),be):"("==e?_(He,be):e.match(/[;\}\)\],]/)?void 0:S()}function xe(e,t){return"quasi"!=e?_():"${"!=t.slice(t.length-2)?S(xe):S(ge,ke)}function ke(e){if("}"==e)return M.marked="string-2",M.state.tokenize=b,S(xe)}function Ee(e,t){return"variable"==e&&M.stream.match(/^\s*[?:]/,!1)||"?"==t?S(Ee):":"==e?S(ge):"spread"==e?S(Ee):_(ge)}function Ae(e,t){return"<"==t?S(P(">"),ue(ge,">"),j,Ae):"|"==t||"."==e||"&"==t?S(ge):"["==e?S(ge,F("]"),Ae):"extends"==t||"implements"==t?(M.marked="keyword",S(ge)):"?"==t?S(ge,F(":"),ge):void 0}function Ce(e,t){if("<"==t)return S(P(">"),ue(ge,">"),j,Ae)}function Be(){return _(ge,Me)}function Me(e,t){if("="==t)return S(ge)}function _e(e,t){return"enum"==t?(M.marked="keyword",S(tt)):_(Se,pe,Le,Te)}function Se(e,t){return u&&T(t)?(M.marked="keyword",S(Se)):"variable"==e?(V(t),S()):"spread"==e?S(Se):"["==e?de(Ve,"]"):"{"==e?de(Ne,"}"):void 0}function Ne(e,t){return"variable"!=e||M.stream.match(/^\s*:/,!1)?("variable"==e&&(M.marked="property"),"spread"==e?S(Se):"}"==e?_():"["==e?S(U,F("]"),F(":"),Ne):S(F(":"),Se,Le)):(V(t),S(Le))}function Ve(){return _(Se,Le)}function Le(e,t){if("="==t)return S($)}function Te(e){if(","==e)return S(_e)}function Ie(e,t){if("keyword b"==e&&"else"==t)return S(P("form","else"),z,j)}function Ze(e,t){return"await"==t?S(Ze):"("==e?S(P(")"),Oe,j):void 0}function Oe(e){return"var"==e?S(_e,De):"variable"==e?S(De):_(De)}function De(e,t){return")"==e?S():";"==e?S(De):"in"==t||"of"==t?(M.marked="keyword",S(U,De)):_(U,De)}function Re(e,t){return"*"==t?(M.marked="keyword",S(Re)):"variable"==e?(V(t),S(Re)):"("==e?S(D,P(")"),ue(je,")"),j,me,z,H):u&&"<"==t?S(P(">"),ue(Be,">"),j,Re):void 0}function He(e,t){return"*"==t?(M.marked="keyword",S(He)):"variable"==e?(V(t),S(He)):"("==e?S(D,P(")"),ue(je,")"),j,me,H):u&&"<"==t?S(P(">"),ue(Be,">"),j,He):void 0}function Pe(e,t){return"keyword"==e||"variable"==e?(M.marked="type",S(Pe)):"<"==t?S(P(">"),ue(Be,">"),j):void 0}function je(e,t){return"@"==t&&S(U,je),"spread"==e?S(je):u&&T(t)?(M.marked="keyword",S(je)):u&&"this"==e?S(pe,Le):_(Se,pe,Le)}function Fe(e,t){return"variable"==e?ze(e,t):qe(e,t)}function ze(e,t){if("variable"==e)return V(t),S(qe)}function qe(e,t){return"<"==t?S(P(">"),ue(Be,">"),j,qe):"extends"==t||"implements"==t||u&&","==e?("implements"==t&&(M.marked="keyword"),S(u?ge:U,qe)):"{"==e?S(P("}"),Ue,j):void 0}function Ue(e,t){return"async"==e||"variable"==e&&("static"==t||"get"==t||"set"==t||u&&T(t))&&M.stream.match(/^\s+#?[\w$\xa1-\uffff]/,!1)?(M.marked="keyword",S(Ue)):"variable"==e||"keyword"==M.style?(M.marked="property",S($e,Ue)):"number"==e||"string"==e?S($e,Ue):"["==e?S(U,pe,F("]"),$e,Ue):"*"==t?(M.marked="keyword",S(Ue)):u&&"("==e?_(He,Ue):";"==e||","==e?S(Ue):"}"==e?S():"@"==t?S(U,Ue):void 0}function $e(e,t){if("!"==t)return S($e);if("?"==t)return S($e);if(":"==e)return S(ge,Le);if("="==t)return S($);var n=M.state.lexical.prev;return _(n&&"interface"==n.info?He:Re)}function We(e,t){return"*"==t?(M.marked="keyword",S(Qe,F(";"))):"default"==t?(M.marked="keyword",S(U,F(";"))):"{"==e?S(ue(Ge,"}"),Qe,F(";")):_(z)}function Ge(e,t){return"as"==t?(M.marked="keyword",S(F("variable"))):"variable"==e?_($,Ge):void 0}function Ke(e){return"string"==e?S():"("==e?_(U):"."==e?_(Y):_(Ye,Xe,Qe)}function Ye(e,t){return"{"==e?de(Ye,"}"):("variable"==e&&V(t),"*"==t&&(M.marked="keyword"),S(Je))}function Xe(e){if(","==e)return S(Ye,Xe)}function Je(e,t){if("as"==t)return M.marked="keyword",S(Ye)}function Qe(e,t){if("from"==t)return M.marked="keyword",S(U)}function et(e){return"]"==e?S():_(ue($,"]"))}function tt(){return _(P("form"),Se,F("{"),P("}"),ue(nt,"}"),j,j)}function nt(){return _(Se,Le)}function rt(e,t){return"operator"==e.lastType||","==e.lastType||p.test(t.charAt(0))||/[,.]/.test(t.charAt(0))}function ot(e,t,n){return t.tokenize==g&&/^(?:operator|sof|keyword [bcd]|case|new|export|default|spread|[\[{}\(,;:]|=>)$/.test(t.lastType)||"quasi"==t.lastType&&/\{\s*$/.test(e.string.slice(0,e.pos-(n||0)))}return D.lex=R.lex=!0,H.lex=!0,j.lex=!0,{startState:function(e){var t={tokenize:g,lastType:"sof",cc:[],lexical:new A((e||0)-i,0,"block",!1),localVars:n.localVars,context:n.localVars&&new I(null,null,!1),indented:e||0};return n.globalVars&&"object"==typeof n.globalVars&&(t.globalVars=n.globalVars),t},token:function(e,t){if(e.sol()&&(t.lexical.hasOwnProperty("align")||(t.lexical.align=!1),t.indented=e.indentation(),k(e,t)),t.tokenize!=y&&e.eatSpace())return null;var n=t.tokenize(e,t);return"comment"==r?n:(t.lastType="operator"!=r||"++"!=o&&"--"!=o?r:"incdec",B(t,n,r,o,e))},indent:function(t,r){if(t.tokenize==y||t.tokenize==b)return e.Pass;if(t.tokenize!=g)return 0;var o,l=r&&r.charAt(0),s=t.lexical;if(!/^\s*else\b/.test(r))for(var c=t.cc.length-1;c>=0;--c){var u=t.cc[c];if(u==j)s=s.prev;else if(u!=Ie&&u!=H)break}for(;("stat"==s.type||"form"==s.type)&&("}"==l||(o=t.cc[t.cc.length-1])&&(o==Y||o==X)&&!/^[,\.=+\-*:?[\(]/.test(r));)s=s.prev;a&&")"==s.type&&"stat"==s.prev.type&&(s=s.prev);var d=s.type,h=l==d;return"vardef"==d?s.indented+("operator"==t.lastType||","==t.lastType?s.info.length+1:0):"form"==d&&"{"==l?s.indented:"form"==d?s.indented+i:"stat"==d?s.indented+(rt(t,r)?a||i:0):"switch"!=s.info||h||0==n.doubleIndentSwitch?s.align?s.column+(h?0:1):s.indented+(h?0:i):s.indented+(/^(?:case|default)\b/.test(r)?i:2*i)},electricInput:/^\s*(?:case .*?:|default:|\{|\})$/,blockCommentStart:s?null:"/*",blockCommentEnd:s?null:"*/",blockCommentContinue:s?null:" * ",lineComment:s?null:"//",fold:"brace",closeBrackets:"()[]{}''\"\"``",helperType:s?"json":"javascript",jsonldMode:l,jsonMode:s,expressionAllowed:ot,skipExpression:function(t){B(t,"atom","atom","true",new e.StringStream("",2,null))}}})),e.registerHelper("wordChars","javascript",/[\w$]/),e.defineMIME("text/javascript","javascript"),e.defineMIME("text/ecmascript","javascript"),e.defineMIME("application/javascript","javascript"),e.defineMIME("application/x-javascript","javascript"),e.defineMIME("application/ecmascript","javascript"),e.defineMIME("application/json",{name:"javascript",json:!0}),e.defineMIME("application/x-json",{name:"javascript",json:!0}),e.defineMIME("application/manifest+json",{name:"javascript",json:!0}),e.defineMIME("application/ld+json",{name:"javascript",jsonld:!0}),e.defineMIME("text/typescript",{name:"javascript",typescript:!0}),e.defineMIME("application/typescript",{name:"javascript",typescript:!0})}(n(15237))},47216:(e,t,n)=>{!function(e){"use strict";e.defineMode("markdown",(function(t,n){var r=e.getMode(t,"text/html"),o="null"==r.name;function i(n){if(e.findModeByName){var r=e.findModeByName(n);r&&(n=r.mime||r.mimes[0])}var o=e.getMode(t,n);return"null"==o.name?null:o}void 0===n.highlightFormatting&&(n.highlightFormatting=!1),void 0===n.maxBlockquoteDepth&&(n.maxBlockquoteDepth=0),void 0===n.taskLists&&(n.taskLists=!1),void 0===n.strikethrough&&(n.strikethrough=!1),void 0===n.emoji&&(n.emoji=!1),void 0===n.fencedCodeBlockHighlighting&&(n.fencedCodeBlockHighlighting=!0),void 0===n.fencedCodeBlockDefaultMode&&(n.fencedCodeBlockDefaultMode="text/plain"),void 0===n.xml&&(n.xml=!0),void 0===n.tokenTypeOverrides&&(n.tokenTypeOverrides={});var a={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 l in a)a.hasOwnProperty(l)&&n.tokenTypeOverrides[l]&&(a[l]=n.tokenTypeOverrides[l]);var s=/^([*\-_])(?:\s*\1){2,}\s*$/,c=/^(?:[*\-+]|^[0-9]+([.)]))\s+/,u=/^\[(x| )\](?=\s)/i,d=n.allowAtxHeaderWithoutSpace?/^(#+)/:/^(#+)(?: |$)/,h=/^ {0,3}(?:\={1,}|-{2,})\s*$/,p=/^[^#!\[\]*_\\<>` "'(~:]+/,f=/^(~~~+|```+)[ \t]*([\w\/+#-]*)[^\n`]*$/,m=/^\s*\[[^\]]+?\]:.*$/,v=/[!"#$%&'()*+,\-.\/:;<=>?@\[\\\]^_`{|}~\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]/,g="    ";function w(e,t,n){return t.f=t.inline=n,n(e,t)}function y(e,t,n){return t.f=t.block=n,n(e,t)}function b(e){return!e||!/\S/.test(e.string)}function x(t){if(t.linkTitle=!1,t.linkHref=!1,t.linkText=!1,t.em=!1,t.strong=!1,t.strikethrough=!1,t.quote=0,t.indentedCode=!1,t.f==E){var n=o;if(!n){var i=e.innerMode(r,t.htmlState);n="xml"==i.mode.name&&null===i.state.tagStart&&!i.state.context&&i.state.tokenize.isInText}n&&(t.f=M,t.block=k,t.htmlState=null)}return t.trailingSpace=0,t.trailingSpaceNewLine=!1,t.prevLine=t.thisLine,t.thisLine={stream:null},null}function k(t,r){var o=t.column()===r.indentation,l=b(r.prevLine.stream),p=r.indentedCode,v=r.prevLine.hr,g=!1!==r.list,y=(r.listStack[r.listStack.length-1]||0)+3;r.indentedCode=!1;var x=r.indentation;if(null===r.indentationDiff&&(r.indentationDiff=r.indentation,g)){for(r.list=null;x<r.listStack[r.listStack.length-1];)r.listStack.pop(),r.listStack.length?r.indentation=r.listStack[r.listStack.length-1]:r.list=!1;!1!==r.list&&(r.indentationDiff=x-r.listStack[r.listStack.length-1])}var k=!(l||v||r.prevLine.header||g&&p||r.prevLine.fencedCodeEnd),E=(!1===r.list||v||l)&&r.indentation<=y&&t.match(s),B=null;if(r.indentationDiff>=4&&(p||r.prevLine.fencedCodeEnd||r.prevLine.header||l))return t.skipToEnd(),r.indentedCode=!0,a.code;if(t.eatSpace())return null;if(o&&r.indentation<=y&&(B=t.match(d))&&B[1].length<=6)return r.quote=0,r.header=B[1].length,r.thisLine.header=!0,n.highlightFormatting&&(r.formatting="header"),r.f=r.inline,C(r);if(r.indentation<=y&&t.eat(">"))return r.quote=o?1:r.quote+1,n.highlightFormatting&&(r.formatting="quote"),t.eatSpace(),C(r);if(!E&&!r.setext&&o&&r.indentation<=y&&(B=t.match(c))){var M=B[1]?"ol":"ul";return r.indentation=x+t.current().length,r.list=!0,r.quote=0,r.listStack.push(r.indentation),r.em=!1,r.strong=!1,r.code=!1,r.strikethrough=!1,n.taskLists&&t.match(u,!1)&&(r.taskList=!0),r.f=r.inline,n.highlightFormatting&&(r.formatting=["list","list-"+M]),C(r)}return o&&r.indentation<=y&&(B=t.match(f,!0))?(r.quote=0,r.fencedEndRE=new RegExp(B[1]+"+ *$"),r.localMode=n.fencedCodeBlockHighlighting&&i(B[2]||n.fencedCodeBlockDefaultMode),r.localMode&&(r.localState=e.startState(r.localMode)),r.f=r.block=A,n.highlightFormatting&&(r.formatting="code-block"),r.code=-1,C(r)):r.setext||!(k&&g||r.quote||!1!==r.list||r.code||E||m.test(t.string))&&(B=t.lookAhead(1))&&(B=B.match(h))?(r.setext?(r.header=r.setext,r.setext=0,t.skipToEnd(),n.highlightFormatting&&(r.formatting="header")):(r.header="="==B[0].charAt(0)?1:2,r.setext=r.header),r.thisLine.header=!0,r.f=r.inline,C(r)):E?(t.skipToEnd(),r.hr=!0,r.thisLine.hr=!0,a.hr):"["===t.peek()?w(t,r,L):w(t,r,r.inline)}function E(t,n){var i=r.token(t,n.htmlState);if(!o){var a=e.innerMode(r,n.htmlState);("xml"==a.mode.name&&null===a.state.tagStart&&!a.state.context&&a.state.tokenize.isInText||n.md_inside&&t.current().indexOf(">")>-1)&&(n.f=M,n.block=k,n.htmlState=null)}return i}function A(e,t){var r,o=t.listStack[t.listStack.length-1]||0,i=t.indentation<o,l=o+3;return t.fencedEndRE&&t.indentation<=l&&(i||e.match(t.fencedEndRE))?(n.highlightFormatting&&(t.formatting="code-block"),i||(r=C(t)),t.localMode=t.localState=null,t.block=k,t.f=M,t.fencedEndRE=null,t.code=0,t.thisLine.fencedCodeEnd=!0,i?y(e,t,t.block):r):t.localMode?t.localMode.token(e,t.localState):(e.skipToEnd(),a.code)}function C(e){var t=[];if(e.formatting){t.push(a.formatting),"string"==typeof e.formatting&&(e.formatting=[e.formatting]);for(var r=0;r<e.formatting.length;r++)t.push(a.formatting+"-"+e.formatting[r]),"header"===e.formatting[r]&&t.push(a.formatting+"-"+e.formatting[r]+"-"+e.header),"quote"===e.formatting[r]&&(!n.maxBlockquoteDepth||n.maxBlockquoteDepth>=e.quote?t.push(a.formatting+"-"+e.formatting[r]+"-"+e.quote):t.push("error"))}if(e.taskOpen)return t.push("meta"),t.length?t.join(" "):null;if(e.taskClosed)return t.push("property"),t.length?t.join(" "):null;if(e.linkHref?t.push(a.linkHref,"url"):(e.strong&&t.push(a.strong),e.em&&t.push(a.em),e.strikethrough&&t.push(a.strikethrough),e.emoji&&t.push(a.emoji),e.linkText&&t.push(a.linkText),e.code&&t.push(a.code),e.image&&t.push(a.image),e.imageAltText&&t.push(a.imageAltText,"link"),e.imageMarker&&t.push(a.imageMarker)),e.header&&t.push(a.header,a.header+"-"+e.header),e.quote&&(t.push(a.quote),!n.maxBlockquoteDepth||n.maxBlockquoteDepth>=e.quote?t.push(a.quote+"-"+e.quote):t.push(a.quote+"-"+n.maxBlockquoteDepth)),!1!==e.list){var o=(e.listStack.length-1)%3;o?1===o?t.push(a.list2):t.push(a.list3):t.push(a.list1)}return e.trailingSpaceNewLine?t.push("trailing-space-new-line"):e.trailingSpace&&t.push("trailing-space-"+(e.trailingSpace%2?"a":"b")),t.length?t.join(" "):null}function B(e,t){if(e.match(p,!0))return C(t)}function M(t,o){var i=o.text(t,o);if(void 0!==i)return i;if(o.list)return o.list=null,C(o);if(o.taskList)return" "===t.match(u,!0)[1]?o.taskOpen=!0:o.taskClosed=!0,n.highlightFormatting&&(o.formatting="task"),o.taskList=!1,C(o);if(o.taskOpen=!1,o.taskClosed=!1,o.header&&t.match(/^#+$/,!0))return n.highlightFormatting&&(o.formatting="header"),C(o);var l=t.next();if(o.linkTitle){o.linkTitle=!1;var s=l;"("===l&&(s=")");var c="^\\s*(?:[^"+(s=(s+"").replace(/([.?*+^\[\]\\(){}|-])/g,"\\$1"))+"\\\\]+|\\\\\\\\|\\\\.)"+s;if(t.match(new RegExp(c),!0))return a.linkHref}if("`"===l){var d=o.formatting;n.highlightFormatting&&(o.formatting="code"),t.eatWhile("`");var h=t.current().length;if(0!=o.code||o.quote&&1!=h){if(h==o.code){var p=C(o);return o.code=0,p}return o.formatting=d,C(o)}return o.code=h,C(o)}if(o.code)return C(o);if("\\"===l&&(t.next(),n.highlightFormatting)){var f=C(o),m=a.formatting+"-escape";return f?f+" "+m:m}if("!"===l&&t.match(/\[[^\]]*\] ?(?:\(|\[)/,!1))return o.imageMarker=!0,o.image=!0,n.highlightFormatting&&(o.formatting="image"),C(o);if("["===l&&o.imageMarker&&t.match(/[^\]]*\](\(.*?\)| ?\[.*?\])/,!1))return o.imageMarker=!1,o.imageAltText=!0,n.highlightFormatting&&(o.formatting="image"),C(o);if("]"===l&&o.imageAltText){n.highlightFormatting&&(o.formatting="image");var f=C(o);return o.imageAltText=!1,o.image=!1,o.inline=o.f=S,f}if("["===l&&!o.image)return o.linkText&&t.match(/^.*?\]/)||(o.linkText=!0,n.highlightFormatting&&(o.formatting="link")),C(o);if("]"===l&&o.linkText){n.highlightFormatting&&(o.formatting="link");var f=C(o);return o.linkText=!1,o.inline=o.f=t.match(/\(.*?\)| ?\[.*?\]/,!1)?S:M,f}if("<"===l&&t.match(/^(https?|ftps?):\/\/(?:[^\\>]|\\.)+>/,!1))return o.f=o.inline=_,n.highlightFormatting&&(o.formatting="link"),(f=C(o))?f+=" ":f="",f+a.linkInline;if("<"===l&&t.match(/^[^> \\]+@(?:[^\\>]|\\.)+>/,!1))return o.f=o.inline=_,n.highlightFormatting&&(o.formatting="link"),(f=C(o))?f+=" ":f="",f+a.linkEmail;if(n.xml&&"<"===l&&t.match(/^(!--|\?|!\[CDATA\[|[a-z][a-z0-9-]*(?:\s+[a-z_:.\-]+(?:\s*=\s*[^>]+)?)*\s*(?:>|$))/i,!1)){var g=t.string.indexOf(">",t.pos);if(-1!=g){var w=t.string.substring(t.start,g);/markdown\s*=\s*('|"){0,1}1('|"){0,1}/.test(w)&&(o.md_inside=!0)}return t.backUp(1),o.htmlState=e.startState(r),y(t,o,E)}if(n.xml&&"<"===l&&t.match(/^\/\w*?>/))return o.md_inside=!1,"tag";if("*"===l||"_"===l){for(var b=1,x=1==t.pos?" ":t.string.charAt(t.pos-2);b<3&&t.eat(l);)b++;var k=t.peek()||" ",A=!/\s/.test(k)&&(!v.test(k)||/\s/.test(x)||v.test(x)),B=!/\s/.test(x)&&(!v.test(x)||/\s/.test(k)||v.test(k)),N=null,V=null;if(b%2&&(o.em||!A||"*"!==l&&B&&!v.test(x)?o.em!=l||!B||"*"!==l&&A&&!v.test(k)||(N=!1):N=!0),b>1&&(o.strong||!A||"*"!==l&&B&&!v.test(x)?o.strong!=l||!B||"*"!==l&&A&&!v.test(k)||(V=!1):V=!0),null!=V||null!=N)return n.highlightFormatting&&(o.formatting=null==N?"strong":null==V?"em":"strong em"),!0===N&&(o.em=l),!0===V&&(o.strong=l),p=C(o),!1===N&&(o.em=!1),!1===V&&(o.strong=!1),p}else if(" "===l&&(t.eat("*")||t.eat("_"))){if(" "===t.peek())return C(o);t.backUp(1)}if(n.strikethrough)if("~"===l&&t.eatWhile(l)){if(o.strikethrough)return n.highlightFormatting&&(o.formatting="strikethrough"),p=C(o),o.strikethrough=!1,p;if(t.match(/^[^\s]/,!1))return o.strikethrough=!0,n.highlightFormatting&&(o.formatting="strikethrough"),C(o)}else if(" "===l&&t.match("~~",!0)){if(" "===t.peek())return C(o);t.backUp(2)}if(n.emoji&&":"===l&&t.match(/^(?:[a-z_\d+][a-z_\d+-]*|\-[a-z_\d+][a-z_\d+-]*):/)){o.emoji=!0,n.highlightFormatting&&(o.formatting="emoji");var L=C(o);return o.emoji=!1,L}return" "===l&&(t.match(/^ +$/,!1)?o.trailingSpace++:o.trailingSpace&&(o.trailingSpaceNewLine=!0)),C(o)}function _(e,t){if(">"===e.next()){t.f=t.inline=M,n.highlightFormatting&&(t.formatting="link");var r=C(t);return r?r+=" ":r="",r+a.linkInline}return e.match(/^[^>]+/,!0),a.linkInline}function S(e,t){if(e.eatSpace())return null;var r=e.next();return"("===r||"["===r?(t.f=t.inline=V("("===r?")":"]"),n.highlightFormatting&&(t.formatting="link-string"),t.linkHref=!0,C(t)):"error"}var N={")":/^(?:[^\\\(\)]|\\.|\((?:[^\\\(\)]|\\.)*\))*?(?=\))/,"]":/^(?:[^\\\[\]]|\\.|\[(?:[^\\\[\]]|\\.)*\])*?(?=\])/};function V(e){return function(t,r){if(t.next()===e){r.f=r.inline=M,n.highlightFormatting&&(r.formatting="link-string");var o=C(r);return r.linkHref=!1,o}return t.match(N[e]),r.linkHref=!0,C(r)}}function L(e,t){return e.match(/^([^\]\\]|\\.)*\]:/,!1)?(t.f=T,e.next(),n.highlightFormatting&&(t.formatting="link"),t.linkText=!0,C(t)):w(e,t,M)}function T(e,t){if(e.match("]:",!0)){t.f=t.inline=I,n.highlightFormatting&&(t.formatting="link");var r=C(t);return t.linkText=!1,r}return e.match(/^([^\]\\]|\\.)+/,!0),a.linkText}function I(e,t){return e.eatSpace()?null:(e.match(/^[^\s]+/,!0),void 0===e.peek()?t.linkTitle=!0:e.match(/^(?:\s+(?:"(?:[^"\\]|\\.)+"|'(?:[^'\\]|\\.)+'|\((?:[^)\\]|\\.)+\)))?/,!0),t.f=t.inline=M,a.linkHref+" url")}var Z={startState:function(){return{f:k,prevLine:{stream:null},thisLine:{stream:null},block:k,htmlState:null,indentation:0,inline:M,text:B,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(t){return{f:t.f,prevLine:t.prevLine,thisLine:t.thisLine,block:t.block,htmlState:t.htmlState&&e.copyState(r,t.htmlState),indentation:t.indentation,localMode:t.localMode,localState:t.localMode?e.copyState(t.localMode,t.localState):null,inline:t.inline,text:t.text,formatting:!1,linkText:t.linkText,linkTitle:t.linkTitle,linkHref:t.linkHref,code:t.code,em:t.em,strong:t.strong,strikethrough:t.strikethrough,emoji:t.emoji,header:t.header,setext:t.setext,hr:t.hr,taskList:t.taskList,list:t.list,listStack:t.listStack.slice(0),quote:t.quote,indentedCode:t.indentedCode,trailingSpace:t.trailingSpace,trailingSpaceNewLine:t.trailingSpaceNewLine,md_inside:t.md_inside,fencedEndRE:t.fencedEndRE}},token:function(e,t){if(t.formatting=!1,e!=t.thisLine.stream){if(t.header=0,t.hr=!1,e.match(/^\s*$/,!0))return x(t),null;if(t.prevLine=t.thisLine,t.thisLine={stream:e},t.taskList=!1,t.trailingSpace=0,t.trailingSpaceNewLine=!1,!t.localState&&(t.f=t.block,t.f!=E)){var n=e.match(/^\s*/,!0)[0].replace(/\t/g,g).length;if(t.indentation=n,t.indentationDiff=null,n>0)return null}}return t.f(e,t)},innerMode:function(e){return e.block==E?{state:e.htmlState,mode:r}:e.localState?{state:e.localState,mode:e.localMode}:{state:e,mode:Z}},indent:function(t,n,o){return t.block==E&&r.indent?r.indent(t.htmlState,n,o):t.localState&&t.localMode.indent?t.localMode.indent(t.localState,n,o):e.Pass},blankLine:x,getType:C,blockCommentStart:"\x3c!--",blockCommentEnd:"--\x3e",closeBrackets:"()[]{}''\"\"``",fold:"markdown"};return Z}),"xml"),e.defineMIME("text/markdown","markdown"),e.defineMIME("text/x-markdown","markdown")}(n(15237),n(40576),n(72602))},72602:(e,t,n)=>{!function(e){"use strict";e.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 t=0;t<e.modeInfo.length;t++){var n=e.modeInfo[t];n.mimes&&(n.mime=n.mimes[0])}e.findModeByMIME=function(t){t=t.toLowerCase();for(var n=0;n<e.modeInfo.length;n++){var r=e.modeInfo[n];if(r.mime==t)return r;if(r.mimes)for(var o=0;o<r.mimes.length;o++)if(r.mimes[o]==t)return r}return/\+xml$/.test(t)?e.findModeByMIME("application/xml"):/\+json$/.test(t)?e.findModeByMIME("application/json"):void 0},e.findModeByExtension=function(t){t=t.toLowerCase();for(var n=0;n<e.modeInfo.length;n++){var r=e.modeInfo[n];if(r.ext)for(var o=0;o<r.ext.length;o++)if(r.ext[o]==t)return r}},e.findModeByFileName=function(t){for(var n=0;n<e.modeInfo.length;n++){var r=e.modeInfo[n];if(r.file&&r.file.test(t))return r}var o=t.lastIndexOf("."),i=o>-1&&t.substring(o+1,t.length);if(i)return e.findModeByExtension(i)},e.findModeByName=function(t){t=t.toLowerCase();for(var n=0;n<e.modeInfo.length;n++){var r=e.modeInfo[n];if(r.name.toLowerCase()==t)return r;if(r.alias)for(var o=0;o<r.alias.length;o++)if(r.alias[o].toLowerCase()==t)return r}}}(n(15237))},48460:(e,t,n)=>{!function(e){"use strict";e.defineMode("nginx",(function(e){function t(e){for(var t={},n=e.split(" "),r=0;r<n.length;++r)t[n[r]]=!0;return t}var n,r=t("break return rewrite set accept_mutex accept_mutex_delay access_log add_after_body add_before_body add_header addition_types aio alias allow ancient_browser ancient_browser_value auth_basic auth_basic_user_file auth_http auth_http_header auth_http_timeout autoindex autoindex_exact_size autoindex_localtime charset charset_types client_body_buffer_size client_body_in_file_only client_body_in_single_buffer client_body_temp_path client_body_timeout client_header_buffer_size client_header_timeout client_max_body_size connection_pool_size create_full_put_path daemon dav_access dav_methods debug_connection debug_points default_type degradation degrade deny devpoll_changes devpoll_events directio directio_alignment empty_gif env epoll_events error_log eventport_events expires fastcgi_bind fastcgi_buffer_size fastcgi_buffers fastcgi_busy_buffers_size fastcgi_cache fastcgi_cache_key fastcgi_cache_methods fastcgi_cache_min_uses fastcgi_cache_path fastcgi_cache_use_stale fastcgi_cache_valid fastcgi_catch_stderr fastcgi_connect_timeout fastcgi_hide_header fastcgi_ignore_client_abort fastcgi_ignore_headers fastcgi_index fastcgi_intercept_errors fastcgi_max_temp_file_size fastcgi_next_upstream fastcgi_param fastcgi_pass_header fastcgi_pass_request_body fastcgi_pass_request_headers fastcgi_read_timeout fastcgi_send_lowat fastcgi_send_timeout fastcgi_split_path_info fastcgi_store fastcgi_store_access fastcgi_temp_file_write_size fastcgi_temp_path fastcgi_upstream_fail_timeout fastcgi_upstream_max_fails flv geoip_city geoip_country google_perftools_profiles gzip gzip_buffers gzip_comp_level gzip_disable gzip_hash gzip_http_version gzip_min_length gzip_no_buffer gzip_proxied gzip_static gzip_types gzip_vary gzip_window if_modified_since ignore_invalid_headers image_filter image_filter_buffer image_filter_jpeg_quality image_filter_transparency imap_auth imap_capabilities imap_client_buffer index ip_hash keepalive_requests keepalive_timeout kqueue_changes kqueue_events large_client_header_buffers limit_conn limit_conn_log_level limit_rate limit_rate_after limit_req limit_req_log_level limit_req_zone limit_zone lingering_time lingering_timeout lock_file log_format log_not_found log_subrequest map_hash_bucket_size map_hash_max_size master_process memcached_bind memcached_buffer_size memcached_connect_timeout memcached_next_upstream memcached_read_timeout memcached_send_timeout memcached_upstream_fail_timeout memcached_upstream_max_fails merge_slashes min_delete_depth modern_browser modern_browser_value msie_padding msie_refresh multi_accept open_file_cache open_file_cache_errors open_file_cache_events open_file_cache_min_uses open_file_cache_valid open_log_file_cache output_buffers override_charset perl perl_modules perl_require perl_set pid pop3_auth pop3_capabilities port_in_redirect postpone_gzipping postpone_output protocol proxy proxy_bind proxy_buffer proxy_buffer_size proxy_buffering proxy_buffers proxy_busy_buffers_size proxy_cache proxy_cache_key proxy_cache_methods proxy_cache_min_uses proxy_cache_path proxy_cache_use_stale proxy_cache_valid proxy_connect_timeout proxy_headers_hash_bucket_size proxy_headers_hash_max_size proxy_hide_header proxy_ignore_client_abort proxy_ignore_headers proxy_intercept_errors proxy_max_temp_file_size proxy_method proxy_next_upstream proxy_pass_error_message proxy_pass_header proxy_pass_request_body proxy_pass_request_headers proxy_read_timeout proxy_redirect proxy_send_lowat proxy_send_timeout proxy_set_body proxy_set_header proxy_ssl_session_reuse proxy_store proxy_store_access proxy_temp_file_write_size proxy_temp_path proxy_timeout proxy_upstream_fail_timeout proxy_upstream_max_fails random_index read_ahead real_ip_header recursive_error_pages request_pool_size reset_timedout_connection resolver resolver_timeout rewrite_log rtsig_overflow_events rtsig_overflow_test rtsig_overflow_threshold rtsig_signo satisfy secure_link_secret send_lowat send_timeout sendfile sendfile_max_chunk server_name_in_redirect server_names_hash_bucket_size server_names_hash_max_size server_tokens set_real_ip_from smtp_auth smtp_capabilities smtp_client_buffer smtp_greeting_delay so_keepalive source_charset ssi ssi_ignore_recycled_buffers ssi_min_file_chunk ssi_silent_errors ssi_types ssi_value_length ssl ssl_certificate ssl_certificate_key ssl_ciphers ssl_client_certificate ssl_crl ssl_dhparam ssl_engine ssl_prefer_server_ciphers ssl_protocols ssl_session_cache ssl_session_timeout ssl_verify_client ssl_verify_depth starttls stub_status sub_filter sub_filter_once sub_filter_types tcp_nodelay tcp_nopush thread_stack_size timeout timer_resolution types_hash_bucket_size types_hash_max_size underscores_in_headers uninitialized_variable_warn use user userid userid_domain userid_expires userid_mark userid_name userid_p3p userid_path userid_service valid_referers variables_hash_bucket_size variables_hash_max_size worker_connections worker_cpu_affinity worker_priority worker_processes worker_rlimit_core worker_rlimit_nofile worker_rlimit_sigpending worker_threads working_directory xclient xml_entities xslt_stylesheet xslt_typesdrew@li229-23"),o=t("http mail events server types location upstream charset_map limit_except if geo map"),i=t("include root server server_name listen internal proxy_pass memcached_pass fastcgi_pass try_files"),a=e.indentUnit;function l(e,t){return n=t,e}function s(e,t){e.eatWhile(/[\w\$_]/);var n=e.current();if(r.propertyIsEnumerable(n))return"keyword";if(o.propertyIsEnumerable(n))return"variable-2";if(i.propertyIsEnumerable(n))return"string-2";var a=e.next();return"@"==a?(e.eatWhile(/[\w\\\-]/),l("meta",e.current())):"/"==a&&e.eat("*")?(t.tokenize=c,c(e,t)):"<"==a&&e.eat("!")?(t.tokenize=u,u(e,t)):"="!=a?"~"!=a&&"|"!=a||!e.eat("=")?'"'==a||"'"==a?(t.tokenize=d(a),t.tokenize(e,t)):"#"==a?(e.skipToEnd(),l("comment","comment")):"!"==a?(e.match(/^\s*\w*/),l("keyword","important")):/\d/.test(a)?(e.eatWhile(/[\w.%]/),l("number","unit")):/[,.+>*\/]/.test(a)?l(null,"select-op"):/[;{}:\[\]]/.test(a)?l(null,a):(e.eatWhile(/[\w\\\-]/),l("variable","variable")):l(null,"compare"):void l(null,"compare")}function c(e,t){for(var n,r=!1;null!=(n=e.next());){if(r&&"/"==n){t.tokenize=s;break}r="*"==n}return l("comment","comment")}function u(e,t){for(var n,r=0;null!=(n=e.next());){if(r>=2&&">"==n){t.tokenize=s;break}r="-"==n?r+1:0}return l("comment","comment")}function d(e){return function(t,n){for(var r,o=!1;null!=(r=t.next())&&(r!=e||o);)o=!o&&"\\"==r;return o||(n.tokenize=s),l("string","string")}}return{startState:function(e){return{tokenize:s,baseIndent:e||0,stack:[]}},token:function(e,t){if(e.eatSpace())return null;n=null;var r=t.tokenize(e,t),o=t.stack[t.stack.length-1];return"hash"==n&&"rule"==o?r="atom":"variable"==r&&("rule"==o?r="number":o&&"@media{"!=o||(r="tag")),"rule"==o&&/^[\{\};]$/.test(n)&&t.stack.pop(),"{"==n?"@media"==o?t.stack[t.stack.length-1]="@media{":t.stack.push("{"):"}"==n?t.stack.pop():"@media"==n?t.stack.push("@media"):"{"==o&&"comment"!=n&&t.stack.push("rule"),r},indent:function(e,t){var n=e.stack.length;return/^\}/.test(t)&&(n-="rule"==e.stack[e.stack.length-1]?2:1),e.baseIndent+n*a},electricChars:"}"}})),e.defineMIME("text/x-nginx-conf","nginx")}(n(15237))},98e3:(e,t,n)=>{!function(e){"use strict";function t(e){for(var t={},n=e.split(" "),r=0;r<n.length;++r)t[n[r]]=!0;return t}function n(e,t,o){return 0==e.length?r(t):function(i,a){for(var l=e[0],s=0;s<l.length;s++)if(i.match(l[s][0]))return a.tokenize=n(e.slice(1),t),l[s][1];return a.tokenize=r(t,o),"string"}}function r(e,t){return function(n,r){return o(n,r,e,t)}}function o(e,t,r,o){if(!1!==o&&e.match("${",!1)||e.match("{$",!1))return t.tokenize=null,"string";if(!1!==o&&e.match(/^\$[a-zA-Z_][a-zA-Z0-9_]*/))return e.match("[",!1)&&(t.tokenize=n([[["[",null]],[[/\d[\w\.]*/,"number"],[/\$[a-zA-Z_][a-zA-Z0-9_]*/,"variable-2"],[/[\w\$]+/,"variable"]],[["]",null]]],r,o)),e.match(/^->\w/,!1)&&(t.tokenize=n([[["->",null]],[[/[\w]+/,"variable"]]],r,o)),"variable-2";for(var i=!1;!e.eol()&&(i||!1===o||!e.match("{$",!1)&&!e.match(/^(\$[a-zA-Z_][a-zA-Z0-9_]*|\$\{)/,!1));){if(!i&&e.match(r)){t.tokenize=null,t.tokStack.pop(),t.tokStack.pop();break}i="\\"==e.next()&&!i}return"string"}var i="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",a="true false null TRUE FALSE NULL __CLASS__ __DIR__ __FILE__ __LINE__ __METHOD__ __FUNCTION__ __NAMESPACE__ __TRAIT__",l="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";e.registerHelper("hintWords","php",[i,a,l].join(" ").split(" ")),e.registerHelper("wordChars","php",/[\w$]/);var s={name:"clike",helperType:"php",keywords:t(i),blockKeywords:t("catch do else elseif for foreach if switch try while finally"),defKeywords:t("class enum function interface namespace trait"),atoms:t(a),builtin:t(l),multiLineStrings:!0,hooks:{$:function(e){return e.eatWhile(/[\w\$_]/),"variable-2"},"<":function(e,t){var n;if(n=e.match(/^<<\s*/)){var o=e.eat(/['"]/);e.eatWhile(/[\w\.]/);var i=e.current().slice(n[0].length+(o?2:1));if(o&&e.eat(o),i)return(t.tokStack||(t.tokStack=[])).push(i,0),t.tokenize=r(i,"'"!=o),"string"}return!1},"#":function(e){for(;!e.eol()&&!e.match("?>",!1);)e.next();return"comment"},"/":function(e){if(e.eat("/")){for(;!e.eol()&&!e.match("?>",!1);)e.next();return"comment"}return!1},'"':function(e,t){return(t.tokStack||(t.tokStack=[])).push('"',0),t.tokenize=r('"'),"string"},"{":function(e,t){return t.tokStack&&t.tokStack.length&&t.tokStack[t.tokStack.length-1]++,!1},"}":function(e,t){return t.tokStack&&t.tokStack.length>0&&! --t.tokStack[t.tokStack.length-1]&&(t.tokenize=r(t.tokStack[t.tokStack.length-2])),!1}}};e.defineMode("php",(function(t,n){var r=e.getMode(t,n&&n.htmlMode||"text/html"),o=e.getMode(t,s);function i(t,n){var i=n.curMode==o;if(t.sol()&&n.pending&&'"'!=n.pending&&"'"!=n.pending&&(n.pending=null),i)return i&&null==n.php.tokenize&&t.match("?>")?(n.curMode=r,n.curState=n.html,n.php.context.prev||(n.php=null),"meta"):o.token(t,n.curState);if(t.match(/^<\?\w*/))return n.curMode=o,n.php||(n.php=e.startState(o,r.indent(n.html,"",""))),n.curState=n.php,"meta";if('"'==n.pending||"'"==n.pending){for(;!t.eol()&&t.next()!=n.pending;);var a="string"}else n.pending&&t.pos<n.pending.end?(t.pos=n.pending.end,a=n.pending.style):a=r.token(t,n.curState);n.pending&&(n.pending=null);var l,s=t.current(),c=s.search(/<\?/);return-1!=c&&("string"==a&&(l=s.match(/[\'\"]$/))&&!/\?>/.test(s)?n.pending=l[0]:n.pending={end:t.pos,style:a},t.backUp(s.length-c)),a}return{startState:function(){var t=e.startState(r),i=n.startOpen?e.startState(o):null;return{html:t,php:i,curMode:n.startOpen?o:r,curState:n.startOpen?i:t,pending:null}},copyState:function(t){var n,i=t.html,a=e.copyState(r,i),l=t.php,s=l&&e.copyState(o,l);return n=t.curMode==r?a:s,{html:a,php:s,curMode:t.curMode,curState:n,pending:t.pending}},token:i,indent:function(e,t,n){return e.curMode!=o&&/^\s*<\//.test(t)||e.curMode==o&&/^\?>/.test(t)?r.indent(e.html,t,n):e.curMode.indent(e.curState,t,n)},blockCommentStart:"/*",blockCommentEnd:"*/",lineComment:"//",innerMode:function(e){return{state:e.curState,mode:e.curMode}}}}),"htmlmixed","clike"),e.defineMIME("application/x-httpd-php","php"),e.defineMIME("application/x-httpd-php-open",{name:"php",startOpen:!0}),e.defineMIME("text/x-php",s)}(n(15237),n(12520),n(48712))},63588:(e,t,n)=>{!function(e){"use strict";e.defineMode("pug",(function(t){var n="keyword",r="meta",o="builtin",i="qualifier",a={"{":"}","(":")","[":"]"},l=e.getMode(t,"javascript");function s(){this.javaScriptLine=!1,this.javaScriptLineExcludesColon=!1,this.javaScriptArguments=!1,this.javaScriptArgumentsDepth=0,this.isInterpolating=!1,this.interpolationNesting=0,this.jsState=e.startState(l),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}function c(e,t){if(e.sol()&&(t.javaScriptLine=!1,t.javaScriptLineExcludesColon=!1),t.javaScriptLine){if(t.javaScriptLineExcludesColon&&":"===e.peek())return t.javaScriptLine=!1,void(t.javaScriptLineExcludesColon=!1);var n=l.token(e,t.jsState);return e.eol()&&(t.javaScriptLine=!1),n||!0}}function u(e,t){if(t.javaScriptArguments)return 0===t.javaScriptArgumentsDepth&&"("!==e.peek()?void(t.javaScriptArguments=!1):("("===e.peek()?t.javaScriptArgumentsDepth++:")"===e.peek()&&t.javaScriptArgumentsDepth--,0===t.javaScriptArgumentsDepth?void(t.javaScriptArguments=!1):l.token(e,t.jsState)||!0)}function d(e){if(e.match(/^yield\b/))return"keyword"}function h(e){if(e.match(/^(?:doctype) *([^\n]+)?/))return r}function p(e,t){if(e.match("#{"))return t.isInterpolating=!0,t.interpolationNesting=0,"punctuation"}function f(e,t){if(t.isInterpolating){if("}"===e.peek()){if(t.interpolationNesting--,t.interpolationNesting<0)return e.next(),t.isInterpolating=!1,"punctuation"}else"{"===e.peek()&&t.interpolationNesting++;return l.token(e,t.jsState)||!0}}function m(e,t){if(e.match(/^case\b/))return t.javaScriptLine=!0,n}function v(e,t){if(e.match(/^when\b/))return t.javaScriptLine=!0,t.javaScriptLineExcludesColon=!0,n}function g(e){if(e.match(/^default\b/))return n}function w(e,t){if(e.match(/^extends?\b/))return t.restOfLine="string",n}function y(e,t){if(e.match(/^append\b/))return t.restOfLine="variable",n}function b(e,t){if(e.match(/^prepend\b/))return t.restOfLine="variable",n}function x(e,t){if(e.match(/^block\b *(?:(prepend|append)\b)?/))return t.restOfLine="variable",n}function k(e,t){if(e.match(/^include\b/))return t.restOfLine="string",n}function E(e,t){if(e.match(/^include:([a-zA-Z0-9\-]+)/,!1)&&e.match("include"))return t.isIncludeFiltered=!0,n}function A(e,t){if(t.isIncludeFiltered){var n=T(e,t);return t.isIncludeFiltered=!1,t.restOfLine="string",n}}function C(e,t){if(e.match(/^mixin\b/))return t.javaScriptLine=!0,n}function B(e,t){return e.match(/^\+([-\w]+)/)?(e.match(/^\( *[-\w]+ *=/,!1)||(t.javaScriptArguments=!0,t.javaScriptArgumentsDepth=0),"variable"):e.match("+#{",!1)?(e.next(),t.mixinCallAfter=!0,p(e,t)):void 0}function M(e,t){if(t.mixinCallAfter)return t.mixinCallAfter=!1,e.match(/^\( *[-\w]+ *=/,!1)||(t.javaScriptArguments=!0,t.javaScriptArgumentsDepth=0),!0}function _(e,t){if(e.match(/^(if|unless|else if|else)\b/))return t.javaScriptLine=!0,n}function S(e,t){if(e.match(/^(- *)?(each|for)\b/))return t.isEach=!0,n}function N(e,t){if(t.isEach){if(e.match(/^ in\b/))return t.javaScriptLine=!0,t.isEach=!1,n;if(e.sol()||e.eol())t.isEach=!1;else if(e.next()){for(;!e.match(/^ in\b/,!1)&&e.next(););return"variable"}}}function V(e,t){if(e.match(/^while\b/))return t.javaScriptLine=!0,n}function L(e,t){var n;if(n=e.match(/^(\w(?:[-:\w]*\w)?)\/?/))return t.lastTag=n[1].toLowerCase(),"script"===t.lastTag&&(t.scriptType="application/javascript"),"tag"}function T(n,r){var o;if(n.match(/^:([\w\-]+)/))return t&&t.innerModes&&(o=t.innerModes(n.current().substring(1))),o||(o=n.current().substring(1)),"string"==typeof o&&(o=e.getMode(t,o)),$(n,r,o),"atom"}function I(e,t){if(e.match(/^(!?=|-)/))return t.javaScriptLine=!0,"punctuation"}function Z(e){if(e.match(/^#([\w-]+)/))return o}function O(e){if(e.match(/^\.([\w-]+)/))return i}function D(e,t){if("("==e.peek())return e.next(),t.isAttrs=!0,t.attrsNest=[],t.inAttributeName=!0,t.attrValue="",t.attributeIsType=!1,"punctuation"}function R(t,n){if(n.isAttrs){if(a[t.peek()]&&n.attrsNest.push(a[t.peek()]),n.attrsNest[n.attrsNest.length-1]===t.peek())n.attrsNest.pop();else if(t.eat(")"))return n.isAttrs=!1,"punctuation";if(n.inAttributeName&&t.match(/^[^=,\)!]+/))return"="!==t.peek()&&"!"!==t.peek()||(n.inAttributeName=!1,n.jsState=e.startState(l),"script"===n.lastTag&&"type"===t.current().trim().toLowerCase()?n.attributeIsType=!0:n.attributeIsType=!1),"attribute";var r=l.token(t,n.jsState);if(n.attributeIsType&&"string"===r&&(n.scriptType=t.current().toString()),0===n.attrsNest.length&&("string"===r||"variable"===r||"keyword"===r))try{return Function("","var x "+n.attrValue.replace(/,\s*$/,"").replace(/^!/,"")),n.inAttributeName=!0,n.attrValue="",t.backUp(t.current().length),R(t,n)}catch(e){}return n.attrValue+=t.current(),r||!0}}function H(e,t){if(e.match(/^&attributes\b/))return t.javaScriptArguments=!0,t.javaScriptArgumentsDepth=0,"keyword"}function P(e){if(e.sol()&&e.eatSpace())return"indent"}function j(e,t){if(e.match(/^ *\/\/(-)?([^\n]*)/))return t.indentOf=e.indentation(),t.indentToken="comment","comment"}function F(e){if(e.match(/^: */))return"colon"}function z(e,t){return e.match(/^(?:\| ?| )([^\n]+)/)?"string":e.match(/^(<[^\n]*)/,!1)?($(e,t,"htmlmixed"),t.innerModeForLine=!0,W(e,t,!0)):void 0}function q(e,t){if(e.eat(".")){var n=null;return"script"===t.lastTag&&-1!=t.scriptType.toLowerCase().indexOf("javascript")?n=t.scriptType.toLowerCase().replace(/"|'/g,""):"style"===t.lastTag&&(n="css"),$(e,t,n),"dot"}}function U(e){return e.next(),null}function $(n,r,o){o=e.mimeModes[o]||o,o=t.innerModes&&t.innerModes(o)||o,o=e.mimeModes[o]||o,o=e.getMode(t,o),r.indentOf=n.indentation(),o&&"null"!==o.name?r.innerMode=o:r.indentToken="string"}function W(t,n,r){if(t.indentation()>n.indentOf||n.innerModeForLine&&!t.sol()||r)return n.innerMode?(n.innerState||(n.innerState=n.innerMode.startState?e.startState(n.innerMode,t.indentation()):{}),t.hideFirstChars(n.indentOf+2,(function(){return n.innerMode.token(t,n.innerState)||!0}))):(t.skipToEnd(),n.indentToken);t.sol()&&(n.indentOf=1/0,n.indentToken=null,n.innerMode=null,n.innerState=null)}function G(e,t){if(e.sol()&&(t.restOfLine=""),t.restOfLine){e.skipToEnd();var n=t.restOfLine;return t.restOfLine="",n}}function K(){return new s}function Y(e){return e.copy()}function X(e,t){var n=W(e,t)||G(e,t)||f(e,t)||A(e,t)||N(e,t)||R(e,t)||c(e,t)||u(e,t)||M(e,t)||d(e)||h(e)||p(e,t)||m(e,t)||v(e,t)||g(e)||w(e,t)||y(e,t)||b(e,t)||x(e,t)||k(e,t)||E(e,t)||C(e,t)||B(e,t)||_(e,t)||S(e,t)||V(e,t)||L(e,t)||T(e,t)||I(e,t)||Z(e)||O(e)||D(e,t)||H(e,t)||P(e)||z(e,t)||j(e,t)||F(e)||q(e,t)||U(e);return!0===n?null:n}return s.prototype.copy=function(){var t=new s;return t.javaScriptLine=this.javaScriptLine,t.javaScriptLineExcludesColon=this.javaScriptLineExcludesColon,t.javaScriptArguments=this.javaScriptArguments,t.javaScriptArgumentsDepth=this.javaScriptArgumentsDepth,t.isInterpolating=this.isInterpolating,t.interpolationNesting=this.interpolationNesting,t.jsState=e.copyState(l,this.jsState),t.innerMode=this.innerMode,this.innerMode&&this.innerState&&(t.innerState=e.copyState(this.innerMode,this.innerState)),t.restOfLine=this.restOfLine,t.isIncludeFiltered=this.isIncludeFiltered,t.isEach=this.isEach,t.lastTag=this.lastTag,t.scriptType=this.scriptType,t.isAttrs=this.isAttrs,t.attrsNest=this.attrsNest.slice(),t.inAttributeName=this.inAttributeName,t.attributeIsType=this.attributeIsType,t.attrValue=this.attrValue,t.indentOf=this.indentOf,t.indentToken=this.indentToken,t.innerModeForLine=this.innerModeForLine,t},{startState:K,copyState:Y,token:X}}),"javascript","css","htmlmixed"),e.defineMIME("text/x-pug","pug"),e.defineMIME("text/x-jade","pug")}(n(15237),n(16792),n(68656),n(12520))},10386:(e,t,n)=>{!function(e){"use strict";function t(e){for(var t={},n=0,r=e.length;n<r;++n)t[e[n]]=!0;return t}var n=["alias","and","BEGIN","begin","break","case","class","def","defined?","do","else","elsif","END","end","ensure","false","for","if","in","module","next","not","or","redo","rescue","retry","return","self","super","then","true","undef","unless","until","when","while","yield","nil","raise","throw","catch","fail","loop","callcc","caller","lambda","proc","public","protected","private","require","load","require_relative","extend","autoload","__END__","__FILE__","__LINE__","__dir__"],r=t(n),o=t(["def","class","case","for","while","until","module","catch","loop","proc","begin"]),i=t(["end","until"]),a={"[":"]","{":"}","(":")"},l={"]":"[","}":"{",")":"("};e.defineMode("ruby",(function(t){var n;function s(e,t,n){return n.tokenize.push(e),e(t,n)}function c(e,t){if(e.sol()&&e.match("=begin")&&e.eol())return t.tokenize.push(m),"comment";if(e.eatSpace())return null;var r,o=e.next();if("`"==o||"'"==o||'"'==o)return s(p(o,"string",'"'==o||"`"==o),e,t);if("/"==o)return u(e)?s(p(o,"string-2",!0),e,t):"operator";if("%"==o){var i="string",l=!0;e.eat("s")?i="atom":e.eat(/[WQ]/)?i="string":e.eat(/[r]/)?i="string-2":e.eat(/[wxq]/)&&(i="string",l=!1);var c=e.eat(/[^\w\s=]/);return c?(a.propertyIsEnumerable(c)&&(c=a[c]),s(p(c,i,l,!0),e,t)):"operator"}if("#"==o)return e.skipToEnd(),"comment";if("<"==o&&(r=e.match(/^<([-~])[\`\"\']?([a-zA-Z_?]\w*)[\`\"\']?(?:;|$)/)))return s(f(r[2],r[1]),e,t);if("0"==o)return e.eat("x")?e.eatWhile(/[\da-fA-F]/):e.eat("b")?e.eatWhile(/[01]/):e.eatWhile(/[0-7]/),"number";if(/\d/.test(o))return e.match(/^[\d_]*(?:\.[\d_]+)?(?:[eE][+\-]?[\d_]+)?/),"number";if("?"==o){for(;e.match(/^\\[CM]-/););return e.eat("\\")?e.eatWhile(/\w/):e.next(),"string"}if(":"==o)return e.eat("'")?s(p("'","atom",!1),e,t):e.eat('"')?s(p('"',"atom",!0),e,t):e.eat(/[\<\>]/)?(e.eat(/[\<\>]/),"atom"):e.eat(/[\+\-\*\/\&\|\:\!]/)?"atom":e.eat(/[a-zA-Z$@_\xa1-\uffff]/)?(e.eatWhile(/[\w$\xa1-\uffff]/),e.eat(/[\?\!\=]/),"atom"):"operator";if("@"==o&&e.match(/^@?[a-zA-Z_\xa1-\uffff]/))return e.eat("@"),e.eatWhile(/[\w\xa1-\uffff]/),"variable-2";if("$"==o)return e.eat(/[a-zA-Z_]/)?e.eatWhile(/[\w]/):e.eat(/\d/)?e.eat(/\d/):e.next(),"variable-3";if(/[a-zA-Z_\xa1-\uffff]/.test(o))return e.eatWhile(/[\w\xa1-\uffff]/),e.eat(/[\?\!]/),e.eat(":")?"atom":"ident";if("|"!=o||!t.varList&&"{"!=t.lastTok&&"do"!=t.lastTok){if(/[\(\)\[\]{}\\;]/.test(o))return n=o,null;if("-"==o&&e.eat(">"))return"arrow";if(/[=+\-\/*:\.^%<>~|]/.test(o)){var d=e.eatWhile(/[=+\-\/*:\.^%<>~|]/);return"."!=o||d||(n="."),"operator"}return null}return n="|",null}function u(e){for(var t,n=e.pos,r=0,o=!1,i=!1;null!=(t=e.next());)if(i)i=!1;else{if("[{(".indexOf(t)>-1)r++;else if("]})".indexOf(t)>-1){if(--r<0)break}else if("/"==t&&0==r){o=!0;break}i="\\"==t}return e.backUp(e.pos-n),o}function d(e){return e||(e=1),function(t,n){if("}"==t.peek()){if(1==e)return n.tokenize.pop(),n.tokenize[n.tokenize.length-1](t,n);n.tokenize[n.tokenize.length-1]=d(e-1)}else"{"==t.peek()&&(n.tokenize[n.tokenize.length-1]=d(e+1));return c(t,n)}}function h(){var e=!1;return function(t,n){return e?(n.tokenize.pop(),n.tokenize[n.tokenize.length-1](t,n)):(e=!0,c(t,n))}}function p(e,t,n,r){return function(o,i){var a,l=!1;for("read-quoted-paused"===i.context.type&&(i.context=i.context.prev,o.eat("}"));null!=(a=o.next());){if(a==e&&(r||!l)){i.tokenize.pop();break}if(n&&"#"==a&&!l){if(o.eat("{")){"}"==e&&(i.context={prev:i.context,type:"read-quoted-paused"}),i.tokenize.push(d());break}if(/[@\$]/.test(o.peek())){i.tokenize.push(h());break}}l=!l&&"\\"==a}return t}}function f(e,t){return function(n,r){return t&&n.eatSpace(),n.match(e)?r.tokenize.pop():n.skipToEnd(),"string"}}function m(e,t){return e.sol()&&e.match("=end")&&e.eol()&&t.tokenize.pop(),e.skipToEnd(),"comment"}return{startState:function(){return{tokenize:[c],indented:0,context:{type:"top",indented:-t.indentUnit},continuedLine:!1,lastTok:null,varList:!1}},token:function(e,t){n=null,e.sol()&&(t.indented=e.indentation());var a,l=t.tokenize[t.tokenize.length-1](e,t),s=n;if("ident"==l){var c=e.current();"keyword"==(l="."==t.lastTok?"property":r.propertyIsEnumerable(e.current())?"keyword":/^[A-Z]/.test(c)?"tag":"def"==t.lastTok||"class"==t.lastTok||t.varList?"def":"variable")&&(s=c,o.propertyIsEnumerable(c)?a="indent":i.propertyIsEnumerable(c)?a="dedent":"if"!=c&&"unless"!=c||e.column()!=e.indentation()?"do"==c&&t.context.indented<t.indented&&(a="indent"):a="indent")}return(n||l&&"comment"!=l)&&(t.lastTok=s),"|"==n&&(t.varList=!t.varList),"indent"==a||/[\(\[\{]/.test(n)?t.context={prev:t.context,type:n||l,indented:t.indented}:("dedent"==a||/[\)\]\}]/.test(n))&&t.context.prev&&(t.context=t.context.prev),e.eol()&&(t.continuedLine="\\"==n||"operator"==l),l},indent:function(n,r){if(n.tokenize[n.tokenize.length-1]!=c)return e.Pass;var o=r&&r.charAt(0),i=n.context,a=i.type==l[o]||"keyword"==i.type&&/^(?:end|until|else|elsif|when|rescue)\b/.test(r);return i.indented+(a?0:t.indentUnit)+(n.continuedLine?t.indentUnit:0)},electricInput:/^\s*(?:end|rescue|elsif|else|\})$/,lineComment:"#",fold:"indent"}})),e.defineMIME("text/x-ruby","ruby"),e.registerHelper("hintWords","ruby",n)}(n(15237))},17246:(e,t,n)=>{!function(e){"use strict";e.defineMode("sass",(function(t){var n=e.mimeModes["text/css"],r=n.propertyKeywords||{},o=n.colorKeywords||{},i=n.valueKeywords||{},a=n.fontProperties||{};function l(e){return new RegExp("^"+e.join("|"))}var s,c=new RegExp("^"+["true","false","null","auto"].join("|")),u=l(["\\(","\\)","=",">","<","==",">=","<=","\\+","-","\\!=","/","\\*","%","and","or","not",";","\\{","\\}",":"]),d=/^::?[a-zA-Z_][\w\-]*/;function h(e){return!e.peek()||e.match(/\s+$/,!1)}function p(e,t){var n=e.peek();return")"===n?(e.next(),t.tokenizer=y,"operator"):"("===n?(e.next(),e.eatSpace(),"operator"):"'"===n||'"'===n?(t.tokenizer=m(e.next()),"string"):(t.tokenizer=m(")",!1),"string")}function f(e,t){return function(n,r){return n.sol()&&n.indentation()<=e?(r.tokenizer=y,y(n,r)):(t&&n.skipTo("*/")?(n.next(),n.next(),r.tokenizer=y):n.skipToEnd(),"comment")}}function m(e,t){function n(r,o){var i=r.next(),a=r.peek(),l=r.string.charAt(r.pos-2);return"\\"!==i&&a===e||i===e&&"\\"!==l?(i!==e&&t&&r.next(),h(r)&&(o.cursorHalf=0),o.tokenizer=y,"string"):"#"===i&&"{"===a?(o.tokenizer=v(n),r.next(),"operator"):"string"}return null==t&&(t=!0),n}function v(e){return function(t,n){return"}"===t.peek()?(t.next(),n.tokenizer=e,"operator"):y(t,n)}}function g(e){if(0==e.indentCount){e.indentCount++;var n=e.scopes[0].offset+t.indentUnit;e.scopes.unshift({offset:n})}}function w(e){1!=e.scopes.length&&e.scopes.shift()}function y(e,t){var n=e.peek();if(e.match("/*"))return t.tokenizer=f(e.indentation(),!0),t.tokenizer(e,t);if(e.match("//"))return t.tokenizer=f(e.indentation(),!1),t.tokenizer(e,t);if(e.match("#{"))return t.tokenizer=v(y),"operator";if('"'===n||"'"===n)return e.next(),t.tokenizer=m(n),"string";if(t.cursorHalf){if("#"===n&&(e.next(),e.match(/[0-9a-fA-F]{6}|[0-9a-fA-F]{3}/)))return h(e)&&(t.cursorHalf=0),"number";if(e.match(/^-?[0-9\.]+/))return h(e)&&(t.cursorHalf=0),"number";if(e.match(/^(px|em|in)\b/))return h(e)&&(t.cursorHalf=0),"unit";if(e.match(c))return h(e)&&(t.cursorHalf=0),"keyword";if(e.match(/^url/)&&"("===e.peek())return t.tokenizer=p,h(e)&&(t.cursorHalf=0),"atom";if("$"===n)return e.next(),e.eatWhile(/[\w-]/),h(e)&&(t.cursorHalf=0),"variable-2";if("!"===n)return e.next(),t.cursorHalf=0,e.match(/^[\w]+/)?"keyword":"operator";if(e.match(u))return h(e)&&(t.cursorHalf=0),"operator";if(e.eatWhile(/[\w-]/))return h(e)&&(t.cursorHalf=0),s=e.current().toLowerCase(),i.hasOwnProperty(s)?"atom":o.hasOwnProperty(s)?"keyword":r.hasOwnProperty(s)?(t.prevProp=e.current().toLowerCase(),"property"):"tag";if(h(e))return t.cursorHalf=0,null}else{if("-"===n&&e.match(/^-\w+-/))return"meta";if("."===n){if(e.next(),e.match(/^[\w-]+/))return g(t),"qualifier";if("#"===e.peek())return g(t),"tag"}if("#"===n){if(e.next(),e.match(/^[\w-]+/))return g(t),"builtin";if("#"===e.peek())return g(t),"tag"}if("$"===n)return e.next(),e.eatWhile(/[\w-]/),"variable-2";if(e.match(/^-?[0-9\.]+/))return"number";if(e.match(/^(px|em|in)\b/))return"unit";if(e.match(c))return"keyword";if(e.match(/^url/)&&"("===e.peek())return t.tokenizer=p,"atom";if("="===n&&e.match(/^=[\w-]+/))return g(t),"meta";if("+"===n&&e.match(/^\+[\w-]+/))return"variable-3";if("@"===n&&e.match("@extend")&&(e.match(/\s*[\w]/)||w(t)),e.match(/^@(else if|if|media|else|for|each|while|mixin|function)/))return g(t),"def";if("@"===n)return e.next(),e.eatWhile(/[\w-]/),"def";if(e.eatWhile(/[\w-]/)){if(e.match(/ *: *[\w-\+\$#!\("']/,!1)){s=e.current().toLowerCase();var l=t.prevProp+"-"+s;return r.hasOwnProperty(l)?"property":r.hasOwnProperty(s)?(t.prevProp=s,"property"):a.hasOwnProperty(s)?"property":"tag"}return e.match(/ *:/,!1)?(g(t),t.cursorHalf=1,t.prevProp=e.current().toLowerCase(),"property"):(e.match(/ *,/,!1)||g(t),"tag")}if(":"===n)return e.match(d)?"variable-3":(e.next(),t.cursorHalf=1,"operator")}return e.match(u)?"operator":(e.next(),null)}function b(e,n){e.sol()&&(n.indentCount=0);var r=n.tokenizer(e,n),o=e.current();if("@return"!==o&&"}"!==o||w(n),null!==r){for(var i=e.pos-o.length+t.indentUnit*n.indentCount,a=[],l=0;l<n.scopes.length;l++){var s=n.scopes[l];s.offset<=i&&a.push(s)}n.scopes=a}return r}return{startState:function(){return{tokenizer:y,scopes:[{offset:0,type:"sass"}],indentCount:0,cursorHalf:0,definedVars:[],definedMixins:[]}},token:function(e,t){var n=b(e,t);return t.lastToken={style:n,content:e.current()},n},indent:function(e){return e.scopes[0].offset},blockCommentStart:"/*",blockCommentEnd:"*/",lineComment:"//",fold:"indent"}}),"css"),e.defineMIME("text/x-sass","sass")}(n(15237),n(68656))},13684:(e,t,n)=>{!function(e){"use strict";e.defineMode("shell",(function(){var t={};function n(e,n){for(var r=0;r<n.length;r++)t[n[r]]=e}var r=["true","false"],o=["if","then","do","else","elif","while","until","for","in","esac","fi","fin","fil","done","exit","set","unset","export","function"],i=["ab","awk","bash","beep","cat","cc","cd","chown","chmod","chroot","clear","cp","curl","cut","diff","echo","find","gawk","gcc","get","git","grep","hg","kill","killall","ln","ls","make","mkdir","openssl","mv","nc","nl","node","npm","ping","ps","restart","rm","rmdir","sed","service","sh","shopt","shred","source","sort","sleep","ssh","start","stop","su","sudo","svn","tee","telnet","top","touch","vi","vim","wall","wc","wget","who","write","yes","zsh"];function a(e,n){if(e.eatSpace())return null;var r=e.sol(),o=e.next();if("\\"===o)return e.next(),null;if("'"===o||'"'===o||"`"===o)return n.tokens.unshift(l(o,"`"===o?"quote":"string")),d(e,n);if("#"===o)return r&&e.eat("!")?(e.skipToEnd(),"meta"):(e.skipToEnd(),"comment");if("$"===o)return n.tokens.unshift(c),d(e,n);if("+"===o||"="===o)return"operator";if("-"===o)return e.eat("-"),e.eatWhile(/\w/),"attribute";if("<"==o){if(e.match("<<"))return"operator";var i=e.match(/^<-?\s*['"]?([^'"]*)['"]?/);if(i)return n.tokens.unshift(u(i[1])),"string-2"}if(/\d/.test(o)&&(e.eatWhile(/\d/),e.eol()||!/\w/.test(e.peek())))return"number";e.eatWhile(/[\w-]/);var a=e.current();return"="===e.peek()&&/\w+/.test(a)?"def":t.hasOwnProperty(a)?t[a]:null}function l(e,t){var n="("==e?")":"{"==e?"}":e;return function(r,o){for(var i,a=!1;null!=(i=r.next());){if(i===n&&!a){o.tokens.shift();break}if("$"===i&&!a&&"'"!==e&&r.peek()!=n){a=!0,r.backUp(1),o.tokens.unshift(c);break}if(!a&&e!==n&&i===e)return o.tokens.unshift(l(e,t)),d(r,o);if(!a&&/['"]/.test(i)&&!/['"]/.test(e)){o.tokens.unshift(s(i,"string")),r.backUp(1);break}a=!a&&"\\"===i}return t}}function s(e,t){return function(n,r){return r.tokens[0]=l(e,t),n.next(),d(n,r)}}e.registerHelper("hintWords","shell",r.concat(o,i)),n("atom",r),n("keyword",o),n("builtin",i);var c=function(e,t){t.tokens.length>1&&e.eat("$");var n=e.next();return/['"({]/.test(n)?(t.tokens[0]=l(n,"("==n?"quote":"{"==n?"def":"string"),d(e,t)):(/\d/.test(n)||e.eatWhile(/\w/),t.tokens.shift(),"def")};function u(e){return function(t,n){return t.sol()&&t.string==e&&n.tokens.shift(),t.skipToEnd(),"string-2"}}function d(e,t){return(t.tokens[0]||a)(e,t)}return{startState:function(){return{tokens:[]}},token:function(e,t){return d(e,t)},closeBrackets:"()[]{}''\"\"``",lineComment:"#",fold:"brace"}})),e.defineMIME("text/x-sh","shell"),e.defineMIME("application/x-sh","shell")}(n(15237))},29532:(e,t,n)=>{!function(e){"use strict";function t(e){for(var t;null!=(t=e.next());)if("`"==t&&!e.eat("`"))return"variable-2";return e.backUp(e.current().length-1),e.eatWhile(/\w/)?"variable-2":null}function n(e){for(var t;null!=(t=e.next());)if('"'==t&&!e.eat('"'))return"variable-2";return e.backUp(e.current().length-1),e.eatWhile(/\w/)?"variable-2":null}function r(e){return e.eat("@")&&(e.match("session."),e.match("local."),e.match("global.")),e.eat("'")?(e.match(/^.*'/),"variable-2"):e.eat('"')?(e.match(/^.*"/),"variable-2"):e.eat("`")?(e.match(/^.*`/),"variable-2"):e.match(/^[0-9a-zA-Z$\.\_]+/)?"variable-2":null}function o(e){return e.eat("N")?"atom":e.match(/^[a-zA-Z.#!?]/)?"variable-2":null}e.defineMode("sql",(function(t,n){var r=n.client||{},o=n.atoms||{false:!0,true:!0,null:!0},s=n.builtin||a(l),c=n.keywords||a(i),u=n.operatorChars||/^[*+\-%<>!=&|~^\/]/,d=n.support||{},h=n.hooks||{},p=n.dateSQL||{date:!0,time:!0,timestamp:!0},f=!1!==n.backslashStringEscapes,m=n.brackets||/^[\{}\(\)\[\]]/,v=n.punctuation||/^[;.,:]/;function g(e,t){var n=e.next();if(h[n]){var i=h[n](e,t);if(!1!==i)return i}if(d.hexNumber&&("0"==n&&e.match(/^[xX][0-9a-fA-F]+/)||("x"==n||"X"==n)&&e.match(/^'[0-9a-fA-F]*'/)))return"number";if(d.binaryNumber&&(("b"==n||"B"==n)&&e.match(/^'[01]*'/)||"0"==n&&e.match(/^b[01]+/)))return"number";if(n.charCodeAt(0)>47&&n.charCodeAt(0)<58)return e.match(/^[0-9]*(\.[0-9]+)?([eE][-+]?[0-9]+)?/),d.decimallessFloat&&e.match(/^\.(?!\.)/),"number";if("?"==n&&(e.eatSpace()||e.eol()||e.eat(";")))return"variable-3";if("'"==n||'"'==n&&d.doubleQuote)return t.tokenize=w(n),t.tokenize(e,t);if((d.nCharCast&&("n"==n||"N"==n)||d.charsetCast&&"_"==n&&e.match(/[a-z][a-z0-9]*/i))&&("'"==e.peek()||'"'==e.peek()))return"keyword";if(d.escapeConstant&&("e"==n||"E"==n)&&("'"==e.peek()||'"'==e.peek()&&d.doubleQuote))return t.tokenize=function(e,t){return(t.tokenize=w(e.next(),!0))(e,t)},"keyword";if(d.commentSlashSlash&&"/"==n&&e.eat("/"))return e.skipToEnd(),"comment";if(d.commentHash&&"#"==n||"-"==n&&e.eat("-")&&(!d.commentSpaceRequired||e.eat(" ")))return e.skipToEnd(),"comment";if("/"==n&&e.eat("*"))return t.tokenize=y(1),t.tokenize(e,t);if("."!=n){if(u.test(n))return e.eatWhile(u),"operator";if(m.test(n))return"bracket";if(v.test(n))return e.eatWhile(v),"punctuation";if("{"==n&&(e.match(/^( )*(d|D|t|T|ts|TS)( )*'[^']*'( )*}/)||e.match(/^( )*(d|D|t|T|ts|TS)( )*"[^"]*"( )*}/)))return"number";e.eatWhile(/^[_\w\d]/);var a=e.current().toLowerCase();return p.hasOwnProperty(a)&&(e.match(/^( )+'[^']*'/)||e.match(/^( )+"[^"]*"/))?"number":o.hasOwnProperty(a)?"atom":s.hasOwnProperty(a)?"type":c.hasOwnProperty(a)?"keyword":r.hasOwnProperty(a)?"builtin":null}return d.zerolessFloat&&e.match(/^(?:\d+(?:e[+-]?\d+)?)/i)?"number":e.match(/^\.+/)?null:e.match(/^[\w\d_$#]+/)?"variable-2":void 0}function w(e,t){return function(n,r){for(var o,i=!1;null!=(o=n.next());){if(o==e&&!i){r.tokenize=g;break}i=(f||t)&&!i&&"\\"==o}return"string"}}function y(e){return function(t,n){var r=t.match(/^.*?(\/\*|\*\/)/);return r?"/*"==r[1]?n.tokenize=y(e+1):n.tokenize=e>1?y(e-1):g:t.skipToEnd(),"comment"}}function b(e,t,n){t.context={prev:t.context,indent:e.indentation(),col:e.column(),type:n}}function x(e){e.indent=e.context.indent,e.context=e.context.prev}return{startState:function(){return{tokenize:g,context:null}},token:function(e,t){if(e.sol()&&t.context&&null==t.context.align&&(t.context.align=!1),t.tokenize==g&&e.eatSpace())return null;var n=t.tokenize(e,t);if("comment"==n)return n;t.context&&null==t.context.align&&(t.context.align=!0);var r=e.current();return"("==r?b(e,t,")"):"["==r?b(e,t,"]"):t.context&&t.context.type==r&&x(t),n},indent:function(n,r){var o=n.context;if(!o)return e.Pass;var i=r.charAt(0)==o.type;return o.align?o.col+(i?0:1):o.indent+(i?0:t.indentUnit)},blockCommentStart:"/*",blockCommentEnd:"*/",lineComment:d.commentSlashSlash?"//":d.commentHash?"#":"--",closeBrackets:"()[]{}''\"\"``",config:n}}));var i="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 a(e){for(var t={},n=e.split(" "),r=0;r<n.length;++r)t[n[r]]=!0;return t}var l="bool boolean bit blob enum 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 real date datetime year unsigned signed decimal numeric";e.defineMIME("text/x-sql",{name:"sql",keywords:a(i+"begin"),builtin:a(l),atoms:a("false true null unknown"),dateSQL:a("date time timestamp"),support:a("doubleQuote binaryNumber hexNumber")}),e.defineMIME("text/x-mssql",{name:"sql",client:a("$partition binary_checksum checksum connectionproperty context_info current_request_id error_line error_message error_number error_procedure error_severity error_state formatmessage get_filestream_transaction_context getansinull host_id host_name isnull isnumeric min_active_rowversion newid newsequentialid rowcount_big xact_state object_id"),keywords:a(i+"begin trigger proc view index for add constraint key primary foreign collate clustered nonclustered declare exec go if use index holdlock nolock nowait paglock readcommitted readcommittedlock readpast readuncommitted repeatableread rowlock serializable snapshot tablock tablockx updlock with"),builtin:a("bigint numeric bit smallint decimal smallmoney int tinyint money float real char varchar text nchar nvarchar ntext binary varbinary image cursor timestamp hierarchyid uniqueidentifier sql_variant xml table "),atoms:a("is not null like and or in left right between inner outer join all any some cross unpivot pivot exists"),operatorChars:/^[*+\-%<>!=^\&|\/]/,brackets:/^[\{}\(\)]/,punctuation:/^[;.,:/]/,backslashStringEscapes:!1,dateSQL:a("date datetimeoffset datetime2 smalldatetime datetime time"),hooks:{"@":r}}),e.defineMIME("text/x-mysql",{name:"sql",client:a("charset clear connect edit ego exit go help nopager notee nowarning pager print prompt quit rehash source status system tee"),keywords:a(i+"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:a("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:a("false true null unknown"),operatorChars:/^[*+\-%<>!=&|^]/,dateSQL:a("date time timestamp"),support:a("decimallessFloat zerolessFloat binaryNumber hexNumber doubleQuote nCharCast charsetCast commentHash commentSpaceRequired"),hooks:{"@":r,"`":t,"\\":o}}),e.defineMIME("text/x-mariadb",{name:"sql",client:a("charset clear connect edit ego exit go help nopager notee nowarning pager print prompt quit rehash source status system tee"),keywords:a(i+"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:a("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:a("false true null unknown"),operatorChars:/^[*+\-%<>!=&|^]/,dateSQL:a("date time timestamp"),support:a("decimallessFloat zerolessFloat binaryNumber hexNumber doubleQuote nCharCast charsetCast commentHash commentSpaceRequired"),hooks:{"@":r,"`":t,"\\":o}}),e.defineMIME("text/x-sqlite",{name:"sql",client:a("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:a(i+"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:a("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:a("null current_date current_time current_timestamp"),operatorChars:/^[*+\-%<>!=&|/~]/,dateSQL:a("date time timestamp datetime"),support:a("decimallessFloat zerolessFloat"),identifierQuote:'"',hooks:{"@":r,":":r,"?":r,$:r,'"':n,"`":t}}),e.defineMIME("text/x-cassandra",{name:"sql",client:{},keywords:a("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:a("ascii bigint blob boolean counter decimal double float frozen inet int list map static text timestamp timeuuid tuple uuid varchar varint"),atoms:a("false true infinity NaN"),operatorChars:/^[<>=]/,dateSQL:{},support:a("commentSlashSlash decimallessFloat"),hooks:{}}),e.defineMIME("text/x-plsql",{name:"sql",client:a("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:a("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:a("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:a("date time timestamp"),support:a("doubleQuote nCharCast zerolessFloat binaryNumber hexNumber")}),e.defineMIME("text/x-hive",{name:"sql",keywords:a("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:a("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:a("false true null unknown"),operatorChars:/^[*+\-%<>!=]/,dateSQL:a("date timestamp"),support:a("doubleQuote binaryNumber hexNumber")}),e.defineMIME("text/x-pgsql",{name:"sql",client:a("source"),keywords:a(i+"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:a("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:a("false true null unknown"),operatorChars:/^[*\/+\-%<>!=&|^\/#@?~]/,backslashStringEscapes:!1,dateSQL:a("date time timestamp"),support:a("decimallessFloat zerolessFloat binaryNumber hexNumber nCharCast charsetCast escapeConstant")}),e.defineMIME("text/x-gql",{name:"sql",keywords:a("ancestor and asc by contains desc descendant distinct from group has in is limit offset on order select superset where"),atoms:a("false true"),builtin:a("blob datetime first key __key__ string integer double boolean null"),operatorChars:/^[*+\-%<>!=]/}),e.defineMIME("text/x-gpsql",{name:"sql",client:a("source"),keywords:a("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:a("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:a("false true null unknown"),operatorChars:/^[*+\-%<>!=&|^\/#@?~]/,dateSQL:a("date time timestamp"),support:a("decimallessFloat zerolessFloat binaryNumber hexNumber nCharCast charsetCast")}),e.defineMIME("text/x-sparksql",{name:"sql",keywords:a("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:a("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:a("false true null"),operatorChars:/^[*\/+\-%<>!=~&|^]/,dateSQL:a("date time timestamp"),support:a("doubleQuote zerolessFloat")}),e.defineMIME("text/x-esper",{name:"sql",client:a("source"),keywords:a("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:a("false true null"),operatorChars:/^[*+\-%<>!=&|^\/#@?~]/,dateSQL:a("time"),support:a("decimallessFloat zerolessFloat binaryNumber hexNumber")}),e.defineMIME("text/x-trino",{name:"sql",keywords:a("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:a("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:a("false true null unknown"),operatorChars:/^[[\]|<>=!\-+*/%]/,dateSQL:a("date time timestamp zone"),support:a("decimallessFloat zerolessFloat hexNumber")})}(n(15237))},71070:(e,t,n)=>{!function(e){"use strict";e.defineMode("stylus",(function(e){for(var p,f,w,y,b=e.indentUnit,x="",k=v(t),E=/^(a|b|i|s|col|em)$/i,A=v(i),C=v(a),B=v(c),M=v(s),_=v(n),S=m(n),N=v(o),V=v(r),L=v(l),T=/^\s*([.]{2,3}|&&|\|\||\*\*|[?!=:]?=|[-+*\/%<>]=?|\?:|\~)/,I=m(u),Z=v(d),O=new RegExp(/^\-(moz|ms|o|webkit)-/i),D=v(h),R="",H={};x.length<b;)x+=" ";function P(e,t){if(R=e.string.match(/(^[\w-]+\s*=\s*$)|(^\s*[\w-]+\s*=\s*[\w-])|(^\s*(\.|#|@|\$|\&|\[|\d|\+|::?|\{|\>|~|\/)?\s*[\w-]*([a-z0-9-]|\*|\/\*)(\(|,)?)/),t.context.line.firstWord=R?R[0].replace(/^\s*/,""):"",t.context.line.indent=e.indentation(),p=e.peek(),e.match("//"))return e.skipToEnd(),["comment","comment"];if(e.match("/*"))return t.tokenize=j,j(e,t);if('"'==p||"'"==p)return e.next(),t.tokenize=F(p),t.tokenize(e,t);if("@"==p)return e.next(),e.eatWhile(/[\w\\-]/),["def",e.current()];if("#"==p){if(e.next(),e.match(/^[0-9a-f]{3}([0-9a-f]([0-9a-f]{2}){0,2})?\b(?!-)/i))return["atom","atom"];if(e.match(/^[a-z][\w-]*/i))return["builtin","hash"]}return e.match(O)?["meta","vendor-prefixes"]:e.match(/^-?[0-9]?\.?[0-9]/)?(e.eatWhile(/[a-z%]/i),["number","unit"]):"!"==p?(e.next(),[e.match(/^(important|optional)/i)?"keyword":"operator","important"]):"."==p&&e.match(/^\.[a-z][\w-]*/i)?["qualifier","qualifier"]:e.match(S)?("("==e.peek()&&(t.tokenize=z),["property","word"]):e.match(/^[a-z][\w-]*\(/i)?(e.backUp(1),["keyword","mixin"]):e.match(/^(\+|-)[a-z][\w-]*\(/i)?(e.backUp(1),["keyword","block-mixin"]):e.string.match(/^\s*&/)&&e.match(/^[-_]+[a-z][\w-]*/)?["qualifier","qualifier"]:e.match(/^(\/|&)(-|_|:|\.|#|[a-z])/)?(e.backUp(1),["variable-3","reference"]):e.match(/^&{1}\s*$/)?["variable-3","reference"]:e.match(I)?["operator","operator"]:e.match(/^\$?[-_]*[a-z0-9]+[\w-]*/i)?e.match(/^(\.|\[)[\w-\'\"\]]+/i,!1)&&!K(e.current())?(e.match("."),["variable-2","variable-name"]):["variable-2","word"]:e.match(T)?["operator",e.current()]:/[:;,{}\[\]\(\)]/.test(p)?(e.next(),[null,p]):(e.next(),[null,null])}function j(e,t){for(var n,r=!1;null!=(n=e.next());){if(r&&"/"==n){t.tokenize=null;break}r="*"==n}return["comment","comment"]}function F(e){return function(t,n){for(var r,o=!1;null!=(r=t.next());){if(r==e&&!o){")"==e&&t.backUp(1);break}o=!o&&"\\"==r}return(r==e||!o&&")"!=e)&&(n.tokenize=null),["string","string"]}}function z(e,t){return e.next(),e.match(/\s*[\"\')]/,!1)?t.tokenize=null:t.tokenize=F(")"),[null,"("]}function q(e,t,n,r){this.type=e,this.indent=t,this.prev=n,this.line=r||{firstWord:"",indent:0}}function U(e,t,n,r){return r=r>=0?r:b,e.context=new q(n,t.indentation()+r,e.context),n}function $(e,t){var n=e.context.indent-b;return t=t||!1,e.context=e.context.prev,t&&(e.context.indent=n),e.context.type}function W(e,t,n){return H[n.context.type](e,t,n)}function G(e,t,n,r){for(var o=r||1;o>0;o--)n.context=n.context.prev;return W(e,t,n)}function K(e){return e.toLowerCase()in k}function Y(e){return(e=e.toLowerCase())in A||e in L}function X(e){return e.toLowerCase()in Z}function J(e){return e.toLowerCase().match(O)}function Q(e){var t=e.toLowerCase(),n="variable-2";return K(e)?n="tag":X(e)?n="block-keyword":Y(e)?n="property":t in B||t in D?n="atom":"return"==t||t in M?n="keyword":e.match(/^[A-Z]/)&&(n="string"),n}function ee(e,t){return oe(t)&&("{"==e||"]"==e||"hash"==e||"qualifier"==e)||"block-mixin"==e}function te(e,t){return"{"==e&&t.match(/^\s*\$?[\w-]+/i,!1)}function ne(e,t){return":"==e&&t.match(/^[a-z-]+/,!1)}function re(e){return e.sol()||e.string.match(new RegExp("^\\s*"+g(e.current())))}function oe(e){return e.eol()||e.match(/^\s*$/,!1)}function ie(e){var t=/^\s*[-_]*[a-z0-9]+[\w-]*/i,n="string"==typeof e?e.match(t):e.string.match(t);return n?n[0].replace(/^\s*/,""):""}return H.block=function(e,t,n){if("comment"==e&&re(t)||","==e&&oe(t)||"mixin"==e)return U(n,t,"block",0);if(te(e,t))return U(n,t,"interpolation");if(oe(t)&&"]"==e&&!/^\s*(\.|#|:|\[|\*|&)/.test(t.string)&&!K(ie(t)))return U(n,t,"block",0);if(ee(e,t))return U(n,t,"block");if("}"==e&&oe(t))return U(n,t,"block",0);if("variable-name"==e)return t.string.match(/^\s?\$[\w-\.\[\]\'\"]+$/)||X(ie(t))?U(n,t,"variableName"):U(n,t,"variableName",0);if("="==e)return oe(t)||X(ie(t))?U(n,t,"block"):U(n,t,"block",0);if("*"==e&&(oe(t)||t.match(/\s*(,|\.|#|\[|:|{)/,!1)))return y="tag",U(n,t,"block");if(ne(e,t))return U(n,t,"pseudo");if(/@(font-face|media|supports|(-moz-)?document)/.test(e))return U(n,t,oe(t)?"block":"atBlock");if(/@(-(moz|ms|o|webkit)-)?keyframes$/.test(e))return U(n,t,"keyframes");if(/@extends?/.test(e))return U(n,t,"extend",0);if(e&&"@"==e.charAt(0))return t.indentation()>0&&Y(t.current().slice(1))?(y="variable-2","block"):/(@import|@require|@charset)/.test(e)?U(n,t,"block",0):U(n,t,"block");if("reference"==e&&oe(t))return U(n,t,"block");if("("==e)return U(n,t,"parens");if("vendor-prefixes"==e)return U(n,t,"vendorPrefixes");if("word"==e){var r=t.current();if("property"==(y=Q(r)))return re(t)?U(n,t,"block",0):(y="atom","block");if("tag"==y){if(/embed|menu|pre|progress|sub|table/.test(r)&&Y(ie(t)))return y="atom","block";if(t.string.match(new RegExp("\\[\\s*"+r+"|"+r+"\\s*\\]")))return y="atom","block";if(E.test(r)&&(re(t)&&t.string.match(/=/)||!re(t)&&!t.string.match(/^(\s*\.|#|\&|\[|\/|>|\*)/)&&!K(ie(t))))return y="variable-2",X(ie(t))?"block":U(n,t,"block",0);if(oe(t))return U(n,t,"block")}if("block-keyword"==y)return y="keyword",t.current(/(if|unless)/)&&!re(t)?"block":U(n,t,"block");if("return"==r)return U(n,t,"block",0);if("variable-2"==y&&t.string.match(/^\s?\$[\w-\.\[\]\'\"]+$/))return U(n,t,"block")}return n.context.type},H.parens=function(e,t,n){if("("==e)return U(n,t,"parens");if(")"==e)return"parens"==n.context.prev.type?$(n):t.string.match(/^[a-z][\w-]*\(/i)&&oe(t)||X(ie(t))||/(\.|#|:|\[|\*|&|>|~|\+|\/)/.test(ie(t))||!t.string.match(/^-?[a-z][\w-\.\[\]\'\"]*\s*=/)&&K(ie(t))?U(n,t,"block"):t.string.match(/^[\$-]?[a-z][\w-\.\[\]\'\"]*\s*=/)||t.string.match(/^\s*(\(|\)|[0-9])/)||t.string.match(/^\s+[a-z][\w-]*\(/i)||t.string.match(/^\s+[\$-]?[a-z]/i)?U(n,t,"block",0):oe(t)?U(n,t,"block"):U(n,t,"block",0);if(e&&"@"==e.charAt(0)&&Y(t.current().slice(1))&&(y="variable-2"),"word"==e){var r=t.current();"tag"==(y=Q(r))&&E.test(r)&&(y="variable-2"),"property"!=y&&"to"!=r||(y="atom")}return"variable-name"==e?U(n,t,"variableName"):ne(e,t)?U(n,t,"pseudo"):n.context.type},H.vendorPrefixes=function(e,t,n){return"word"==e?(y="property",U(n,t,"block",0)):$(n)},H.pseudo=function(e,t,n){return Y(ie(t.string))?G(e,t,n):(t.match(/^[a-z-]+/),y="variable-3",oe(t)?U(n,t,"block"):$(n))},H.atBlock=function(e,t,n){if("("==e)return U(n,t,"atBlock_parens");if(ee(e,t))return U(n,t,"block");if(te(e,t))return U(n,t,"interpolation");if("word"==e){var r=t.current().toLowerCase();if("tag"==(y=/^(only|not|and|or)$/.test(r)?"keyword":_.hasOwnProperty(r)?"tag":V.hasOwnProperty(r)?"attribute":N.hasOwnProperty(r)?"property":C.hasOwnProperty(r)?"string-2":Q(t.current()))&&oe(t))return U(n,t,"block")}return"operator"==e&&/^(not|and|or)$/.test(t.current())&&(y="keyword"),n.context.type},H.atBlock_parens=function(e,t,n){if("{"==e||"}"==e)return n.context.type;if(")"==e)return oe(t)?U(n,t,"block"):U(n,t,"atBlock");if("word"==e){var r=t.current().toLowerCase();return y=Q(r),/^(max|min)/.test(r)&&(y="property"),"tag"==y&&(y=E.test(r)?"variable-2":"atom"),n.context.type}return H.atBlock(e,t,n)},H.keyframes=function(e,t,n){return"0"==t.indentation()&&("}"==e&&re(t)||"]"==e||"hash"==e||"qualifier"==e||K(t.current()))?G(e,t,n):"{"==e?U(n,t,"keyframes"):"}"==e?re(t)?$(n,!0):U(n,t,"keyframes"):"unit"==e&&/^[0-9]+\%$/.test(t.current())?U(n,t,"keyframes"):"word"==e&&"block-keyword"==(y=Q(t.current()))?(y="keyword",U(n,t,"keyframes")):/@(font-face|media|supports|(-moz-)?document)/.test(e)?U(n,t,oe(t)?"block":"atBlock"):"mixin"==e?U(n,t,"block",0):n.context.type},H.interpolation=function(e,t,n){return"{"==e&&$(n)&&U(n,t,"block"),"}"==e?t.string.match(/^\s*(\.|#|:|\[|\*|&|>|~|\+|\/)/i)||t.string.match(/^\s*[a-z]/i)&&K(ie(t))?U(n,t,"block"):!t.string.match(/^(\{|\s*\&)/)||t.match(/\s*[\w-]/,!1)?U(n,t,"block",0):U(n,t,"block"):"variable-name"==e?U(n,t,"variableName",0):("word"==e&&"tag"==(y=Q(t.current()))&&(y="atom"),n.context.type)},H.extend=function(e,t,n){return"["==e||"="==e?"extend":"]"==e?$(n):"word"==e?(y=Q(t.current()),"extend"):$(n)},H.variableName=function(e,t,n){return"string"==e||"["==e||"]"==e||t.current().match(/^(\.|\$)/)?(t.current().match(/^\.[\w-]+/i)&&(y="variable-2"),"variableName"):G(e,t,n)},{startState:function(e){return{tokenize:null,state:"block",context:new q("block",e||0,null)}},token:function(e,t){return!t.tokenize&&e.eatSpace()?null:((f=(t.tokenize||P)(e,t))&&"object"==typeof f&&(w=f[1],f=f[0]),y=f,t.state=H[t.state](w,e,t),y)},indent:function(e,t,n){var r=e.context,o=t&&t.charAt(0),i=r.indent,a=ie(t),l=n.match(/^\s*/)[0].replace(/\t/g,x).length,s=e.context.prev?e.context.prev.line.firstWord:"",c=e.context.prev?e.context.prev.line.indent:l;return r.prev&&("}"==o&&("block"==r.type||"atBlock"==r.type||"keyframes"==r.type)||")"==o&&("parens"==r.type||"atBlock_parens"==r.type)||"{"==o&&"at"==r.type)?i=r.indent-b:/(\})/.test(o)||(/@|\$|\d/.test(o)||/^\{/.test(t)||/^\s*\/(\/|\*)/.test(t)||/^\s*\/\*/.test(s)||/^\s*[\w-\.\[\]\'\"]+\s*(\?|:|\+)?=/i.test(t)||/^(\+|-)?[a-z][\w-]*\(/i.test(t)||/^return/.test(t)||X(a)?i=l:/(\.|#|:|\[|\*|&|>|~|\+|\/)/.test(o)||K(a)?i=/\,\s*$/.test(s)?c:/^\s+/.test(n)&&(/(\.|#|:|\[|\*|&|>|~|\+|\/)/.test(s)||K(s))?l<=c?c:c+b:l:/,\s*$/.test(n)||!J(a)&&!Y(a)||(i=X(s)?l<=c?c:c+b:/^\{/.test(s)?l<=c?l:c+b:J(s)||Y(s)?l>=c?c:l:/^(\.|#|:|\[|\*|&|@|\+|\-|>|~|\/)/.test(s)||/=\s*$/.test(s)||K(s)||/^\$[\w-\.\[\]\'\"]/.test(s)?c+b:l)),i},electricChars:"}",blockCommentStart:"/*",blockCommentEnd:"*/",blockCommentContinue:" * ",lineComment:"//",fold:"indent"}}));var t=["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"],n=["domain","regexp","url-prefix","url"],r=["all","aural","braille","handheld","print","projection","screen","tty","tv","embossed"],o=["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"],i=["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"],a=["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"],l=["font-family","src","unicode-range","font-variant","font-feature-settings","font-stretch","font-weight","font-style"],s=["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"],c=["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"],u=["in","and","or","not","is not","is a","is","isnt","defined","if unless"],d=["for","if","else","unless","from","to"],h=["null","true","false","href","title","type","not-allowed","readonly","disabled"],p=["@font-face","@keyframes","@media","@viewport","@page","@host","@supports","@block","@css"],f=t.concat(n,r,o,i,a,s,c,l,u,d,h,p);function m(e){return e=e.sort((function(e,t){return t>e})),new RegExp("^(("+e.join(")|(")+"))\\b")}function v(e){for(var t={},n=0;n<e.length;++n)t[e[n]]=!0;return t}function g(e){return e.replace(/[-[\]{}()*+?.,\\^$|#\s]/g,"\\$&")}e.registerHelper("hintWords","stylus",f),e.defineMIME("text/x-styl","stylus")}(n(15237))},11956:(e,t,n)=>{!function(e){"use strict";e.defineMode("twig:inner",(function(){var e=["and","as","autoescape","endautoescape","block","do","endblock","else","elseif","extends","for","endfor","embed","endembed","filter","endfilter","flush","from","if","endif","in","is","include","import","not","or","set","spaceless","endspaceless","with","endwith","trans","endtrans","blocktrans","endblocktrans","macro","endmacro","use","verbatim","endverbatim"],t=/^[+\-*&%=<>!?|~^]/,n=/^[:\[\(\{]/,r=["true","false","null","empty","defined","divisibleby","divisible by","even","odd","iterable","sameas","same as"],o=/^(\d[+\-\*\/])?\d+(\.\d+)?/;function i(i,a){var l=i.peek();if(a.incomment)return i.skipTo("#}")?(i.eatWhile(/\#|}/),a.incomment=!1):i.skipToEnd(),"comment";if(a.intag){if(a.operator){if(a.operator=!1,i.match(r))return"atom";if(i.match(o))return"number"}if(a.sign){if(a.sign=!1,i.match(r))return"atom";if(i.match(o))return"number"}if(a.instring)return l==a.instring&&(a.instring=!1),i.next(),"string";if("'"==l||'"'==l)return a.instring=l,i.next(),"string";if(i.match(a.intag+"}")||i.eat("-")&&i.match(a.intag+"}"))return a.intag=!1,"tag";if(i.match(t))return a.operator=!0,"operator";if(i.match(n))a.sign=!0;else if(i.eat(" ")||i.sol()){if(i.match(e))return"keyword";if(i.match(r))return"atom";if(i.match(o))return"number";i.sol()&&i.next()}else i.next();return"variable"}if(i.eat("{")){if(i.eat("#"))return a.incomment=!0,i.skipTo("#}")?(i.eatWhile(/\#|}/),a.incomment=!1):i.skipToEnd(),"comment";if(l=i.eat(/\{|%/))return a.intag=l,"{"==l&&(a.intag="}"),i.eat("-"),"tag"}i.next()}return e=new RegExp("(("+e.join(")|(")+"))\\b"),r=new RegExp("(("+r.join(")|(")+"))\\b"),{startState:function(){return{}},token:function(e,t){return i(e,t)}}})),e.defineMode("twig",(function(t,n){var r=e.getMode(t,"twig:inner");return n&&n.base?e.multiplexingMode(e.getMode(t,n.base),{open:/\{[{#%]/,close:/[}#%]\}/,mode:r,parseDelimiters:!0}):r})),e.defineMIME("text/x-twig","twig")}(n(15237),n(97340))},73012:(e,t,n)=>{!function(){"use strict";var e,t;e=n(15237),n(32580),n(40576),n(16792),n(47936),n(68656),n(17246),n(71070),n(63588),n(8294),t={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"]]},e.defineMode("vue-template",(function(t,n){var r={token:function(e){if(e.match(/^\{\{.*?\}\}/))return"meta mustache";for(;e.next()&&!e.match("{{",!1););return null}};return e.overlayMode(e.getMode(t,n.backdrop||"text/html"),r)})),e.defineMode("vue",(function(n){return e.getMode(n,{name:"htmlmixed",tags:t})}),"htmlmixed","xml","javascript","coffeescript","css","sass","stylus","pug","handlebars"),e.defineMIME("script/x-vue","vue"),e.defineMIME("text/x-vue","vue")}()},40576:(e,t,n)=>{!function(e){"use strict";var t={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},n={autoSelfClosers:{},implicitlyClosed:{},contextGrabbers:{},doNotIndent:{},allowUnquoted:!1,allowMissing:!1,allowMissingTagName:!1,caseFold:!1};e.defineMode("xml",(function(r,o){var i,a,l=r.indentUnit,s={},c=o.htmlMode?t:n;for(var u in c)s[u]=c[u];for(var u in o)s[u]=o[u];function d(e,t){function n(n){return t.tokenize=n,n(e,t)}var r=e.next();return"<"==r?e.eat("!")?e.eat("[")?e.match("CDATA[")?n(f("atom","]]>")):null:e.match("--")?n(f("comment","--\x3e")):e.match("DOCTYPE",!0,!0)?(e.eatWhile(/[\w\._\-]/),n(m(1))):null:e.eat("?")?(e.eatWhile(/[\w\._\-]/),t.tokenize=f("meta","?>"),"meta"):(i=e.eat("/")?"closeTag":"openTag",t.tokenize=h,"tag bracket"):"&"==r?(e.eat("#")?e.eat("x")?e.eatWhile(/[a-fA-F\d]/)&&e.eat(";"):e.eatWhile(/[\d]/)&&e.eat(";"):e.eatWhile(/[\w\.\-:]/)&&e.eat(";"))?"atom":"error":(e.eatWhile(/[^&<]/),null)}function h(e,t){var n=e.next();if(">"==n||"/"==n&&e.eat(">"))return t.tokenize=d,i=">"==n?"endTag":"selfcloseTag","tag bracket";if("="==n)return i="equals",null;if("<"==n){t.tokenize=d,t.state=b,t.tagName=t.tagStart=null;var r=t.tokenize(e,t);return r?r+" tag error":"tag error"}return/[\'\"]/.test(n)?(t.tokenize=p(n),t.stringStartCol=e.column(),t.tokenize(e,t)):(e.match(/^[^\s\u00a0=<>\"\']*[^\s\u00a0=<>\"\'\/]/),"word")}function p(e){var t=function(t,n){for(;!t.eol();)if(t.next()==e){n.tokenize=h;break}return"string"};return t.isInAttribute=!0,t}function f(e,t){return function(n,r){for(;!n.eol();){if(n.match(t)){r.tokenize=d;break}n.next()}return e}}function m(e){return function(t,n){for(var r;null!=(r=t.next());){if("<"==r)return n.tokenize=m(e+1),n.tokenize(t,n);if(">"==r){if(1==e){n.tokenize=d;break}return n.tokenize=m(e-1),n.tokenize(t,n)}}return"meta"}}function v(e){return e&&e.toLowerCase()}function g(e,t,n){this.prev=e.context,this.tagName=t||"",this.indent=e.indented,this.startOfLine=n,(s.doNotIndent.hasOwnProperty(t)||e.context&&e.context.noIndent)&&(this.noIndent=!0)}function w(e){e.context&&(e.context=e.context.prev)}function y(e,t){for(var n;;){if(!e.context)return;if(n=e.context.tagName,!s.contextGrabbers.hasOwnProperty(v(n))||!s.contextGrabbers[v(n)].hasOwnProperty(v(t)))return;w(e)}}function b(e,t,n){return"openTag"==e?(n.tagStart=t.column(),x):"closeTag"==e?k:b}function x(e,t,n){return"word"==e?(n.tagName=t.current(),a="tag",C):s.allowMissingTagName&&"endTag"==e?(a="tag bracket",C(e,t,n)):(a="error",x)}function k(e,t,n){if("word"==e){var r=t.current();return n.context&&n.context.tagName!=r&&s.implicitlyClosed.hasOwnProperty(v(n.context.tagName))&&w(n),n.context&&n.context.tagName==r||!1===s.matchClosing?(a="tag",E):(a="tag error",A)}return s.allowMissingTagName&&"endTag"==e?(a="tag bracket",E(e,t,n)):(a="error",A)}function E(e,t,n){return"endTag"!=e?(a="error",E):(w(n),b)}function A(e,t,n){return a="error",E(e,t,n)}function C(e,t,n){if("word"==e)return a="attribute",B;if("endTag"==e||"selfcloseTag"==e){var r=n.tagName,o=n.tagStart;return n.tagName=n.tagStart=null,"selfcloseTag"==e||s.autoSelfClosers.hasOwnProperty(v(r))?y(n,r):(y(n,r),n.context=new g(n,r,o==n.indented)),b}return a="error",C}function B(e,t,n){return"equals"==e?M:(s.allowMissing||(a="error"),C(e,t,n))}function M(e,t,n){return"string"==e?_:"word"==e&&s.allowUnquoted?(a="string",C):(a="error",C(e,t,n))}function _(e,t,n){return"string"==e?_:C(e,t,n)}return d.isInText=!0,{startState:function(e){var t={tokenize:d,state:b,indented:e||0,tagName:null,tagStart:null,context:null};return null!=e&&(t.baseIndent=e),t},token:function(e,t){if(!t.tagName&&e.sol()&&(t.indented=e.indentation()),e.eatSpace())return null;i=null;var n=t.tokenize(e,t);return(n||i)&&"comment"!=n&&(a=null,t.state=t.state(i||n,e,t),a&&(n="error"==a?n+" error":a)),n},indent:function(t,n,r){var o=t.context;if(t.tokenize.isInAttribute)return t.tagStart==t.indented?t.stringStartCol+1:t.indented+l;if(o&&o.noIndent)return e.Pass;if(t.tokenize!=h&&t.tokenize!=d)return r?r.match(/^(\s*)/)[0].length:0;if(t.tagName)return!1!==s.multilineTagIndentPastTag?t.tagStart+t.tagName.length+2:t.tagStart+l*(s.multilineTagIndentFactor||1);if(s.alignCDATA&&/<!\[CDATA\[/.test(n))return 0;var i=n&&/^<(\/)?([\w_:\.-]*)/.exec(n);if(i&&i[1])for(;o;){if(o.tagName==i[2]){o=o.prev;break}if(!s.implicitlyClosed.hasOwnProperty(v(o.tagName)))break;o=o.prev}else if(i)for(;o;){var a=s.contextGrabbers[v(o.tagName)];if(!a||!a.hasOwnProperty(v(i[2])))break;o=o.prev}for(;o&&o.prev&&!o.startOfLine;)o=o.prev;return o?o.indent+l:t.baseIndent||0},electricInput:/<\/[\s\w:]+>$/,blockCommentStart:"\x3c!--",blockCommentEnd:"--\x3e",configuration:s.htmlMode?"html":"xml",helperType:s.htmlMode?"html":"xml",skipAttribute:function(e){e.state==M&&(e.state=C)},xmlCurrentTag:function(e){return e.tagName?{name:e.tagName,close:"closeTag"==e.type}:null},xmlCurrentContext:function(e){for(var t=[],n=e.context;n;n=n.prev)t.push(n.tagName);return t.reverse()}}})),e.defineMIME("text/xml","xml"),e.defineMIME("application/xml","xml"),e.mimeModes.hasOwnProperty("text/html")||e.defineMIME("text/html",{name:"xml",htmlMode:!0})}(n(15237))},12082:(e,t,n)=>{var r,o,i,a;r=n(15237),n(20496),o=0,i=1,a=2,r.defineMode("yaml-frontmatter",(function(e,t){var n=r.getMode(e,"yaml"),l=r.getMode(e,t&&t.base||"gfm");function s(e){return e.state==i?{mode:n,state:e.yaml}:{mode:l,state:e.inner}}return{startState:function(){return{state:o,yaml:null,inner:r.startState(l)}},copyState:function(e){return{state:e.state,yaml:e.yaml&&r.copyState(n,e.yaml),inner:r.copyState(l,e.inner)}},token:function(e,t){if(t.state==o)return e.match("---",!1)?(t.state=i,t.yaml=r.startState(n),n.token(e,t.yaml)):(t.state=a,l.token(e,t.inner));if(t.state==i){var s=e.sol()&&e.match(/(---|\.\.\.)/,!1),c=n.token(e,t.yaml);return s&&(t.state=a,t.yaml=null),c}return l.token(e,t.inner)},innerMode:s,indent:function(e,t,n){var o=s(e);return o.mode.indent?o.mode.indent(o.state,t,n):r.Pass},blankLine:function(e){var t=s(e);if(t.mode.blankLine)return t.mode.blankLine(t.state)}}}))},20496:(e,t,n)=>{!function(e){"use strict";e.defineMode("yaml",(function(){var e=new RegExp("\\b(("+["true","false","on","off","yes","no"].join(")|(")+"))$","i");return{token:function(t,n){var r=t.peek(),o=n.escaped;if(n.escaped=!1,"#"==r&&(0==t.pos||/\s/.test(t.string.charAt(t.pos-1))))return t.skipToEnd(),"comment";if(t.match(/^('([^']|\\.)*'?|"([^"]|\\.)*"?)/))return"string";if(n.literal&&t.indentation()>n.keyCol)return t.skipToEnd(),"string";if(n.literal&&(n.literal=!1),t.sol()){if(n.keyCol=0,n.pair=!1,n.pairStart=!1,t.match("---"))return"def";if(t.match("..."))return"def";if(t.match(/\s*-\s+/))return"meta"}if(t.match(/^(\{|\}|\[|\])/))return"{"==r?n.inlinePairs++:"}"==r?n.inlinePairs--:"["==r?n.inlineList++:n.inlineList--,"meta";if(n.inlineList>0&&!o&&","==r)return t.next(),"meta";if(n.inlinePairs>0&&!o&&","==r)return n.keyCol=0,n.pair=!1,n.pairStart=!1,t.next(),"meta";if(n.pairStart){if(t.match(/^\s*(\||\>)\s*/))return n.literal=!0,"meta";if(t.match(/^\s*(\&|\*)[a-z0-9\._-]+\b/i))return"variable-2";if(0==n.inlinePairs&&t.match(/^\s*-?[0-9\.\,]+\s?$/))return"number";if(n.inlinePairs>0&&t.match(/^\s*-?[0-9\.\,]+\s?(?=(,|}))/))return"number";if(t.match(e))return"keyword"}return!n.pair&&t.match(/^\s*(?:[,\[\]{}&*!|>'"%@`][^\s'":]|[^\s,\[\]{}#&*!|>'"%@`])[^#:]*(?=:($|\s))/)?(n.pair=!0,n.keyCol=t.indentation(),"atom"):n.pair&&t.match(/^:\s*/)?(n.pairStart=!0,"meta"):(n.pairStart=!1,n.escaped="\\"==r,t.next(),null)},startState:function(){return{pair:!1,pairStart:!1,keyCol:0,inlinePairs:0,inlineList:0,literal:!1,escaped:!1}},lineComment:"#",fold:"indent"}})),e.defineMIME("text/x-yaml","yaml"),e.defineMIME("text/yaml","yaml")}(n(15237))},63700:(e,t,n)=>{"use strict";n.d(t,{A:()=>i});var r=n(76314),o=n.n(r)()((function(e){return e[1]}));o.push([e.id,'.chartist-tooltip{background:#f4c63d;color:#453d3f;display:inline-block;font-family:Oxygen,Helvetica,Arial,sans-serif;font-weight:700;min-width:5em;opacity:0;padding:.5em;pointer-events:none;position:absolute;text-align:center;transition:opacity .2s linear;z-index:1}.chartist-tooltip:before{border:15px solid transparent;border-top-color:#f4c63d;content:"";height:0;left:50%;margin-left:-15px;position:absolute;top:100%;width:0}.chartist-tooltip.tooltip-show{opacity:1}.ct-area,.ct-line{pointer-events:none}',""]);const i=o},83467:(e,t,n)=>{"use strict";n.d(t,{A:()=>i});var r=n(76314),o=n.n(r)()((function(e){return e[1]}));o.push([e.id,'.ct-label{fill:rgba(0,0,0,.4);color:rgba(0,0,0,.4);font-size:.75rem;line-height:1}.ct-chart-bar .ct-label,.ct-chart-line .ct-label{display:flex}.ct-chart-donut .ct-label,.ct-chart-pie .ct-label{dominant-baseline:central}.ct-label.ct-horizontal.ct-start{align-items:flex-end;justify-content:flex-start;text-align:left}.ct-label.ct-horizontal.ct-end{align-items:flex-start;justify-content:flex-start;text-align:left}.ct-label.ct-vertical.ct-start{align-items:flex-end;justify-content:flex-end;text-align:right}.ct-label.ct-vertical.ct-end{align-items:flex-end;justify-content:flex-start;text-align:left}.ct-chart-bar .ct-label.ct-horizontal.ct-start{align-items:flex-end;justify-content:center;text-align:center}.ct-chart-bar .ct-label.ct-horizontal.ct-end{align-items:flex-start;justify-content:center;text-align:center}.ct-chart-bar.ct-horizontal-bars .ct-label.ct-horizontal.ct-start{align-items:flex-end;justify-content:flex-start;text-align:left}.ct-chart-bar.ct-horizontal-bars .ct-label.ct-horizontal.ct-end{align-items:flex-start;justify-content:flex-start;text-align:left}.ct-chart-bar.ct-horizontal-bars .ct-label.ct-vertical.ct-start{align-items:center;justify-content:flex-end;text-align:right}.ct-chart-bar.ct-horizontal-bars .ct-label.ct-vertical.ct-end{align-items:center;justify-content:flex-start;text-align:left}.ct-grid{stroke:rgba(0,0,0,.2);stroke-width:1px;stroke-dasharray:2px}.ct-grid-background{fill:none}.ct-point{stroke-width:10px;stroke-linecap:round}.ct-line{fill:none;stroke-width:4px}.ct-area{stroke:none;fill-opacity:.1}.ct-bar{fill:none;stroke-width:10px}.ct-slice-donut{fill:none;stroke-width:60px}.ct-series-a .ct-bar,.ct-series-a .ct-line,.ct-series-a .ct-point,.ct-series-a .ct-slice-donut{stroke:#d70206}.ct-series-a .ct-area,.ct-series-a .ct-slice-pie{fill:#d70206}.ct-series-b .ct-bar,.ct-series-b .ct-line,.ct-series-b .ct-point,.ct-series-b .ct-slice-donut{stroke:#f05b4f}.ct-series-b .ct-area,.ct-series-b .ct-slice-pie{fill:#f05b4f}.ct-series-c .ct-bar,.ct-series-c .ct-line,.ct-series-c .ct-point,.ct-series-c .ct-slice-donut{stroke:#f4c63d}.ct-series-c .ct-area,.ct-series-c .ct-slice-pie{fill:#f4c63d}.ct-series-d .ct-bar,.ct-series-d .ct-line,.ct-series-d .ct-point,.ct-series-d .ct-slice-donut{stroke:#d17905}.ct-series-d .ct-area,.ct-series-d .ct-slice-pie{fill:#d17905}.ct-series-e .ct-bar,.ct-series-e .ct-line,.ct-series-e .ct-point,.ct-series-e .ct-slice-donut{stroke:#453d3f}.ct-series-e .ct-area,.ct-series-e .ct-slice-pie{fill:#453d3f}.ct-series-f .ct-bar,.ct-series-f .ct-line,.ct-series-f .ct-point,.ct-series-f .ct-slice-donut{stroke:#59922b}.ct-series-f .ct-area,.ct-series-f .ct-slice-pie{fill:#59922b}.ct-series-g .ct-bar,.ct-series-g .ct-line,.ct-series-g .ct-point,.ct-series-g .ct-slice-donut{stroke:#0544d3}.ct-series-g .ct-area,.ct-series-g .ct-slice-pie{fill:#0544d3}.ct-series-h .ct-bar,.ct-series-h .ct-line,.ct-series-h .ct-point,.ct-series-h .ct-slice-donut{stroke:#6b0392}.ct-series-h .ct-area,.ct-series-h .ct-slice-pie{fill:#6b0392}.ct-series-i .ct-bar,.ct-series-i .ct-line,.ct-series-i .ct-point,.ct-series-i .ct-slice-donut{stroke:#e6805e}.ct-series-i .ct-area,.ct-series-i .ct-slice-pie{fill:#e6805e}.ct-series-j .ct-bar,.ct-series-j .ct-line,.ct-series-j .ct-point,.ct-series-j .ct-slice-donut{stroke:#dda458}.ct-series-j .ct-area,.ct-series-j .ct-slice-pie{fill:#dda458}.ct-series-k .ct-bar,.ct-series-k .ct-line,.ct-series-k .ct-point,.ct-series-k .ct-slice-donut{stroke:#eacf7d}.ct-series-k .ct-area,.ct-series-k .ct-slice-pie{fill:#eacf7d}.ct-series-l .ct-bar,.ct-series-l .ct-line,.ct-series-l .ct-point,.ct-series-l .ct-slice-donut{stroke:#86797d}.ct-series-l .ct-area,.ct-series-l .ct-slice-pie{fill:#86797d}.ct-series-m .ct-bar,.ct-series-m .ct-line,.ct-series-m .ct-point,.ct-series-m .ct-slice-donut{stroke:#b2c326}.ct-series-m .ct-area,.ct-series-m .ct-slice-pie{fill:#b2c326}.ct-series-n .ct-bar,.ct-series-n .ct-line,.ct-series-n .ct-point,.ct-series-n .ct-slice-donut{stroke:#6188e2}.ct-series-n .ct-area,.ct-series-n .ct-slice-pie{fill:#6188e2}.ct-series-o .ct-bar,.ct-series-o .ct-line,.ct-series-o .ct-point,.ct-series-o .ct-slice-donut{stroke:#a748ca}.ct-series-o .ct-area,.ct-series-o .ct-slice-pie{fill:#a748ca}.ct-square{display:block;position:relative;width:100%}.ct-square:before{content:"";display:block;float:left;height:0;padding-bottom:100%;width:0}.ct-square:after{clear:both;content:"";display:table}.ct-square>svg{display:block;left:0;position:absolute;top:0}.ct-minor-second{display:block;position:relative;width:100%}.ct-minor-second:before{content:"";display:block;float:left;height:0;padding-bottom:93.75%;width:0}.ct-minor-second:after{clear:both;content:"";display:table}.ct-minor-second>svg{display:block;left:0;position:absolute;top:0}.ct-major-second{display:block;position:relative;width:100%}.ct-major-second:before{content:"";display:block;float:left;height:0;padding-bottom:88.8888888889%;width:0}.ct-major-second:after{clear:both;content:"";display:table}.ct-major-second>svg{display:block;left:0;position:absolute;top:0}.ct-minor-third{display:block;position:relative;width:100%}.ct-minor-third:before{content:"";display:block;float:left;height:0;padding-bottom:83.3333333333%;width:0}.ct-minor-third:after{clear:both;content:"";display:table}.ct-minor-third>svg{display:block;left:0;position:absolute;top:0}.ct-major-third{display:block;position:relative;width:100%}.ct-major-third:before{content:"";display:block;float:left;height:0;padding-bottom:80%;width:0}.ct-major-third:after{clear:both;content:"";display:table}.ct-major-third>svg{display:block;left:0;position:absolute;top:0}.ct-perfect-fourth{display:block;position:relative;width:100%}.ct-perfect-fourth:before{content:"";display:block;float:left;height:0;padding-bottom:75%;width:0}.ct-perfect-fourth:after{clear:both;content:"";display:table}.ct-perfect-fourth>svg{display:block;left:0;position:absolute;top:0}.ct-perfect-fifth{display:block;position:relative;width:100%}.ct-perfect-fifth:before{content:"";display:block;float:left;height:0;padding-bottom:66.6666666667%;width:0}.ct-perfect-fifth:after{clear:both;content:"";display:table}.ct-perfect-fifth>svg{display:block;left:0;position:absolute;top:0}.ct-minor-sixth{display:block;position:relative;width:100%}.ct-minor-sixth:before{content:"";display:block;float:left;height:0;padding-bottom:62.5%;width:0}.ct-minor-sixth:after{clear:both;content:"";display:table}.ct-minor-sixth>svg{display:block;left:0;position:absolute;top:0}.ct-golden-section{display:block;position:relative;width:100%}.ct-golden-section:before{content:"";display:block;float:left;height:0;padding-bottom:61.804697157%;width:0}.ct-golden-section:after{clear:both;content:"";display:table}.ct-golden-section>svg{display:block;left:0;position:absolute;top:0}.ct-major-sixth{display:block;position:relative;width:100%}.ct-major-sixth:before{content:"";display:block;float:left;height:0;padding-bottom:60%;width:0}.ct-major-sixth:after{clear:both;content:"";display:table}.ct-major-sixth>svg{display:block;left:0;position:absolute;top:0}.ct-minor-seventh{display:block;position:relative;width:100%}.ct-minor-seventh:before{content:"";display:block;float:left;height:0;padding-bottom:56.25%;width:0}.ct-minor-seventh:after{clear:both;content:"";display:table}.ct-minor-seventh>svg{display:block;left:0;position:absolute;top:0}.ct-major-seventh{display:block;position:relative;width:100%}.ct-major-seventh:before{content:"";display:block;float:left;height:0;padding-bottom:53.3333333333%;width:0}.ct-major-seventh:after{clear:both;content:"";display:table}.ct-major-seventh>svg{display:block;left:0;position:absolute;top:0}.ct-octave{display:block;position:relative;width:100%}.ct-octave:before{content:"";display:block;float:left;height:0;padding-bottom:50%;width:0}.ct-octave:after{clear:both;content:"";display:table}.ct-octave>svg{display:block;left:0;position:absolute;top:0}.ct-major-tenth{display:block;position:relative;width:100%}.ct-major-tenth:before{content:"";display:block;float:left;height:0;padding-bottom:40%;width:0}.ct-major-tenth:after{clear:both;content:"";display:table}.ct-major-tenth>svg{display:block;left:0;position:absolute;top:0}.ct-major-eleventh{display:block;position:relative;width:100%}.ct-major-eleventh:before{content:"";display:block;float:left;height:0;padding-bottom:37.5%;width:0}.ct-major-eleventh:after{clear:both;content:"";display:table}.ct-major-eleventh>svg{display:block;left:0;position:absolute;top:0}.ct-major-twelfth{display:block;position:relative;width:100%}.ct-major-twelfth:before{content:"";display:block;float:left;height:0;padding-bottom:33.3333333333%;width:0}.ct-major-twelfth:after{clear:both;content:"";display:table}.ct-major-twelfth>svg{display:block;left:0;position:absolute;top:0}.ct-double-octave{display:block;position:relative;width:100%}.ct-double-octave:before{content:"";display:block;float:left;height:0;padding-bottom:25%;width:0}.ct-double-octave:after{clear:both;content:"";display:table}.ct-double-octave>svg{display:block;left:0;position:absolute;top:0}',""]);const i=o},53743:(e,t,n)=>{"use strict";n.d(t,{A:()=>i});var r=n(76314),o=n.n(r)()((function(e){return e[1]}));o.push([e.id,".resize-observer[data-v-b329ee4c]{background-color:transparent;border:none;opacity:0}.resize-observer[data-v-b329ee4c],.resize-observer[data-v-b329ee4c] object{display:block;height:100%;left:0;overflow:hidden;pointer-events:none;position:absolute;top:0;width:100%;z-index:-1}.v-popper__popper{left:0;outline:none;top:0;z-index:10000}.v-popper__popper.v-popper__popper--hidden{opacity:0;pointer-events:none;transition:opacity .15s,visibility .15s;visibility:hidden}.v-popper__popper.v-popper__popper--shown{opacity:1;transition:opacity .15s;visibility:visible}.v-popper__popper.v-popper__popper--skip-transition,.v-popper__popper.v-popper__popper--skip-transition>.v-popper__wrapper{transition:none!important}.v-popper__backdrop{display:none;height:100%;left:0;position:absolute;top:0;width:100%}.v-popper__inner{box-sizing:border-box;overflow-y:auto;position:relative}.v-popper__inner>div{max-height:inherit;max-width:inherit;position:relative;z-index:1}.v-popper__arrow-container{height:10px;position:absolute;width:10px}.v-popper__popper--arrow-overflow .v-popper__arrow-container,.v-popper__popper--no-positioning .v-popper__arrow-container{display:none}.v-popper__arrow-inner,.v-popper__arrow-outer{border-style:solid;height:0;left:0;position:absolute;top:0;width:0}.v-popper__arrow-inner{border-width:7px;visibility:hidden}.v-popper__arrow-outer{border-width:6px}.v-popper__popper[data-popper-placement^=bottom] .v-popper__arrow-inner,.v-popper__popper[data-popper-placement^=top] .v-popper__arrow-inner{left:-2px}.v-popper__popper[data-popper-placement^=bottom] .v-popper__arrow-outer,.v-popper__popper[data-popper-placement^=top] .v-popper__arrow-outer{left:-1px}.v-popper__popper[data-popper-placement^=top] .v-popper__arrow-inner,.v-popper__popper[data-popper-placement^=top] .v-popper__arrow-outer{border-bottom-color:transparent!important;border-bottom-width:0;border-left-color:transparent!important;border-right-color:transparent!important}.v-popper__popper[data-popper-placement^=top] .v-popper__arrow-inner{top:-2px}.v-popper__popper[data-popper-placement^=bottom] .v-popper__arrow-container{top:0}.v-popper__popper[data-popper-placement^=bottom] .v-popper__arrow-inner,.v-popper__popper[data-popper-placement^=bottom] .v-popper__arrow-outer{border-left-color:transparent!important;border-right-color:transparent!important;border-top-color:transparent!important;border-top-width:0}.v-popper__popper[data-popper-placement^=bottom] .v-popper__arrow-inner{top:-4px}.v-popper__popper[data-popper-placement^=bottom] .v-popper__arrow-outer{top:-6px}.v-popper__popper[data-popper-placement^=left] .v-popper__arrow-inner,.v-popper__popper[data-popper-placement^=right] .v-popper__arrow-inner{top:-2px}.v-popper__popper[data-popper-placement^=left] .v-popper__arrow-outer,.v-popper__popper[data-popper-placement^=right] .v-popper__arrow-outer{top:-1px}.v-popper__popper[data-popper-placement^=right] .v-popper__arrow-inner,.v-popper__popper[data-popper-placement^=right] .v-popper__arrow-outer{border-bottom-color:transparent!important;border-left-color:transparent!important;border-left-width:0;border-top-color:transparent!important}.v-popper__popper[data-popper-placement^=right] .v-popper__arrow-inner{left:-4px}.v-popper__popper[data-popper-placement^=right] .v-popper__arrow-outer{left:-6px}.v-popper__popper[data-popper-placement^=left] .v-popper__arrow-container{right:-10px}.v-popper__popper[data-popper-placement^=left] .v-popper__arrow-inner,.v-popper__popper[data-popper-placement^=left] .v-popper__arrow-outer{border-bottom-color:transparent!important;border-right-color:transparent!important;border-right-width:0;border-top-color:transparent!important}.v-popper__popper[data-popper-placement^=left] .v-popper__arrow-inner{left:-2px}.v-popper--theme-tooltip .v-popper__inner{background:rgba(0,0,0,.8);border-radius:6px;color:#fff;padding:7px 12px 6px}.v-popper--theme-tooltip .v-popper__arrow-outer{border-color:#000c}.v-popper--theme-dropdown .v-popper__inner{background:#fff;border:1px solid #ddd;border-radius:6px;box-shadow:0 6px 30px #0000001a;color:#000}.v-popper--theme-dropdown .v-popper__arrow-inner{border-color:#fff;visibility:visible}.v-popper--theme-dropdown .v-popper__arrow-outer{border-color:#ddd}",""]);const i=o},80859:(e,t,n)=>{"use strict";n.d(t,{A:()=>i});var r=n(76314),o=n.n(r)()((function(e){return e[1]}));o.push([e.id,"trix-editor{border:1px solid #bbb;border-radius:3px;margin:0;min-height:5em;outline:none;padding:.4em .6em}trix-toolbar *{box-sizing:border-box}trix-toolbar .trix-button-row{display:flex;flex-wrap:nowrap;justify-content:space-between;overflow-x:auto}trix-toolbar .trix-button-group{border-color:#ccc #bbb #888;border-radius:3px;border-style:solid;border-width:1px;display:flex;margin-bottom:10px}trix-toolbar .trix-button-group:not(:first-child){margin-left:1.5vw}@media (max-width:768px){trix-toolbar .trix-button-group:not(:first-child){margin-left:0}}trix-toolbar .trix-button-group-spacer{flex-grow:1}@media (max-width:768px){trix-toolbar .trix-button-group-spacer{display:none}}trix-toolbar .trix-button{background:transparent;border:none;border-bottom:1px solid #ddd;border-radius:0;color:rgba(0,0,0,.6);float:left;font-size:.75em;font-weight:600;margin:0;outline:none;padding:0 .5em;position:relative;white-space:nowrap}trix-toolbar .trix-button:not(:first-child){border-left:1px solid #ccc}trix-toolbar .trix-button.trix-active{background:#cbeefa;color:#000}trix-toolbar .trix-button:not(:disabled){cursor:pointer}trix-toolbar .trix-button:disabled{color:rgba(0,0,0,.125)}@media (max-width:768px){trix-toolbar .trix-button{letter-spacing:-.01em;padding:0 .3em}}trix-toolbar .trix-button--icon{font-size:inherit;height:1.6em;max-width:calc(.8em + 4vw);text-indent:-9999px;width:2.6em}@media (max-width:768px){trix-toolbar .trix-button--icon{height:2em;max-width:calc(.8em + 3.5vw)}}trix-toolbar .trix-button--icon:before{background-position:50%;background-repeat:no-repeat;background-size:contain;bottom:0;content:\"\";display:inline-block;left:0;opacity:.6;position:absolute;right:0;top:0}@media (max-width:768px){trix-toolbar .trix-button--icon:before{left:6%;right:6%}}trix-toolbar .trix-button--icon.trix-active:before{opacity:1}trix-toolbar .trix-button--icon:disabled:before{opacity:.125}trix-toolbar .trix-button--icon-attach:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath d='M10.5 18V7.5c0-2.25 3-2.25 3 0V18c0 4.125-6 4.125-6 0V7.5c0-6.375 9-6.375 9 0V18' stroke='%23000' stroke-width='2' stroke-miterlimit='10' stroke-linecap='round' stroke-linejoin='round'/%3E%3C/svg%3E\");bottom:4%;top:8%}trix-toolbar .trix-button--icon-bold:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M6.522 19.242a.5.5 0 0 1-.5-.5V5.35a.5.5 0 0 1 .5-.5h5.783c1.347 0 2.46.345 3.24.982.783.64 1.216 1.562 1.216 2.683 0 1.13-.587 2.129-1.476 2.71a.35.35 0 0 0 .049.613c1.259.56 2.101 1.742 2.101 3.22 0 1.282-.483 2.334-1.363 3.063-.876.726-2.132 1.12-3.66 1.12h-5.89ZM9.27 7.347v3.362h1.97c.766 0 1.347-.17 1.733-.464.38-.291.587-.716.587-1.27 0-.53-.183-.928-.513-1.198-.334-.273-.838-.43-1.505-.43H9.27Zm0 5.606v3.791h2.389c.832 0 1.448-.177 1.853-.497.399-.315.614-.786.614-1.423 0-.62-.22-1.077-.63-1.385-.418-.313-1.053-.486-1.905-.486H9.27Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-italic:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M9 5h6.5v2h-2.23l-2.31 10H13v2H6v-2h2.461l2.306-10H9V5Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-link:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M18.948 5.258a4.337 4.337 0 0 0-6.108 0L11.217 6.87a.993.993 0 0 0 0 1.41c.392.39 1.027.39 1.418 0l1.623-1.613a2.323 2.323 0 0 1 3.271 0 2.29 2.29 0 0 1 0 3.251l-2.393 2.38a3.021 3.021 0 0 1-4.255 0l-.05-.049a1.007 1.007 0 0 0-1.418 0 .993.993 0 0 0 0 1.41l.05.049a5.036 5.036 0 0 0 7.091 0l2.394-2.38a4.275 4.275 0 0 0 0-6.072Zm-13.683 13.6a4.337 4.337 0 0 0 6.108 0l1.262-1.255a.993.993 0 0 0 0-1.41 1.007 1.007 0 0 0-1.418 0L9.954 17.45a2.323 2.323 0 0 1-3.27 0 2.29 2.29 0 0 1 0-3.251l2.344-2.331a2.579 2.579 0 0 1 3.631 0c.392.39 1.027.39 1.419 0a.993.993 0 0 0 0-1.41 4.593 4.593 0 0 0-6.468 0l-2.345 2.33a4.275 4.275 0 0 0 0 6.072Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-strike:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M6 14.986c.088 2.647 2.246 4.258 5.635 4.258 3.496 0 5.713-1.728 5.713-4.463 0-.275-.02-.536-.062-.781h-3.461c.398.293.573.654.573 1.123 0 1.035-1.074 1.787-2.646 1.787-1.563 0-2.773-.762-2.91-1.924H6ZM6.432 10h3.763c-.632-.314-.914-.715-.914-1.273 0-1.045.977-1.739 2.432-1.739 1.475 0 2.52.723 2.617 1.914h2.764c-.05-2.548-2.11-4.238-5.39-4.238-3.145 0-5.392 1.719-5.392 4.316 0 .363.04.703.12 1.02ZM4 11a1 1 0 1 0 0 2h15a1 1 0 1 0 0-2H4Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-quote:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath d='M4.581 8.471c.44-.5 1.056-.834 1.758-.995C8.074 7.17 9.201 7.822 10 8.752c1.354 1.578 1.33 3.555.394 5.277-.941 1.731-2.788 3.163-4.988 3.56a.622.622 0 0 1-.653-.317c-.113-.205-.121-.49.16-.764.294-.286.567-.566.791-.835.222-.266.413-.54.524-.815.113-.28.156-.597.026-.908-.128-.303-.39-.524-.72-.69a3.02 3.02 0 0 1-1.674-2.7c0-.905.283-1.59.72-2.088Zm9.419 0c.44-.5 1.055-.834 1.758-.995 1.734-.306 2.862.346 3.66 1.276 1.355 1.578 1.33 3.555.395 5.277-.941 1.731-2.789 3.163-4.988 3.56a.622.622 0 0 1-.653-.317c-.113-.205-.122-.49.16-.764.294-.286.567-.566.791-.835.222-.266.412-.54.523-.815.114-.28.157-.597.026-.908-.127-.303-.39-.524-.72-.69a3.02 3.02 0 0 1-1.672-2.701c0-.905.283-1.59.72-2.088Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-heading-1:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M21.5 7.5v-3h-12v3H14v13h3v-13h4.5ZM9 13.5h3.5v-3h-10v3H6v7h3v-7Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-code:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M3.293 11.293a1 1 0 0 0 0 1.414l4 4a1 1 0 1 0 1.414-1.414L5.414 12l3.293-3.293a1 1 0 0 0-1.414-1.414l-4 4Zm13.414 5.414 4-4a1 1 0 0 0 0-1.414l-4-4a1 1 0 1 0-1.414 1.414L18.586 12l-3.293 3.293a1 1 0 0 0 1.414 1.414Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-bullet-list:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M5 7.5a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3ZM8 6a1 1 0 0 1 1-1h11a1 1 0 1 1 0 2H9a1 1 0 0 1-1-1Zm1 5a1 1 0 1 0 0 2h11a1 1 0 1 0 0-2H9Zm0 6a1 1 0 1 0 0 2h11a1 1 0 1 0 0-2H9Zm-2.5-5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0ZM5 19.5a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-number-list:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M3 4h2v4H4V5H3V4Zm5 2a1 1 0 0 1 1-1h11a1 1 0 1 1 0 2H9a1 1 0 0 1-1-1Zm1 5a1 1 0 1 0 0 2h11a1 1 0 1 0 0-2H9Zm0 6a1 1 0 1 0 0 2h11a1 1 0 1 0 0-2H9Zm-3.5-7H6v1l-1.5 2H6v1H3v-1l1.667-2H3v-1h2.5ZM3 17v-1h3v4H3v-1h2v-.5H4v-1h1V17H3Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-undo:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M3 14a1 1 0 0 0 1 1h6a1 1 0 1 0 0-2H6.257c2.247-2.764 5.151-3.668 7.579-3.264 2.589.432 4.739 2.356 5.174 5.405a1 1 0 0 0 1.98-.283c-.564-3.95-3.415-6.526-6.825-7.095C11.084 7.25 7.63 8.377 5 11.39V8a1 1 0 0 0-2 0v6Zm2-1Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-redo:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M21 14a1 1 0 0 1-1 1h-6a1 1 0 1 1 0-2h3.743c-2.247-2.764-5.151-3.668-7.579-3.264-2.589.432-4.739 2.356-5.174 5.405a1 1 0 0 1-1.98-.283c.564-3.95 3.415-6.526 6.826-7.095 3.08-.513 6.534.614 9.164 3.626V8a1 1 0 1 1 2 0v6Zm-2-1Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-decrease-nesting-level:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M5 6a1 1 0 0 1 1-1h12a1 1 0 1 1 0 2H6a1 1 0 0 1-1-1Zm4 5a1 1 0 1 0 0 2h9a1 1 0 1 0 0-2H9Zm-3 6a1 1 0 1 0 0 2h12a1 1 0 1 0 0-2H6Zm-3.707-5.707a1 1 0 0 0 0 1.414l2 2a1 1 0 1 0 1.414-1.414L4.414 12l1.293-1.293a1 1 0 0 0-1.414-1.414l-2 2Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-increase-nesting-level:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M5 6a1 1 0 0 1 1-1h12a1 1 0 1 1 0 2H6a1 1 0 0 1-1-1Zm4 5a1 1 0 1 0 0 2h9a1 1 0 1 0 0-2H9Zm-3 6a1 1 0 1 0 0 2h12a1 1 0 1 0 0-2H6Zm-2.293-2.293 2-2a1 1 0 0 0 0-1.414l-2-2a1 1 0 1 0-1.414 1.414L3.586 12l-1.293 1.293a1 1 0 1 0 1.414 1.414Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-dialogs{position:relative}trix-toolbar .trix-dialog{background:#fff;border-radius:5px;border-top:2px solid #888;box-shadow:0 .3em 1em #ccc;font-size:.75em;left:0;padding:15px 10px;position:absolute;right:0;top:0;z-index:5}trix-toolbar .trix-input--dialog{-webkit-appearance:none;-moz-appearance:none;background-color:#fff;border:1px solid #bbb;border-radius:3px;box-shadow:none;font-size:inherit;font-weight:400;margin:0 10px 0 0;outline:none;padding:.5em .8em}trix-toolbar .trix-input--dialog.validate:invalid{box-shadow:0 0 1.5px 1px red}trix-toolbar .trix-button--dialog{border-bottom:none;font-size:inherit;padding:.5em}trix-toolbar .trix-dialog--link{max-width:600px}trix-toolbar .trix-dialog__link-fields{align-items:baseline;display:flex}trix-toolbar .trix-dialog__link-fields .trix-input{flex:1}trix-toolbar .trix-dialog__link-fields .trix-button-group{flex:0 0 content;margin:0}trix-editor [data-trix-mutable]:not(.attachment__caption-editor){-webkit-user-select:none;-moz-user-select:none;user-select:none}trix-editor [data-trix-cursor-target]::-moz-selection,trix-editor [data-trix-mutable] ::-moz-selection,trix-editor [data-trix-mutable]::-moz-selection{background:none}trix-editor [data-trix-cursor-target]::selection,trix-editor [data-trix-mutable] ::selection,trix-editor [data-trix-mutable]::selection{background:none}trix-editor .attachment__caption-editor:focus[data-trix-mutable]::-moz-selection{background:highlight}trix-editor .attachment__caption-editor:focus[data-trix-mutable]::selection{background:highlight}trix-editor [data-trix-mutable].attachment.attachment--file{border-color:transparent;box-shadow:0 0 0 2px highlight}trix-editor [data-trix-mutable].attachment img{box-shadow:0 0 0 2px highlight}trix-editor .attachment{position:relative}trix-editor .attachment:hover{cursor:default}trix-editor .attachment--preview .attachment__caption:hover{cursor:text}trix-editor .attachment__progress{height:20px;left:5%;opacity:.9;position:absolute;top:calc(50% - 10px);transition:opacity .2s ease-in;width:90%;z-index:1}trix-editor .attachment__progress[value=\"100\"]{opacity:0}trix-editor .attachment__caption-editor{-webkit-appearance:none;-moz-appearance:none;border:none;color:inherit;display:inline-block;font-family:inherit;font-size:inherit;line-height:inherit;margin:0;outline:none;padding:0;text-align:center;vertical-align:top;width:100%}trix-editor .attachment__toolbar{left:0;position:absolute;text-align:center;top:-.9em;width:100%;z-index:1}trix-editor .trix-button-group{display:inline-flex}trix-editor .trix-button{background:transparent;border:none;border-radius:0;color:#666;float:left;font-size:80%;margin:0;outline:none;padding:0 .8em;position:relative;white-space:nowrap}trix-editor .trix-button:not(:first-child){border-left:1px solid #ccc}trix-editor .trix-button.trix-active{background:#cbeefa}trix-editor .trix-button:not(:disabled){cursor:pointer}trix-editor .trix-button--remove{background-color:#fff;border:2px solid highlight;border-radius:50%;box-shadow:1px 1px 6px rgba(0,0,0,.25);display:inline-block;height:1.8em;line-height:1.8em;outline:none;padding:0;text-indent:-9999px;width:1.8em}trix-editor .trix-button--remove:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg height='24' width='24' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath d='M19 6.41 17.59 5 12 10.59 6.41 5 5 6.41 10.59 12 5 17.59 6.41 19 12 13.41 17.59 19 19 17.59 13.41 12z'/%3E%3Cpath d='M0 0h24v24H0z' fill='none'/%3E%3C/svg%3E\");background-position:50%;background-repeat:no-repeat;background-size:90%;bottom:0;content:\"\";display:inline-block;left:0;opacity:.7;position:absolute;right:0;top:0}trix-editor .trix-button--remove:hover{border-color:#333}trix-editor .trix-button--remove:hover:before{opacity:1}trix-editor .attachment__metadata-container{position:relative}trix-editor .attachment__metadata{background-color:rgba(0,0,0,.7);border-radius:3px;color:#fff;font-size:.8em;left:50%;max-width:90%;padding:.1em .6em;position:absolute;top:2em;transform:translate(-50%)}trix-editor .attachment__metadata .attachment__name{display:inline-block;max-width:100%;overflow:hidden;text-overflow:ellipsis;vertical-align:bottom;white-space:nowrap}trix-editor .attachment__metadata .attachment__size{margin-left:.2em;white-space:nowrap}.trix-content{line-height:1.5;overflow-wrap:break-word;word-break:break-word}.trix-content *{box-sizing:border-box;margin:0;padding:0}.trix-content h1{font-size:1.2em;line-height:1.2}.trix-content blockquote{border:solid #ccc;border-width:0 0 0 .3em;margin-left:.3em;padding-left:.6em}.trix-content [dir=rtl] blockquote,.trix-content blockquote[dir=rtl]{border-width:0 .3em 0 0;margin-right:.3em;padding-right:.6em}.trix-content li{margin-left:1em}.trix-content [dir=rtl] li{margin-right:1em}.trix-content pre{background-color:#eee;display:inline-block;font-family:monospace;font-size:.9em;overflow-x:auto;padding:.5em;vertical-align:top;white-space:pre;width:100%}.trix-content img{height:auto;max-width:100%}.trix-content .attachment{display:inline-block;max-width:100%;position:relative}.trix-content .attachment a{color:inherit;text-decoration:none}.trix-content .attachment a:hover,.trix-content .attachment a:visited:hover{color:inherit}.trix-content .attachment__caption{text-align:center}.trix-content .attachment__caption .attachment__name+.attachment__size:before{content:\" \\2022 \"}.trix-content .attachment--preview{text-align:center;width:100%}.trix-content .attachment--preview .attachment__caption{color:#666;font-size:.9em;line-height:1.2}.trix-content .attachment--file{border:1px solid #bbb;border-radius:5px;color:#333;line-height:1;margin:0 2px 2px;padding:.4em 1em}.trix-content .attachment-gallery{display:flex;flex-wrap:wrap;position:relative}.trix-content .attachment-gallery .attachment{flex:1 0 33%;max-width:33%;padding:0 .5em}.trix-content .attachment-gallery.attachment-gallery--2 .attachment,.trix-content .attachment-gallery.attachment-gallery--4 .attachment{flex-basis:50%;max-width:50%}",""]);const i=o},76314:e=>{"use strict";e.exports=function(e){var t=[];return t.toString=function(){return this.map((function(t){var n=e(t);return t[2]?"@media ".concat(t[2]," {").concat(n,"}"):n})).join("")},t.i=function(e,n,r){"string"==typeof e&&(e=[[null,e,""]]);var o={};if(r)for(var i=0;i<this.length;i++){var a=this[i][0];null!=a&&(o[a]=!0)}for(var l=0;l<e.length;l++){var s=[].concat(e[l]);r&&o[s[0]]||(n&&(s[2]?s[2]="".concat(n," and ").concat(s[2]):s[2]=n),t.push(s))}},t}},14744:e=>{"use strict";var t=function(e){return function(e){return!!e&&"object"==typeof e}(e)&&!function(e){var t=Object.prototype.toString.call(e);return"[object RegExp]"===t||"[object Date]"===t||function(e){return e.$$typeof===n}(e)}(e)};var n="function"==typeof Symbol&&Symbol.for?Symbol.for("react.element"):60103;function r(e,t){return!1!==t.clone&&t.isMergeableObject(e)?s((n=e,Array.isArray(n)?[]:{}),e,t):e;var n}function o(e,t,n){return e.concat(t).map((function(e){return r(e,n)}))}function i(e){return Object.keys(e).concat(function(e){return Object.getOwnPropertySymbols?Object.getOwnPropertySymbols(e).filter((function(t){return Object.propertyIsEnumerable.call(e,t)})):[]}(e))}function a(e,t){try{return t in e}catch(e){return!1}}function l(e,t,n){var o={};return n.isMergeableObject(e)&&i(e).forEach((function(t){o[t]=r(e[t],n)})),i(t).forEach((function(i){(function(e,t){return a(e,t)&&!(Object.hasOwnProperty.call(e,t)&&Object.propertyIsEnumerable.call(e,t))})(e,i)||(a(e,i)&&n.isMergeableObject(t[i])?o[i]=function(e,t){if(!t.customMerge)return s;var n=t.customMerge(e);return"function"==typeof n?n:s}(i,n)(e[i],t[i],n):o[i]=r(t[i],n))})),o}function s(e,n,i){(i=i||{}).arrayMerge=i.arrayMerge||o,i.isMergeableObject=i.isMergeableObject||t,i.cloneUnlessOtherwiseSpecified=r;var a=Array.isArray(n);return a===Array.isArray(e)?a?i.arrayMerge(e,n,i):l(e,n,i):r(n,i)}s.all=function(e,t){if(!Array.isArray(e))throw new Error("first argument should be an array");return e.reduce((function(e,n){return s(e,n,t)}),{})};var c=s;e.exports=c},30041:(e,t,n)=>{"use strict";var r=n(30655),o=n(58068),i=n(69675),a=n(75795);e.exports=function(e,t,n){if(!e||"object"!=typeof e&&"function"!=typeof e)throw new i("`obj` must be an object or a function`");if("string"!=typeof t&&"symbol"!=typeof t)throw new i("`property` must be a string or a symbol`");if(arguments.length>3&&"boolean"!=typeof arguments[3]&&null!==arguments[3])throw new i("`nonEnumerable`, if provided, must be a boolean or null");if(arguments.length>4&&"boolean"!=typeof arguments[4]&&null!==arguments[4])throw new i("`nonWritable`, if provided, must be a boolean or null");if(arguments.length>5&&"boolean"!=typeof arguments[5]&&null!==arguments[5])throw new i("`nonConfigurable`, if provided, must be a boolean or null");if(arguments.length>6&&"boolean"!=typeof arguments[6])throw new i("`loose`, if provided, must be a boolean");var l=arguments.length>3?arguments[3]:null,s=arguments.length>4?arguments[4]:null,c=arguments.length>5?arguments[5]:null,u=arguments.length>6&&arguments[6],d=!!a&&a(e,t);if(r)r(e,t,{configurable:null===c&&d?d.configurable:!c,enumerable:null===l&&d?d.enumerable:!l,value:n,writable:null===s&&d?d.writable:!s});else{if(!u&&(l||s||c))throw new o("This environment does not support defining a property as non-configurable, non-writable, or non-enumerable.");e[t]=n}}},30655:(e,t,n)=>{"use strict";var r=n(70453)("%Object.defineProperty%",!0)||!1;if(r)try{r({},"a",{value:1})}catch(e){r=!1}e.exports=r},41237:e=>{"use strict";e.exports=EvalError},69383:e=>{"use strict";e.exports=Error},79290:e=>{"use strict";e.exports=RangeError},79538:e=>{"use strict";e.exports=ReferenceError},58068:e=>{"use strict";e.exports=SyntaxError},69675:e=>{"use strict";e.exports=TypeError},35345:e=>{"use strict";e.exports=URIError},9491:e=>{"use strict";function t(e,t){if(null==e)throw new TypeError("Cannot convert first argument to object");for(var n=Object(e),r=1;r<arguments.length;r++){var o=arguments[r];if(null!=o)for(var i=Object.keys(Object(o)),a=0,l=i.length;a<l;a++){var s=i[a],c=Object.getOwnPropertyDescriptor(o,s);void 0!==c&&c.enumerable&&(n[s]=o[s])}}return n}e.exports={assign:t,polyfill:function(){Object.assign||Object.defineProperty(Object,"assign",{enumerable:!1,configurable:!0,writable:!0,value:t})}}},89353:e=>{"use strict";var t=Object.prototype.toString,n=Math.max,r=function(e,t){for(var n=[],r=0;r<e.length;r+=1)n[r]=e[r];for(var o=0;o<t.length;o+=1)n[o+e.length]=t[o];return n};e.exports=function(e){var o=this;if("function"!=typeof o||"[object Function]"!==t.apply(o))throw new TypeError("Function.prototype.bind called on incompatible "+o);for(var i,a=function(e,t){for(var n=[],r=t||0,o=0;r<e.length;r+=1,o+=1)n[o]=e[r];return n}(arguments,1),l=n(0,o.length-a.length),s=[],c=0;c<l;c++)s[c]="$"+c;if(i=Function("binder","return function ("+function(e,t){for(var n="",r=0;r<e.length;r+=1)n+=e[r],r+1<e.length&&(n+=t);return n}(s,",")+"){ return binder.apply(this,arguments); }")((function(){if(this instanceof i){var t=o.apply(this,r(a,arguments));return Object(t)===t?t:this}return o.apply(e,r(a,arguments))})),o.prototype){var u=function(){};u.prototype=o.prototype,i.prototype=new u,u.prototype=null}return i}},66743:(e,t,n)=>{"use strict";var r=n(89353);e.exports=Function.prototype.bind||r},70453:(e,t,n)=>{"use strict";var r,o=n(69383),i=n(41237),a=n(79290),l=n(79538),s=n(58068),c=n(69675),u=n(35345),d=Function,h=function(e){try{return d('"use strict"; return ('+e+").constructor;")()}catch(e){}},p=Object.getOwnPropertyDescriptor;if(p)try{p({},"")}catch(e){p=null}var f=function(){throw new c},m=p?function(){try{return f}catch(e){try{return p(arguments,"callee").get}catch(e){return f}}}():f,v=n(64039)(),g=n(80024)(),w=Object.getPrototypeOf||(g?function(e){return e.__proto__}:null),y={},b="undefined"!=typeof Uint8Array&&w?w(Uint8Array):r,x={__proto__:null,"%AggregateError%":"undefined"==typeof AggregateError?r:AggregateError,"%Array%":Array,"%ArrayBuffer%":"undefined"==typeof ArrayBuffer?r:ArrayBuffer,"%ArrayIteratorPrototype%":v&&w?w([][Symbol.iterator]()):r,"%AsyncFromSyncIteratorPrototype%":r,"%AsyncFunction%":y,"%AsyncGenerator%":y,"%AsyncGeneratorFunction%":y,"%AsyncIteratorPrototype%":y,"%Atomics%":"undefined"==typeof Atomics?r:Atomics,"%BigInt%":"undefined"==typeof BigInt?r:BigInt,"%BigInt64Array%":"undefined"==typeof BigInt64Array?r:BigInt64Array,"%BigUint64Array%":"undefined"==typeof BigUint64Array?r:BigUint64Array,"%Boolean%":Boolean,"%DataView%":"undefined"==typeof DataView?r:DataView,"%Date%":Date,"%decodeURI%":decodeURI,"%decodeURIComponent%":decodeURIComponent,"%encodeURI%":encodeURI,"%encodeURIComponent%":encodeURIComponent,"%Error%":o,"%eval%":eval,"%EvalError%":i,"%Float32Array%":"undefined"==typeof Float32Array?r:Float32Array,"%Float64Array%":"undefined"==typeof Float64Array?r:Float64Array,"%FinalizationRegistry%":"undefined"==typeof FinalizationRegistry?r:FinalizationRegistry,"%Function%":d,"%GeneratorFunction%":y,"%Int8Array%":"undefined"==typeof Int8Array?r:Int8Array,"%Int16Array%":"undefined"==typeof Int16Array?r:Int16Array,"%Int32Array%":"undefined"==typeof Int32Array?r:Int32Array,"%isFinite%":isFinite,"%isNaN%":isNaN,"%IteratorPrototype%":v&&w?w(w([][Symbol.iterator]())):r,"%JSON%":"object"==typeof JSON?JSON:r,"%Map%":"undefined"==typeof Map?r:Map,"%MapIteratorPrototype%":"undefined"!=typeof Map&&v&&w?w((new Map)[Symbol.iterator]()):r,"%Math%":Math,"%Number%":Number,"%Object%":Object,"%parseFloat%":parseFloat,"%parseInt%":parseInt,"%Promise%":"undefined"==typeof Promise?r:Promise,"%Proxy%":"undefined"==typeof Proxy?r:Proxy,"%RangeError%":a,"%ReferenceError%":l,"%Reflect%":"undefined"==typeof Reflect?r:Reflect,"%RegExp%":RegExp,"%Set%":"undefined"==typeof Set?r:Set,"%SetIteratorPrototype%":"undefined"!=typeof Set&&v&&w?w((new Set)[Symbol.iterator]()):r,"%SharedArrayBuffer%":"undefined"==typeof SharedArrayBuffer?r:SharedArrayBuffer,"%String%":String,"%StringIteratorPrototype%":v&&w?w(""[Symbol.iterator]()):r,"%Symbol%":v?Symbol:r,"%SyntaxError%":s,"%ThrowTypeError%":m,"%TypedArray%":b,"%TypeError%":c,"%Uint8Array%":"undefined"==typeof Uint8Array?r:Uint8Array,"%Uint8ClampedArray%":"undefined"==typeof Uint8ClampedArray?r:Uint8ClampedArray,"%Uint16Array%":"undefined"==typeof Uint16Array?r:Uint16Array,"%Uint32Array%":"undefined"==typeof Uint32Array?r:Uint32Array,"%URIError%":u,"%WeakMap%":"undefined"==typeof WeakMap?r:WeakMap,"%WeakRef%":"undefined"==typeof WeakRef?r:WeakRef,"%WeakSet%":"undefined"==typeof WeakSet?r:WeakSet};if(w)try{null.error}catch(e){var k=w(w(e));x["%Error.prototype%"]=k}var E=function e(t){var n;if("%AsyncFunction%"===t)n=h("async function () {}");else if("%GeneratorFunction%"===t)n=h("function* () {}");else if("%AsyncGeneratorFunction%"===t)n=h("async function* () {}");else if("%AsyncGenerator%"===t){var r=e("%AsyncGeneratorFunction%");r&&(n=r.prototype)}else if("%AsyncIteratorPrototype%"===t){var o=e("%AsyncGenerator%");o&&w&&(n=w(o.prototype))}return x[t]=n,n},A={__proto__:null,"%ArrayBufferPrototype%":["ArrayBuffer","prototype"],"%ArrayPrototype%":["Array","prototype"],"%ArrayProto_entries%":["Array","prototype","entries"],"%ArrayProto_forEach%":["Array","prototype","forEach"],"%ArrayProto_keys%":["Array","prototype","keys"],"%ArrayProto_values%":["Array","prototype","values"],"%AsyncFunctionPrototype%":["AsyncFunction","prototype"],"%AsyncGenerator%":["AsyncGeneratorFunction","prototype"],"%AsyncGeneratorPrototype%":["AsyncGeneratorFunction","prototype","prototype"],"%BooleanPrototype%":["Boolean","prototype"],"%DataViewPrototype%":["DataView","prototype"],"%DatePrototype%":["Date","prototype"],"%ErrorPrototype%":["Error","prototype"],"%EvalErrorPrototype%":["EvalError","prototype"],"%Float32ArrayPrototype%":["Float32Array","prototype"],"%Float64ArrayPrototype%":["Float64Array","prototype"],"%FunctionPrototype%":["Function","prototype"],"%Generator%":["GeneratorFunction","prototype"],"%GeneratorPrototype%":["GeneratorFunction","prototype","prototype"],"%Int8ArrayPrototype%":["Int8Array","prototype"],"%Int16ArrayPrototype%":["Int16Array","prototype"],"%Int32ArrayPrototype%":["Int32Array","prototype"],"%JSONParse%":["JSON","parse"],"%JSONStringify%":["JSON","stringify"],"%MapPrototype%":["Map","prototype"],"%NumberPrototype%":["Number","prototype"],"%ObjectPrototype%":["Object","prototype"],"%ObjProto_toString%":["Object","prototype","toString"],"%ObjProto_valueOf%":["Object","prototype","valueOf"],"%PromisePrototype%":["Promise","prototype"],"%PromiseProto_then%":["Promise","prototype","then"],"%Promise_all%":["Promise","all"],"%Promise_reject%":["Promise","reject"],"%Promise_resolve%":["Promise","resolve"],"%RangeErrorPrototype%":["RangeError","prototype"],"%ReferenceErrorPrototype%":["ReferenceError","prototype"],"%RegExpPrototype%":["RegExp","prototype"],"%SetPrototype%":["Set","prototype"],"%SharedArrayBufferPrototype%":["SharedArrayBuffer","prototype"],"%StringPrototype%":["String","prototype"],"%SymbolPrototype%":["Symbol","prototype"],"%SyntaxErrorPrototype%":["SyntaxError","prototype"],"%TypedArrayPrototype%":["TypedArray","prototype"],"%TypeErrorPrototype%":["TypeError","prototype"],"%Uint8ArrayPrototype%":["Uint8Array","prototype"],"%Uint8ClampedArrayPrototype%":["Uint8ClampedArray","prototype"],"%Uint16ArrayPrototype%":["Uint16Array","prototype"],"%Uint32ArrayPrototype%":["Uint32Array","prototype"],"%URIErrorPrototype%":["URIError","prototype"],"%WeakMapPrototype%":["WeakMap","prototype"],"%WeakSetPrototype%":["WeakSet","prototype"]},C=n(66743),B=n(9957),M=C.call(Function.call,Array.prototype.concat),_=C.call(Function.apply,Array.prototype.splice),S=C.call(Function.call,String.prototype.replace),N=C.call(Function.call,String.prototype.slice),V=C.call(Function.call,RegExp.prototype.exec),L=/[^%.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|%$))/g,T=/\\(\\)?/g,I=function(e,t){var n,r=e;if(B(A,r)&&(r="%"+(n=A[r])[0]+"%"),B(x,r)){var o=x[r];if(o===y&&(o=E(r)),void 0===o&&!t)throw new c("intrinsic "+e+" exists, but is not available. Please file an issue!");return{alias:n,name:r,value:o}}throw new s("intrinsic "+e+" does not exist!")};e.exports=function(e,t){if("string"!=typeof e||0===e.length)throw new c("intrinsic name must be a non-empty string");if(arguments.length>1&&"boolean"!=typeof t)throw new c('"allowMissing" argument must be a boolean');if(null===V(/^%?[^%]*%?$/,e))throw new s("`%` may not be present anywhere but at the beginning and end of the intrinsic name");var n=function(e){var t=N(e,0,1),n=N(e,-1);if("%"===t&&"%"!==n)throw new s("invalid intrinsic syntax, expected closing `%`");if("%"===n&&"%"!==t)throw new s("invalid intrinsic syntax, expected opening `%`");var r=[];return S(e,L,(function(e,t,n,o){r[r.length]=n?S(o,T,"$1"):t||e})),r}(e),r=n.length>0?n[0]:"",o=I("%"+r+"%",t),i=o.name,a=o.value,l=!1,u=o.alias;u&&(r=u[0],_(n,M([0,1],u)));for(var d=1,h=!0;d<n.length;d+=1){var f=n[d],m=N(f,0,1),v=N(f,-1);if(('"'===m||"'"===m||"`"===m||'"'===v||"'"===v||"`"===v)&&m!==v)throw new s("property names with quotes must have matching quotes");if("constructor"!==f&&h||(l=!0),B(x,i="%"+(r+="."+f)+"%"))a=x[i];else if(null!=a){if(!(f in a)){if(!t)throw new c("base intrinsic for "+e+" exists, but the property is not available.");return}if(p&&d+1>=n.length){var g=p(a,f);a=(h=!!g)&&"get"in g&&!("originalValue"in g.get)?g.get:a[f]}else h=B(a,f),a=a[f];h&&!l&&(x[i]=a)}}return a}},75795:(e,t,n)=>{"use strict";var r=n(70453)("%Object.getOwnPropertyDescriptor%",!0);if(r)try{r([],"length")}catch(e){r=null}e.exports=r},47168:(e,t,n)=>{var r;!function(o,i,a,l){"use strict";var s,c=["","webkit","Moz","MS","ms","o"],u=i.createElement("div"),d=Math.round,h=Math.abs,p=Date.now;function f(e,t,n){return setTimeout(x(e,n),t)}function m(e,t,n){return!!Array.isArray(e)&&(v(e,n[t],n),!0)}function v(e,t,n){var r;if(e)if(e.forEach)e.forEach(t,n);else if(e.length!==l)for(r=0;r<e.length;)t.call(n,e[r],r,e),r++;else for(r in e)e.hasOwnProperty(r)&&t.call(n,e[r],r,e)}function g(e,t,n){var r="DEPRECATED METHOD: "+t+"\n"+n+" AT \n";return function(){var t=new Error("get-stack-trace"),n=t&&t.stack?t.stack.replace(/^[^\(]+?[\n$]/gm,"").replace(/^\s+at\s+/gm,"").replace(/^Object.<anonymous>\s*\(/gm,"{anonymous}()@"):"Unknown Stack Trace",i=o.console&&(o.console.warn||o.console.log);return i&&i.call(o.console,r,n),e.apply(this,arguments)}}s="function"!=typeof Object.assign?function(e){if(e===l||null===e)throw new TypeError("Cannot convert undefined or null to object");for(var t=Object(e),n=1;n<arguments.length;n++){var r=arguments[n];if(r!==l&&null!==r)for(var o in r)r.hasOwnProperty(o)&&(t[o]=r[o])}return t}:Object.assign;var w=g((function(e,t,n){for(var r=Object.keys(t),o=0;o<r.length;)(!n||n&&e[r[o]]===l)&&(e[r[o]]=t[r[o]]),o++;return e}),"extend","Use `assign`."),y=g((function(e,t){return w(e,t,!0)}),"merge","Use `assign`.");function b(e,t,n){var r,o=t.prototype;(r=e.prototype=Object.create(o)).constructor=e,r._super=o,n&&s(r,n)}function x(e,t){return function(){return e.apply(t,arguments)}}function k(e,t){return"function"==typeof e?e.apply(t&&t[0]||l,t):e}function E(e,t){return e===l?t:e}function A(e,t,n){v(_(t),(function(t){e.addEventListener(t,n,!1)}))}function C(e,t,n){v(_(t),(function(t){e.removeEventListener(t,n,!1)}))}function B(e,t){for(;e;){if(e==t)return!0;e=e.parentNode}return!1}function M(e,t){return e.indexOf(t)>-1}function _(e){return e.trim().split(/\s+/g)}function S(e,t,n){if(e.indexOf&&!n)return e.indexOf(t);for(var r=0;r<e.length;){if(n&&e[r][n]==t||!n&&e[r]===t)return r;r++}return-1}function N(e){return Array.prototype.slice.call(e,0)}function V(e,t,n){for(var r=[],o=[],i=0;i<e.length;){var a=t?e[i][t]:e[i];S(o,a)<0&&r.push(e[i]),o[i]=a,i++}return n&&(r=t?r.sort((function(e,n){return e[t]>n[t]})):r.sort()),r}function L(e,t){for(var n,r,o=t[0].toUpperCase()+t.slice(1),i=0;i<c.length;){if((r=(n=c[i])?n+o:t)in e)return r;i++}return l}var T=1;function I(e){var t=e.ownerDocument||e;return t.defaultView||t.parentWindow||o}var Z="ontouchstart"in o,O=L(o,"PointerEvent")!==l,D=Z&&/mobile|tablet|ip(ad|hone|od)|android/i.test(navigator.userAgent),R="touch",H="mouse",P=24,j=["x","y"],F=["clientX","clientY"];function z(e,t){var n=this;this.manager=e,this.callback=t,this.element=e.element,this.target=e.options.inputTarget,this.domHandler=function(t){k(e.options.enable,[e])&&n.handler(t)},this.init()}function q(e,t,n){var r=n.pointers.length,o=n.changedPointers.length,i=1&t&&r-o==0,a=12&t&&r-o==0;n.isFirst=!!i,n.isFinal=!!a,i&&(e.session={}),n.eventType=t,function(e,t){var n=e.session,r=t.pointers,o=r.length;n.firstInput||(n.firstInput=U(t));o>1&&!n.firstMultiple?n.firstMultiple=U(t):1===o&&(n.firstMultiple=!1);var i=n.firstInput,a=n.firstMultiple,s=a?a.center:i.center,c=t.center=$(r);t.timeStamp=p(),t.deltaTime=t.timeStamp-i.timeStamp,t.angle=Y(s,c),t.distance=K(s,c),function(e,t){var n=t.center,r=e.offsetDelta||{},o=e.prevDelta||{},i=e.prevInput||{};1!==t.eventType&&4!==i.eventType||(o=e.prevDelta={x:i.deltaX||0,y:i.deltaY||0},r=e.offsetDelta={x:n.x,y:n.y});t.deltaX=o.x+(n.x-r.x),t.deltaY=o.y+(n.y-r.y)}(n,t),t.offsetDirection=G(t.deltaX,t.deltaY);var u=W(t.deltaTime,t.deltaX,t.deltaY);t.overallVelocityX=u.x,t.overallVelocityY=u.y,t.overallVelocity=h(u.x)>h(u.y)?u.x:u.y,t.scale=a?(d=a.pointers,f=r,K(f[0],f[1],F)/K(d[0],d[1],F)):1,t.rotation=a?function(e,t){return Y(t[1],t[0],F)+Y(e[1],e[0],F)}(a.pointers,r):0,t.maxPointers=n.prevInput?t.pointers.length>n.prevInput.maxPointers?t.pointers.length:n.prevInput.maxPointers:t.pointers.length,function(e,t){var n,r,o,i,a=e.lastInterval||t,s=t.timeStamp-a.timeStamp;if(8!=t.eventType&&(s>25||a.velocity===l)){var c=t.deltaX-a.deltaX,u=t.deltaY-a.deltaY,d=W(s,c,u);r=d.x,o=d.y,n=h(d.x)>h(d.y)?d.x:d.y,i=G(c,u),e.lastInterval=t}else n=a.velocity,r=a.velocityX,o=a.velocityY,i=a.direction;t.velocity=n,t.velocityX=r,t.velocityY=o,t.direction=i}(n,t);var d,f;var m=e.element;B(t.srcEvent.target,m)&&(m=t.srcEvent.target);t.target=m}(e,n),e.emit("hammer.input",n),e.recognize(n),e.session.prevInput=n}function U(e){for(var t=[],n=0;n<e.pointers.length;)t[n]={clientX:d(e.pointers[n].clientX),clientY:d(e.pointers[n].clientY)},n++;return{timeStamp:p(),pointers:t,center:$(t),deltaX:e.deltaX,deltaY:e.deltaY}}function $(e){var t=e.length;if(1===t)return{x:d(e[0].clientX),y:d(e[0].clientY)};for(var n=0,r=0,o=0;o<t;)n+=e[o].clientX,r+=e[o].clientY,o++;return{x:d(n/t),y:d(r/t)}}function W(e,t,n){return{x:t/e||0,y:n/e||0}}function G(e,t){return e===t?1:h(e)>=h(t)?e<0?2:4:t<0?8:16}function K(e,t,n){n||(n=j);var r=t[n[0]]-e[n[0]],o=t[n[1]]-e[n[1]];return Math.sqrt(r*r+o*o)}function Y(e,t,n){n||(n=j);var r=t[n[0]]-e[n[0]],o=t[n[1]]-e[n[1]];return 180*Math.atan2(o,r)/Math.PI}z.prototype={handler:function(){},init:function(){this.evEl&&A(this.element,this.evEl,this.domHandler),this.evTarget&&A(this.target,this.evTarget,this.domHandler),this.evWin&&A(I(this.element),this.evWin,this.domHandler)},destroy:function(){this.evEl&&C(this.element,this.evEl,this.domHandler),this.evTarget&&C(this.target,this.evTarget,this.domHandler),this.evWin&&C(I(this.element),this.evWin,this.domHandler)}};var X={mousedown:1,mousemove:2,mouseup:4},J="mousedown",Q="mousemove mouseup";function ee(){this.evEl=J,this.evWin=Q,this.pressed=!1,z.apply(this,arguments)}b(ee,z,{handler:function(e){var t=X[e.type];1&t&&0===e.button&&(this.pressed=!0),2&t&&1!==e.which&&(t=4),this.pressed&&(4&t&&(this.pressed=!1),this.callback(this.manager,t,{pointers:[e],changedPointers:[e],pointerType:H,srcEvent:e}))}});var te={pointerdown:1,pointermove:2,pointerup:4,pointercancel:8,pointerout:8},ne={2:R,3:"pen",4:H,5:"kinect"},re="pointerdown",oe="pointermove pointerup pointercancel";function ie(){this.evEl=re,this.evWin=oe,z.apply(this,arguments),this.store=this.manager.session.pointerEvents=[]}o.MSPointerEvent&&!o.PointerEvent&&(re="MSPointerDown",oe="MSPointerMove MSPointerUp MSPointerCancel"),b(ie,z,{handler:function(e){var t=this.store,n=!1,r=e.type.toLowerCase().replace("ms",""),o=te[r],i=ne[e.pointerType]||e.pointerType,a=i==R,l=S(t,e.pointerId,"pointerId");1&o&&(0===e.button||a)?l<0&&(t.push(e),l=t.length-1):12&o&&(n=!0),l<0||(t[l]=e,this.callback(this.manager,o,{pointers:t,changedPointers:[e],pointerType:i,srcEvent:e}),n&&t.splice(l,1))}});var ae={touchstart:1,touchmove:2,touchend:4,touchcancel:8};function le(){this.evTarget="touchstart",this.evWin="touchstart touchmove touchend touchcancel",this.started=!1,z.apply(this,arguments)}function se(e,t){var n=N(e.touches),r=N(e.changedTouches);return 12&t&&(n=V(n.concat(r),"identifier",!0)),[n,r]}b(le,z,{handler:function(e){var t=ae[e.type];if(1===t&&(this.started=!0),this.started){var n=se.call(this,e,t);12&t&&n[0].length-n[1].length==0&&(this.started=!1),this.callback(this.manager,t,{pointers:n[0],changedPointers:n[1],pointerType:R,srcEvent:e})}}});var ce={touchstart:1,touchmove:2,touchend:4,touchcancel:8},ue="touchstart touchmove touchend touchcancel";function de(){this.evTarget=ue,this.targetIds={},z.apply(this,arguments)}function he(e,t){var n=N(e.touches),r=this.targetIds;if(3&t&&1===n.length)return r[n[0].identifier]=!0,[n,n];var o,i,a=N(e.changedTouches),l=[],s=this.target;if(i=n.filter((function(e){return B(e.target,s)})),1===t)for(o=0;o<i.length;)r[i[o].identifier]=!0,o++;for(o=0;o<a.length;)r[a[o].identifier]&&l.push(a[o]),12&t&&delete r[a[o].identifier],o++;return l.length?[V(i.concat(l),"identifier",!0),l]:void 0}b(de,z,{handler:function(e){var t=ce[e.type],n=he.call(this,e,t);n&&this.callback(this.manager,t,{pointers:n[0],changedPointers:n[1],pointerType:R,srcEvent:e})}});function pe(){z.apply(this,arguments);var e=x(this.handler,this);this.touch=new de(this.manager,e),this.mouse=new ee(this.manager,e),this.primaryTouch=null,this.lastTouches=[]}function fe(e,t){1&e?(this.primaryTouch=t.changedPointers[0].identifier,me.call(this,t)):12&e&&me.call(this,t)}function me(e){var t=e.changedPointers[0];if(t.identifier===this.primaryTouch){var n={x:t.clientX,y:t.clientY};this.lastTouches.push(n);var r=this.lastTouches;setTimeout((function(){var e=r.indexOf(n);e>-1&&r.splice(e,1)}),2500)}}function ve(e){for(var t=e.srcEvent.clientX,n=e.srcEvent.clientY,r=0;r<this.lastTouches.length;r++){var o=this.lastTouches[r],i=Math.abs(t-o.x),a=Math.abs(n-o.y);if(i<=25&&a<=25)return!0}return!1}b(pe,z,{handler:function(e,t,n){var r=n.pointerType==R,o=n.pointerType==H;if(!(o&&n.sourceCapabilities&&n.sourceCapabilities.firesTouchEvents)){if(r)fe.call(this,t,n);else if(o&&ve.call(this,n))return;this.callback(e,t,n)}},destroy:function(){this.touch.destroy(),this.mouse.destroy()}});var ge=L(u.style,"touchAction"),we=ge!==l,ye="compute",be="auto",xe="manipulation",ke="none",Ee="pan-x",Ae="pan-y",Ce=function(){if(!we)return!1;var e={},t=o.CSS&&o.CSS.supports;return["auto","manipulation","pan-y","pan-x","pan-x pan-y","none"].forEach((function(n){e[n]=!t||o.CSS.supports("touch-action",n)})),e}();function Be(e,t){this.manager=e,this.set(t)}Be.prototype={set:function(e){e==ye&&(e=this.compute()),we&&this.manager.element.style&&Ce[e]&&(this.manager.element.style[ge]=e),this.actions=e.toLowerCase().trim()},update:function(){this.set(this.manager.options.touchAction)},compute:function(){var e=[];return v(this.manager.recognizers,(function(t){k(t.options.enable,[t])&&(e=e.concat(t.getTouchAction()))})),function(e){if(M(e,ke))return ke;var t=M(e,Ee),n=M(e,Ae);if(t&&n)return ke;if(t||n)return t?Ee:Ae;if(M(e,xe))return xe;return be}(e.join(" "))},preventDefaults:function(e){var t=e.srcEvent,n=e.offsetDirection;if(this.manager.session.prevented)t.preventDefault();else{var r=this.actions,o=M(r,ke)&&!Ce[ke],i=M(r,Ae)&&!Ce[Ae],a=M(r,Ee)&&!Ce[Ee];if(o){var l=1===e.pointers.length,s=e.distance<2,c=e.deltaTime<250;if(l&&s&&c)return}if(!a||!i)return o||i&&6&n||a&&n&P?this.preventSrc(t):void 0}},preventSrc:function(e){this.manager.session.prevented=!0,e.preventDefault()}};var Me=32;function _e(e){this.options=s({},this.defaults,e||{}),this.id=T++,this.manager=null,this.options.enable=E(this.options.enable,!0),this.state=1,this.simultaneous={},this.requireFail=[]}function Se(e){return 16&e?"cancel":8&e?"end":4&e?"move":2&e?"start":""}function Ne(e){return 16==e?"down":8==e?"up":2==e?"left":4==e?"right":""}function Ve(e,t){var n=t.manager;return n?n.get(e):e}function Le(){_e.apply(this,arguments)}function Te(){Le.apply(this,arguments),this.pX=null,this.pY=null}function Ie(){Le.apply(this,arguments)}function Ze(){_e.apply(this,arguments),this._timer=null,this._input=null}function Oe(){Le.apply(this,arguments)}function De(){Le.apply(this,arguments)}function Re(){_e.apply(this,arguments),this.pTime=!1,this.pCenter=!1,this._timer=null,this._input=null,this.count=0}function He(e,t){return(t=t||{}).recognizers=E(t.recognizers,He.defaults.preset),new Pe(e,t)}_e.prototype={defaults:{},set:function(e){return s(this.options,e),this.manager&&this.manager.touchAction.update(),this},recognizeWith:function(e){if(m(e,"recognizeWith",this))return this;var t=this.simultaneous;return t[(e=Ve(e,this)).id]||(t[e.id]=e,e.recognizeWith(this)),this},dropRecognizeWith:function(e){return m(e,"dropRecognizeWith",this)||(e=Ve(e,this),delete this.simultaneous[e.id]),this},requireFailure:function(e){if(m(e,"requireFailure",this))return this;var t=this.requireFail;return-1===S(t,e=Ve(e,this))&&(t.push(e),e.requireFailure(this)),this},dropRequireFailure:function(e){if(m(e,"dropRequireFailure",this))return this;e=Ve(e,this);var t=S(this.requireFail,e);return t>-1&&this.requireFail.splice(t,1),this},hasRequireFailures:function(){return this.requireFail.length>0},canRecognizeWith:function(e){return!!this.simultaneous[e.id]},emit:function(e){var t=this,n=this.state;function r(n){t.manager.emit(n,e)}n<8&&r(t.options.event+Se(n)),r(t.options.event),e.additionalEvent&&r(e.additionalEvent),n>=8&&r(t.options.event+Se(n))},tryEmit:function(e){if(this.canEmit())return this.emit(e);this.state=Me},canEmit:function(){for(var e=0;e<this.requireFail.length;){if(!(33&this.requireFail[e].state))return!1;e++}return!0},recognize:function(e){var t=s({},e);if(!k(this.options.enable,[this,t]))return this.reset(),void(this.state=Me);56&this.state&&(this.state=1),this.state=this.process(t),30&this.state&&this.tryEmit(t)},process:function(e){},getTouchAction:function(){},reset:function(){}},b(Le,_e,{defaults:{pointers:1},attrTest:function(e){var t=this.options.pointers;return 0===t||e.pointers.length===t},process:function(e){var t=this.state,n=e.eventType,r=6&t,o=this.attrTest(e);return r&&(8&n||!o)?16|t:r||o?4&n?8|t:2&t?4|t:2:Me}}),b(Te,Le,{defaults:{event:"pan",threshold:10,pointers:1,direction:30},getTouchAction:function(){var e=this.options.direction,t=[];return 6&e&&t.push(Ae),e&P&&t.push(Ee),t},directionTest:function(e){var t=this.options,n=!0,r=e.distance,o=e.direction,i=e.deltaX,a=e.deltaY;return o&t.direction||(6&t.direction?(o=0===i?1:i<0?2:4,n=i!=this.pX,r=Math.abs(e.deltaX)):(o=0===a?1:a<0?8:16,n=a!=this.pY,r=Math.abs(e.deltaY))),e.direction=o,n&&r>t.threshold&&o&t.direction},attrTest:function(e){return Le.prototype.attrTest.call(this,e)&&(2&this.state||!(2&this.state)&&this.directionTest(e))},emit:function(e){this.pX=e.deltaX,this.pY=e.deltaY;var t=Ne(e.direction);t&&(e.additionalEvent=this.options.event+t),this._super.emit.call(this,e)}}),b(Ie,Le,{defaults:{event:"pinch",threshold:0,pointers:2},getTouchAction:function(){return[ke]},attrTest:function(e){return this._super.attrTest.call(this,e)&&(Math.abs(e.scale-1)>this.options.threshold||2&this.state)},emit:function(e){if(1!==e.scale){var t=e.scale<1?"in":"out";e.additionalEvent=this.options.event+t}this._super.emit.call(this,e)}}),b(Ze,_e,{defaults:{event:"press",pointers:1,time:251,threshold:9},getTouchAction:function(){return[be]},process:function(e){var t=this.options,n=e.pointers.length===t.pointers,r=e.distance<t.threshold,o=e.deltaTime>t.time;if(this._input=e,!r||!n||12&e.eventType&&!o)this.reset();else if(1&e.eventType)this.reset(),this._timer=f((function(){this.state=8,this.tryEmit()}),t.time,this);else if(4&e.eventType)return 8;return Me},reset:function(){clearTimeout(this._timer)},emit:function(e){8===this.state&&(e&&4&e.eventType?this.manager.emit(this.options.event+"up",e):(this._input.timeStamp=p(),this.manager.emit(this.options.event,this._input)))}}),b(Oe,Le,{defaults:{event:"rotate",threshold:0,pointers:2},getTouchAction:function(){return[ke]},attrTest:function(e){return this._super.attrTest.call(this,e)&&(Math.abs(e.rotation)>this.options.threshold||2&this.state)}}),b(De,Le,{defaults:{event:"swipe",threshold:10,velocity:.3,direction:30,pointers:1},getTouchAction:function(){return Te.prototype.getTouchAction.call(this)},attrTest:function(e){var t,n=this.options.direction;return 30&n?t=e.overallVelocity:6&n?t=e.overallVelocityX:n&P&&(t=e.overallVelocityY),this._super.attrTest.call(this,e)&&n&e.offsetDirection&&e.distance>this.options.threshold&&e.maxPointers==this.options.pointers&&h(t)>this.options.velocity&&4&e.eventType},emit:function(e){var t=Ne(e.offsetDirection);t&&this.manager.emit(this.options.event+t,e),this.manager.emit(this.options.event,e)}}),b(Re,_e,{defaults:{event:"tap",pointers:1,taps:1,interval:300,time:250,threshold:9,posThreshold:10},getTouchAction:function(){return[xe]},process:function(e){var t=this.options,n=e.pointers.length===t.pointers,r=e.distance<t.threshold,o=e.deltaTime<t.time;if(this.reset(),1&e.eventType&&0===this.count)return this.failTimeout();if(r&&o&&n){if(4!=e.eventType)return this.failTimeout();var i=!this.pTime||e.timeStamp-this.pTime<t.interval,a=!this.pCenter||K(this.pCenter,e.center)<t.posThreshold;if(this.pTime=e.timeStamp,this.pCenter=e.center,a&&i?this.count+=1:this.count=1,this._input=e,0===this.count%t.taps)return this.hasRequireFailures()?(this._timer=f((function(){this.state=8,this.tryEmit()}),t.interval,this),2):8}return Me},failTimeout:function(){return this._timer=f((function(){this.state=Me}),this.options.interval,this),Me},reset:function(){clearTimeout(this._timer)},emit:function(){8==this.state&&(this._input.tapCount=this.count,this.manager.emit(this.options.event,this._input))}}),He.VERSION="2.0.7",He.defaults={domEvents:!1,touchAction:ye,enable:!0,inputTarget:null,inputClass:null,preset:[[Oe,{enable:!1}],[Ie,{enable:!1},["rotate"]],[De,{direction:6}],[Te,{direction:6},["swipe"]],[Re],[Re,{event:"doubletap",taps:2},["tap"]],[Ze]],cssProps:{userSelect:"none",touchSelect:"none",touchCallout:"none",contentZooming:"none",userDrag:"none",tapHighlightColor:"rgba(0,0,0,0)"}};function Pe(e,t){var n;this.options=s({},He.defaults,t||{}),this.options.inputTarget=this.options.inputTarget||e,this.handlers={},this.session={},this.recognizers=[],this.oldCssProps={},this.element=e,this.input=new((n=this).options.inputClass||(O?ie:D?de:Z?pe:ee))(n,q),this.touchAction=new Be(this,this.options.touchAction),je(this,!0),v(this.options.recognizers,(function(e){var t=this.add(new e[0](e[1]));e[2]&&t.recognizeWith(e[2]),e[3]&&t.requireFailure(e[3])}),this)}function je(e,t){var n,r=e.element;r.style&&(v(e.options.cssProps,(function(o,i){n=L(r.style,i),t?(e.oldCssProps[n]=r.style[n],r.style[n]=o):r.style[n]=e.oldCssProps[n]||""})),t||(e.oldCssProps={}))}Pe.prototype={set:function(e){return s(this.options,e),e.touchAction&&this.touchAction.update(),e.inputTarget&&(this.input.destroy(),this.input.target=e.inputTarget,this.input.init()),this},stop:function(e){this.session.stopped=e?2:1},recognize:function(e){var t=this.session;if(!t.stopped){var n;this.touchAction.preventDefaults(e);var r=this.recognizers,o=t.curRecognizer;(!o||o&&8&o.state)&&(o=t.curRecognizer=null);for(var i=0;i<r.length;)n=r[i],2===t.stopped||o&&n!=o&&!n.canRecognizeWith(o)?n.reset():n.recognize(e),!o&&14&n.state&&(o=t.curRecognizer=n),i++}},get:function(e){if(e instanceof _e)return e;for(var t=this.recognizers,n=0;n<t.length;n++)if(t[n].options.event==e)return t[n];return null},add:function(e){if(m(e,"add",this))return this;var t=this.get(e.options.event);return t&&this.remove(t),this.recognizers.push(e),e.manager=this,this.touchAction.update(),e},remove:function(e){if(m(e,"remove",this))return this;if(e=this.get(e)){var t=this.recognizers,n=S(t,e);-1!==n&&(t.splice(n,1),this.touchAction.update())}return this},on:function(e,t){if(e!==l&&t!==l){var n=this.handlers;return v(_(e),(function(e){n[e]=n[e]||[],n[e].push(t)})),this}},off:function(e,t){if(e!==l){var n=this.handlers;return v(_(e),(function(e){t?n[e]&&n[e].splice(S(n[e],t),1):delete n[e]})),this}},emit:function(e,t){this.options.domEvents&&function(e,t){var n=i.createEvent("Event");n.initEvent(e,!0,!0),n.gesture=t,t.target.dispatchEvent(n)}(e,t);var n=this.handlers[e]&&this.handlers[e].slice();if(n&&n.length){t.type=e,t.preventDefault=function(){t.srcEvent.preventDefault()};for(var r=0;r<n.length;)n[r](t),r++}},destroy:function(){this.element&&je(this,!1),this.handlers={},this.session={},this.input.destroy(),this.element=null}},s(He,{INPUT_START:1,INPUT_MOVE:2,INPUT_END:4,INPUT_CANCEL:8,STATE_POSSIBLE:1,STATE_BEGAN:2,STATE_CHANGED:4,STATE_ENDED:8,STATE_RECOGNIZED:8,STATE_CANCELLED:16,STATE_FAILED:Me,DIRECTION_NONE:1,DIRECTION_LEFT:2,DIRECTION_RIGHT:4,DIRECTION_UP:8,DIRECTION_DOWN:16,DIRECTION_HORIZONTAL:6,DIRECTION_VERTICAL:P,DIRECTION_ALL:30,Manager:Pe,Input:z,TouchAction:Be,TouchInput:de,MouseInput:ee,PointerEventInput:ie,TouchMouseInput:pe,SingleTouchInput:le,Recognizer:_e,AttrRecognizer:Le,Tap:Re,Pan:Te,Swipe:De,Pinch:Ie,Rotate:Oe,Press:Ze,on:A,off:C,each:v,merge:y,extend:w,assign:s,inherit:b,bindFn:x,prefixed:L}),(void 0!==o?o:"undefined"!=typeof self?self:{}).Hammer=He,(r=function(){return He}.call(t,n,t,e))===l||(e.exports=r)}(window,document)},30592:(e,t,n)=>{"use strict";var r=n(30655),o=function(){return!!r};o.hasArrayLengthDefineBug=function(){if(!r)return null;try{return 1!==r([],"length",{value:1}).length}catch(e){return!0}},e.exports=o},80024:e=>{"use strict";var t={__proto__:null,foo:{}},n=Object;e.exports=function(){return{__proto__:t}.foo===t.foo&&!(t instanceof n)}},64039:(e,t,n)=>{"use strict";var r="undefined"!=typeof Symbol&&Symbol,o=n(41333);e.exports=function(){return"function"==typeof r&&("function"==typeof Symbol&&("symbol"==typeof r("foo")&&("symbol"==typeof Symbol("bar")&&o())))}},41333:e=>{"use strict";e.exports=function(){if("function"!=typeof Symbol||"function"!=typeof Object.getOwnPropertySymbols)return!1;if("symbol"==typeof Symbol.iterator)return!0;var e={},t=Symbol("test"),n=Object(t);if("string"==typeof t)return!1;if("[object Symbol]"!==Object.prototype.toString.call(t))return!1;if("[object Symbol]"!==Object.prototype.toString.call(n))return!1;for(t in e[t]=42,e)return!1;if("function"==typeof Object.keys&&0!==Object.keys(e).length)return!1;if("function"==typeof Object.getOwnPropertyNames&&0!==Object.getOwnPropertyNames(e).length)return!1;var r=Object.getOwnPropertySymbols(e);if(1!==r.length||r[0]!==t)return!1;if(!Object.prototype.propertyIsEnumerable.call(e,t))return!1;if("function"==typeof Object.getOwnPropertyDescriptor){var o=Object.getOwnPropertyDescriptor(e,t);if(42!==o.value||!0!==o.enumerable)return!1}return!0}},9957:(e,t,n)=>{"use strict";var r=Function.prototype.call,o=Object.prototype.hasOwnProperty,i=n(66743);e.exports=i.call(r,o)},251:(e,t)=>{t.read=function(e,t,n,r,o){var i,a,l=8*o-r-1,s=(1<<l)-1,c=s>>1,u=-7,d=n?o-1:0,h=n?-1:1,p=e[t+d];for(d+=h,i=p&(1<<-u)-1,p>>=-u,u+=l;u>0;i=256*i+e[t+d],d+=h,u-=8);for(a=i&(1<<-u)-1,i>>=-u,u+=r;u>0;a=256*a+e[t+d],d+=h,u-=8);if(0===i)i=1-c;else{if(i===s)return a?NaN:1/0*(p?-1:1);a+=Math.pow(2,r),i-=c}return(p?-1:1)*a*Math.pow(2,i-r)},t.write=function(e,t,n,r,o,i){var a,l,s,c=8*i-o-1,u=(1<<c)-1,d=u>>1,h=23===o?Math.pow(2,-24)-Math.pow(2,-77):0,p=r?0:i-1,f=r?1:-1,m=t<0||0===t&&1/t<0?1:0;for(t=Math.abs(t),isNaN(t)||t===1/0?(l=isNaN(t)?1:0,a=u):(a=Math.floor(Math.log(t)/Math.LN2),t*(s=Math.pow(2,-a))<1&&(a--,s*=2),(t+=a+d>=1?h/s:h*Math.pow(2,1-d))*s>=2&&(a++,s/=2),a+d>=u?(l=0,a=u):a+d>=1?(l=(t*s-1)*Math.pow(2,o),a+=d):(l=t*Math.pow(2,d-1)*Math.pow(2,o),a=0));o>=8;e[n+p]=255&l,p+=f,l/=256,o-=8);for(a=a<<o|l,c+=o;c>0;e[n+p]=255&a,p+=f,a/=256,c-=8);e[n+p-f]|=128*m}},23727:e=>{"use strict";var t={uncountableWords:["equipment","information","rice","money","species","series","fish","sheep","moose","deer","news"],pluralRules:[[new RegExp("(m)an$","gi"),"$1en"],[new RegExp("(pe)rson$","gi"),"$1ople"],[new RegExp("(child)$","gi"),"$1ren"],[new RegExp("^(ox)$","gi"),"$1en"],[new RegExp("(ax|test)is$","gi"),"$1es"],[new RegExp("(octop|vir)us$","gi"),"$1i"],[new RegExp("(alias|status)$","gi"),"$1es"],[new RegExp("(bu)s$","gi"),"$1ses"],[new RegExp("(buffal|tomat|potat)o$","gi"),"$1oes"],[new RegExp("([ti])um$","gi"),"$1a"],[new RegExp("sis$","gi"),"ses"],[new RegExp("(?:([^f])fe|([lr])f)$","gi"),"$1$2ves"],[new RegExp("(hive)$","gi"),"$1s"],[new RegExp("([^aeiouy]|qu)y$","gi"),"$1ies"],[new RegExp("(x|ch|ss|sh)$","gi"),"$1es"],[new RegExp("(matr|vert|ind)ix|ex$","gi"),"$1ices"],[new RegExp("([m|l])ouse$","gi"),"$1ice"],[new RegExp("(quiz)$","gi"),"$1zes"],[new RegExp("s$","gi"),"s"],[new RegExp("$","gi"),"s"]],singularRules:[[new RegExp("(m)en$","gi"),"$1an"],[new RegExp("(pe)ople$","gi"),"$1rson"],[new RegExp("(child)ren$","gi"),"$1"],[new RegExp("([ti])a$","gi"),"$1um"],[new RegExp("((a)naly|(b)a|(d)iagno|(p)arenthe|(p)rogno|(s)ynop|(t)he)ses$","gi"),"$1$2sis"],[new RegExp("(hive)s$","gi"),"$1"],[new RegExp("(tive)s$","gi"),"$1"],[new RegExp("(curve)s$","gi"),"$1"],[new RegExp("([lr])ves$","gi"),"$1f"],[new RegExp("([^fo])ves$","gi"),"$1fe"],[new RegExp("([^aeiouy]|qu)ies$","gi"),"$1y"],[new RegExp("(s)eries$","gi"),"$1eries"],[new RegExp("(m)ovies$","gi"),"$1ovie"],[new RegExp("(x|ch|ss|sh)es$","gi"),"$1"],[new RegExp("([m|l])ice$","gi"),"$1ouse"],[new RegExp("(bus)es$","gi"),"$1"],[new RegExp("(o)es$","gi"),"$1"],[new RegExp("(shoe)s$","gi"),"$1"],[new RegExp("(cris|ax|test)es$","gi"),"$1is"],[new RegExp("(octop|vir)i$","gi"),"$1us"],[new RegExp("(alias|status)es$","gi"),"$1"],[new RegExp("^(ox)en","gi"),"$1"],[new RegExp("(vert|ind)ices$","gi"),"$1ex"],[new RegExp("(matr)ices$","gi"),"$1ix"],[new RegExp("(quiz)zes$","gi"),"$1"],[new RegExp("s$","gi"),""]],nonTitlecasedWords:["and","or","nor","a","an","the","so","but","to","of","at","by","from","into","on","onto","off","out","in","over","with","for"],idSuffix:new RegExp("(_ids|_id)$","g"),underbar:new RegExp("_","g"),spaceOrUnderbar:new RegExp("[ _]","g"),uppercase:new RegExp("([A-Z])","g"),underbarPrefix:new RegExp("^_"),applyRules:function(e,t,n,r){if(r)e=r;else if(!(n.indexOf(e.toLowerCase())>-1))for(var o=0;o<t.length;o++)if(e.match(t[o][0])){e=e.replace(t[o][0],t[o][1]);break}return e},pluralize:function(e,t){return this.applyRules(e,this.pluralRules,this.uncountableWords,t)},singularize:function(e,t){return this.applyRules(e,this.singularRules,this.uncountableWords,t)},camelize:function(e,t){for(var n=e.split("/"),r=0;r<n.length;r++){for(var o=n[r].split("_"),i=t&&r+1===n.length?1:0;i<o.length;i++)o[i]=o[i].charAt(0).toUpperCase()+o[i].substring(1);n[r]=o.join("")}if(e=n.join("::"),!0===t){var a=e.charAt(0).toLowerCase(),l=e.slice(1);e=a+l}return e},underscore:function(e){for(var t=e.split("::"),n=0;n<t.length;n++)t[n]=t[n].replace(this.uppercase,"_$1"),t[n]=t[n].replace(this.underbarPrefix,"");return e=t.join("/").toLowerCase()},humanize:function(e,t){return e=(e=(e=e.toLowerCase()).replace(this.idSuffix,"")).replace(this.underbar," "),t||(e=this.capitalize(e)),e},capitalize:function(e){return e=(e=e.toLowerCase()).substring(0,1).toUpperCase()+e.substring(1)},dasherize:function(e){return e=e.replace(this.spaceOrUnderbar,"-")},camel2words:function(e,t){!0===t?(e=this.camelize(e),e=this.underscore(e)):e=e.toLowerCase();for(var n=(e=e.replace(this.underbar," ")).split(" "),r=0;r<n.length;r++){for(var o=n[r].split("-"),i=0;i<o.length;i++)this.nonTitlecasedWords.indexOf(o[i].toLowerCase())<0&&(o[i]=this.capitalize(o[i]));n[r]=o.join("-")}return e=(e=n.join(" ")).substring(0,1).toUpperCase()+e.substring(1)},demodulize:function(e){var t=e.split("::");return e=t[t.length-1]},tableize:function(e){return e=this.pluralize(this.underscore(e))},classify:function(e){return e=this.singularize(this.camelize(e))},foreignKey:function(e,t){return e=this.underscore(this.demodulize(e))+(t?"":"_")+"id"},ordinalize:function(e){for(var t=e.split(" "),n=0;n<t.length;n++){if(NaN===parseInt(t[n])){var r=t[n].substring(t[n].length-2),o=t[n].substring(t[n].length-1),i="th";"11"!=r&&"12"!=r&&"13"!=r&&("1"===o?i="st":"2"===o?i="nd":"3"===o&&(i="rd")),t[n]+=i}}return e=t.join(" ")}};e.exports=t},64634:e=>{var t={}.toString;e.exports=Array.isArray||function(e){return"[object Array]"==t.call(e)}},12215:(e,t,n)=>{var r,o;!function(i){if(void 0===(o="function"==typeof(r=i)?r.call(t,n,t,e):r)||(e.exports=o),e.exports=i(),!!0){var a=window.Cookies,l=window.Cookies=i();l.noConflict=function(){return window.Cookies=a,l}}}((function(){function e(){for(var e=0,t={};e<arguments.length;e++){var n=arguments[e];for(var r in n)t[r]=n[r]}return t}function t(e){return e.replace(/(%[0-9A-Z]{2})+/g,decodeURIComponent)}return function n(r){function o(){}function i(t,n,i){if("undefined"!=typeof document){"number"==typeof(i=e({path:"/"},o.defaults,i)).expires&&(i.expires=new Date(1*new Date+864e5*i.expires)),i.expires=i.expires?i.expires.toUTCString():"";try{var a=JSON.stringify(n);/^[\{\[]/.test(a)&&(n=a)}catch(e){}n=r.write?r.write(n,t):encodeURIComponent(String(n)).replace(/%(23|24|26|2B|3A|3C|3E|3D|2F|3F|40|5B|5D|5E|60|7B|7D|7C)/g,decodeURIComponent),t=encodeURIComponent(String(t)).replace(/%(23|24|26|2B|5E|60|7C)/g,decodeURIComponent).replace(/[\(\)]/g,escape);var l="";for(var s in i)i[s]&&(l+="; "+s,!0!==i[s]&&(l+="="+i[s].split(";")[0]));return document.cookie=t+"="+n+l}}function a(e,n){if("undefined"!=typeof document){for(var o={},i=document.cookie?document.cookie.split("; "):[],a=0;a<i.length;a++){var l=i[a].split("="),s=l.slice(1).join("=");n||'"'!==s.charAt(0)||(s=s.slice(1,-1));try{var c=t(l[0]);if(s=(r.read||r)(s,c)||t(s),n)try{s=JSON.parse(s)}catch(e){}if(o[c]=s,e===c)break}catch(e){}}return e?o[e]:o}}return o.set=i,o.get=function(e){return a(e,!1)},o.getJSON=function(e){return a(e,!0)},o.remove=function(t,n){i(t,"",e(n,{expires:-1}))},o.defaults={},o.withConverter=n,o}((function(){}))}))},99300:(e,t,n)=>{var r=n(65606);var o=function(e){return e&&"object"==typeof e&&"default"in e?e:{default:e}}(n(86425));function i(){return i=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},i.apply(this,arguments)}var a=function(){try{return r.env.MIX_VAPOR_ASSET_URL?r.env.MIX_VAPOR_ASSET_URL:""}catch(e){throw console.error("Unable to automatically resolve the asset URL. Use Vapor.withBaseAssetUrl() to specify it manually."),e}},l=new(function(){function e(){}var t=e.prototype;return t.asset=function(e){return a()+"/"+e},t.withBaseAssetUrl=function(e){a=function(){return e||""}},t.store=function(e,t){void 0===t&&(t={});try{return Promise.resolve(o.default.post(t.signedStorageUrl?t.signedStorageUrl:"/vapor/signed-storage-url",i({bucket:t.bucket||"",content_type:t.contentType||e.type,expires:t.expires||"",visibility:t.visibility||""},t.data),i({baseURL:t.baseURL||null,headers:t.headers||{}},t.options))).then((function(n){var r=n.data.headers;return"Host"in r&&delete r.Host,void 0===t.progress&&(t.progress=function(){}),Promise.resolve(o.default.put(n.data.url,e,{cancelToken:t.cancelToken||"",headers:r,onUploadProgress:function(e){t.progress(e.loaded/e.total)}})).then((function(){return n.data.extension=e.name.split(".").pop(),n.data}))}))}catch(e){return Promise.reject(e)}},e}());e.exports=l},67193:(e,t,n)=>{e=n.nmd(e);var r="__lodash_hash_undefined__",o=9007199254740991,i="[object Arguments]",a="[object Boolean]",l="[object Date]",s="[object Function]",c="[object GeneratorFunction]",u="[object Map]",d="[object Number]",h="[object Object]",p="[object Promise]",f="[object RegExp]",m="[object Set]",v="[object String]",g="[object Symbol]",w="[object WeakMap]",y="[object ArrayBuffer]",b="[object DataView]",x="[object Float32Array]",k="[object Float64Array]",E="[object Int8Array]",A="[object Int16Array]",C="[object Int32Array]",B="[object Uint8Array]",M="[object Uint8ClampedArray]",_="[object Uint16Array]",S="[object Uint32Array]",N=/\w*$/,V=/^\[object .+?Constructor\]$/,L=/^(?:0|[1-9]\d*)$/,T={};T[i]=T["[object Array]"]=T[y]=T[b]=T[a]=T[l]=T[x]=T[k]=T[E]=T[A]=T[C]=T[u]=T[d]=T[h]=T[f]=T[m]=T[v]=T[g]=T[B]=T[M]=T[_]=T[S]=!0,T["[object Error]"]=T[s]=T[w]=!1;var I="object"==typeof n.g&&n.g&&n.g.Object===Object&&n.g,Z="object"==typeof self&&self&&self.Object===Object&&self,O=I||Z||Function("return this")(),D=t&&!t.nodeType&&t,R=D&&e&&!e.nodeType&&e,H=R&&R.exports===D;function P(e,t){return e.set(t[0],t[1]),e}function j(e,t){return e.add(t),e}function F(e,t,n,r){var o=-1,i=e?e.length:0;for(r&&i&&(n=e[++o]);++o<i;)n=t(n,e[o],o,e);return n}function z(e){var t=!1;if(null!=e&&"function"!=typeof e.toString)try{t=!!(e+"")}catch(e){}return t}function q(e){var t=-1,n=Array(e.size);return e.forEach((function(e,r){n[++t]=[r,e]})),n}function U(e,t){return function(n){return e(t(n))}}function $(e){var t=-1,n=Array(e.size);return e.forEach((function(e){n[++t]=e})),n}var W,G=Array.prototype,K=Function.prototype,Y=Object.prototype,X=O["__core-js_shared__"],J=(W=/[^.]+$/.exec(X&&X.keys&&X.keys.IE_PROTO||""))?"Symbol(src)_1."+W:"",Q=K.toString,ee=Y.hasOwnProperty,te=Y.toString,ne=RegExp("^"+Q.call(ee).replace(/[\\^$.*+?()[\]{}|]/g,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),re=H?O.Buffer:void 0,oe=O.Symbol,ie=O.Uint8Array,ae=U(Object.getPrototypeOf,Object),le=Object.create,se=Y.propertyIsEnumerable,ce=G.splice,ue=Object.getOwnPropertySymbols,de=re?re.isBuffer:void 0,he=U(Object.keys,Object),pe=Re(O,"DataView"),fe=Re(O,"Map"),me=Re(O,"Promise"),ve=Re(O,"Set"),ge=Re(O,"WeakMap"),we=Re(Object,"create"),ye=ze(pe),be=ze(fe),xe=ze(me),ke=ze(ve),Ee=ze(ge),Ae=oe?oe.prototype:void 0,Ce=Ae?Ae.valueOf:void 0;function Be(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function Me(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function _e(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function Se(e){this.__data__=new Me(e)}function Ne(e,t){var n=Ue(e)||function(e){return function(e){return function(e){return!!e&&"object"==typeof e}(e)&&$e(e)}(e)&&ee.call(e,"callee")&&(!se.call(e,"callee")||te.call(e)==i)}(e)?function(e,t){for(var n=-1,r=Array(e);++n<e;)r[n]=t(n);return r}(e.length,String):[],r=n.length,o=!!r;for(var a in e)!t&&!ee.call(e,a)||o&&("length"==a||je(a,r))||n.push(a);return n}function Ve(e,t,n){var r=e[t];ee.call(e,t)&&qe(r,n)&&(void 0!==n||t in e)||(e[t]=n)}function Le(e,t){for(var n=e.length;n--;)if(qe(e[n][0],t))return n;return-1}function Te(e,t,n,r,o,p,w){var V;if(r&&(V=p?r(e,o,p,w):r(e)),void 0!==V)return V;if(!Ke(e))return e;var L=Ue(e);if(L){if(V=function(e){var t=e.length,n=e.constructor(t);t&&"string"==typeof e[0]&&ee.call(e,"index")&&(n.index=e.index,n.input=e.input);return n}(e),!t)return function(e,t){var n=-1,r=e.length;t||(t=Array(r));for(;++n<r;)t[n]=e[n];return t}(e,V)}else{var I=Pe(e),Z=I==s||I==c;if(We(e))return function(e,t){if(t)return e.slice();var n=new e.constructor(e.length);return e.copy(n),n}(e,t);if(I==h||I==i||Z&&!p){if(z(e))return p?e:{};if(V=function(e){return"function"!=typeof e.constructor||Fe(e)?{}:(t=ae(e),Ke(t)?le(t):{});var t}(Z?{}:e),!t)return function(e,t){return Oe(e,He(e),t)}(e,function(e,t){return e&&Oe(t,Ye(t),e)}(V,e))}else{if(!T[I])return p?e:{};V=function(e,t,n,r){var o=e.constructor;switch(t){case y:return Ze(e);case a:case l:return new o(+e);case b:return function(e,t){var n=t?Ze(e.buffer):e.buffer;return new e.constructor(n,e.byteOffset,e.byteLength)}(e,r);case x:case k:case E:case A:case C:case B:case M:case _:case S:return function(e,t){var n=t?Ze(e.buffer):e.buffer;return new e.constructor(n,e.byteOffset,e.length)}(e,r);case u:return function(e,t,n){var r=t?n(q(e),!0):q(e);return F(r,P,new e.constructor)}(e,r,n);case d:case v:return new o(e);case f:return function(e){var t=new e.constructor(e.source,N.exec(e));return t.lastIndex=e.lastIndex,t}(e);case m:return function(e,t,n){var r=t?n($(e),!0):$(e);return F(r,j,new e.constructor)}(e,r,n);case g:return i=e,Ce?Object(Ce.call(i)):{}}var i}(e,I,Te,t)}}w||(w=new Se);var O=w.get(e);if(O)return O;if(w.set(e,V),!L)var D=n?function(e){return function(e,t,n){var r=t(e);return Ue(e)?r:function(e,t){for(var n=-1,r=t.length,o=e.length;++n<r;)e[o+n]=t[n];return e}(r,n(e))}(e,Ye,He)}(e):Ye(e);return function(e,t){for(var n=-1,r=e?e.length:0;++n<r&&!1!==t(e[n],n,e););}(D||e,(function(o,i){D&&(o=e[i=o]),Ve(V,i,Te(o,t,n,r,i,e,w))})),V}function Ie(e){return!(!Ke(e)||(t=e,J&&J in t))&&(Ge(e)||z(e)?ne:V).test(ze(e));var t}function Ze(e){var t=new e.constructor(e.byteLength);return new ie(t).set(new ie(e)),t}function Oe(e,t,n,r){n||(n={});for(var o=-1,i=t.length;++o<i;){var a=t[o],l=r?r(n[a],e[a],a,n,e):void 0;Ve(n,a,void 0===l?e[a]:l)}return n}function De(e,t){var n,r,o=e.__data__;return("string"==(r=typeof(n=t))||"number"==r||"symbol"==r||"boolean"==r?"__proto__"!==n:null===n)?o["string"==typeof t?"string":"hash"]:o.map}function Re(e,t){var n=function(e,t){return null==e?void 0:e[t]}(e,t);return Ie(n)?n:void 0}Be.prototype.clear=function(){this.__data__=we?we(null):{}},Be.prototype.delete=function(e){return this.has(e)&&delete this.__data__[e]},Be.prototype.get=function(e){var t=this.__data__;if(we){var n=t[e];return n===r?void 0:n}return ee.call(t,e)?t[e]:void 0},Be.prototype.has=function(e){var t=this.__data__;return we?void 0!==t[e]:ee.call(t,e)},Be.prototype.set=function(e,t){return this.__data__[e]=we&&void 0===t?r:t,this},Me.prototype.clear=function(){this.__data__=[]},Me.prototype.delete=function(e){var t=this.__data__,n=Le(t,e);return!(n<0)&&(n==t.length-1?t.pop():ce.call(t,n,1),!0)},Me.prototype.get=function(e){var t=this.__data__,n=Le(t,e);return n<0?void 0:t[n][1]},Me.prototype.has=function(e){return Le(this.__data__,e)>-1},Me.prototype.set=function(e,t){var n=this.__data__,r=Le(n,e);return r<0?n.push([e,t]):n[r][1]=t,this},_e.prototype.clear=function(){this.__data__={hash:new Be,map:new(fe||Me),string:new Be}},_e.prototype.delete=function(e){return De(this,e).delete(e)},_e.prototype.get=function(e){return De(this,e).get(e)},_e.prototype.has=function(e){return De(this,e).has(e)},_e.prototype.set=function(e,t){return De(this,e).set(e,t),this},Se.prototype.clear=function(){this.__data__=new Me},Se.prototype.delete=function(e){return this.__data__.delete(e)},Se.prototype.get=function(e){return this.__data__.get(e)},Se.prototype.has=function(e){return this.__data__.has(e)},Se.prototype.set=function(e,t){var n=this.__data__;if(n instanceof Me){var r=n.__data__;if(!fe||r.length<199)return r.push([e,t]),this;n=this.__data__=new _e(r)}return n.set(e,t),this};var He=ue?U(ue,Object):function(){return[]},Pe=function(e){return te.call(e)};function je(e,t){return!!(t=null==t?o:t)&&("number"==typeof e||L.test(e))&&e>-1&&e%1==0&&e<t}function Fe(e){var t=e&&e.constructor;return e===("function"==typeof t&&t.prototype||Y)}function ze(e){if(null!=e){try{return Q.call(e)}catch(e){}try{return e+""}catch(e){}}return""}function qe(e,t){return e===t||e!=e&&t!=t}(pe&&Pe(new pe(new ArrayBuffer(1)))!=b||fe&&Pe(new fe)!=u||me&&Pe(me.resolve())!=p||ve&&Pe(new ve)!=m||ge&&Pe(new ge)!=w)&&(Pe=function(e){var t=te.call(e),n=t==h?e.constructor:void 0,r=n?ze(n):void 0;if(r)switch(r){case ye:return b;case be:return u;case xe:return p;case ke:return m;case Ee:return w}return t});var Ue=Array.isArray;function $e(e){return null!=e&&function(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=o}(e.length)&&!Ge(e)}var We=de||function(){return!1};function Ge(e){var t=Ke(e)?te.call(e):"";return t==s||t==c}function Ke(e){var t=typeof e;return!!e&&("object"==t||"function"==t)}function Ye(e){return $e(e)?Ne(e):function(e){if(!Fe(e))return he(e);var t=[];for(var n in Object(e))ee.call(e,n)&&"constructor"!=n&&t.push(n);return t}(e)}e.exports=function(e){return Te(e,!0,!0)}},8142:(e,t,n)=>{e=n.nmd(e);var r="__lodash_hash_undefined__",o=9007199254740991,i="[object Arguments]",a="[object Array]",l="[object Boolean]",s="[object Date]",c="[object Error]",u="[object Function]",d="[object Map]",h="[object Number]",p="[object Object]",f="[object Promise]",m="[object RegExp]",v="[object Set]",g="[object String]",w="[object Symbol]",y="[object WeakMap]",b="[object ArrayBuffer]",x="[object DataView]",k=/^\[object .+?Constructor\]$/,E=/^(?:0|[1-9]\d*)$/,A={};A["[object Float32Array]"]=A["[object Float64Array]"]=A["[object Int8Array]"]=A["[object Int16Array]"]=A["[object Int32Array]"]=A["[object Uint8Array]"]=A["[object Uint8ClampedArray]"]=A["[object Uint16Array]"]=A["[object Uint32Array]"]=!0,A[i]=A[a]=A[b]=A[l]=A[x]=A[s]=A[c]=A[u]=A[d]=A[h]=A[p]=A[m]=A[v]=A[g]=A[y]=!1;var C="object"==typeof n.g&&n.g&&n.g.Object===Object&&n.g,B="object"==typeof self&&self&&self.Object===Object&&self,M=C||B||Function("return this")(),_=t&&!t.nodeType&&t,S=_&&e&&!e.nodeType&&e,N=S&&S.exports===_,V=N&&C.process,L=function(){try{return V&&V.binding&&V.binding("util")}catch(e){}}(),T=L&&L.isTypedArray;function I(e,t){for(var n=-1,r=null==e?0:e.length;++n<r;)if(t(e[n],n,e))return!0;return!1}function Z(e){var t=-1,n=Array(e.size);return e.forEach((function(e,r){n[++t]=[r,e]})),n}function O(e){var t=-1,n=Array(e.size);return e.forEach((function(e){n[++t]=e})),n}var D,R,H,P=Array.prototype,j=Function.prototype,F=Object.prototype,z=M["__core-js_shared__"],q=j.toString,U=F.hasOwnProperty,$=(D=/[^.]+$/.exec(z&&z.keys&&z.keys.IE_PROTO||""))?"Symbol(src)_1."+D:"",W=F.toString,G=RegExp("^"+q.call(U).replace(/[\\^$.*+?()[\]{}|]/g,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),K=N?M.Buffer:void 0,Y=M.Symbol,X=M.Uint8Array,J=F.propertyIsEnumerable,Q=P.splice,ee=Y?Y.toStringTag:void 0,te=Object.getOwnPropertySymbols,ne=K?K.isBuffer:void 0,re=(R=Object.keys,H=Object,function(e){return R(H(e))}),oe=Le(M,"DataView"),ie=Le(M,"Map"),ae=Le(M,"Promise"),le=Le(M,"Set"),se=Le(M,"WeakMap"),ce=Le(Object,"create"),ue=Oe(oe),de=Oe(ie),he=Oe(ae),pe=Oe(le),fe=Oe(se),me=Y?Y.prototype:void 0,ve=me?me.valueOf:void 0;function ge(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function we(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function ye(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function be(e){var t=-1,n=null==e?0:e.length;for(this.__data__=new ye;++t<n;)this.add(e[t])}function xe(e){var t=this.__data__=new we(e);this.size=t.size}function ke(e,t){var n=He(e),r=!n&&Re(e),o=!n&&!r&&Pe(e),i=!n&&!r&&!o&&Ue(e),a=n||r||o||i,l=a?function(e,t){for(var n=-1,r=Array(e);++n<e;)r[n]=t(n);return r}(e.length,String):[],s=l.length;for(var c in e)!t&&!U.call(e,c)||a&&("length"==c||o&&("offset"==c||"parent"==c)||i&&("buffer"==c||"byteLength"==c||"byteOffset"==c)||Ze(c,s))||l.push(c);return l}function Ee(e,t){for(var n=e.length;n--;)if(De(e[n][0],t))return n;return-1}function Ae(e){return null==e?void 0===e?"[object Undefined]":"[object Null]":ee&&ee in Object(e)?function(e){var t=U.call(e,ee),n=e[ee];try{e[ee]=void 0;var r=!0}catch(e){}var o=W.call(e);r&&(t?e[ee]=n:delete e[ee]);return o}(e):function(e){return W.call(e)}(e)}function Ce(e){return qe(e)&&Ae(e)==i}function Be(e,t,n,r,o){return e===t||(null==e||null==t||!qe(e)&&!qe(t)?e!=e&&t!=t:function(e,t,n,r,o,u){var f=He(e),y=He(t),k=f?a:Ie(e),E=y?a:Ie(t),A=(k=k==i?p:k)==p,C=(E=E==i?p:E)==p,B=k==E;if(B&&Pe(e)){if(!Pe(t))return!1;f=!0,A=!1}if(B&&!A)return u||(u=new xe),f||Ue(e)?Se(e,t,n,r,o,u):function(e,t,n,r,o,i,a){switch(n){case x:if(e.byteLength!=t.byteLength||e.byteOffset!=t.byteOffset)return!1;e=e.buffer,t=t.buffer;case b:return!(e.byteLength!=t.byteLength||!i(new X(e),new X(t)));case l:case s:case h:return De(+e,+t);case c:return e.name==t.name&&e.message==t.message;case m:case g:return e==t+"";case d:var u=Z;case v:var p=1&r;if(u||(u=O),e.size!=t.size&&!p)return!1;var f=a.get(e);if(f)return f==t;r|=2,a.set(e,t);var y=Se(u(e),u(t),r,o,i,a);return a.delete(e),y;case w:if(ve)return ve.call(e)==ve.call(t)}return!1}(e,t,k,n,r,o,u);if(!(1&n)){var M=A&&U.call(e,"__wrapped__"),_=C&&U.call(t,"__wrapped__");if(M||_){var S=M?e.value():e,N=_?t.value():t;return u||(u=new xe),o(S,N,n,r,u)}}if(!B)return!1;return u||(u=new xe),function(e,t,n,r,o,i){var a=1&n,l=Ne(e),s=l.length,c=Ne(t),u=c.length;if(s!=u&&!a)return!1;var d=s;for(;d--;){var h=l[d];if(!(a?h in t:U.call(t,h)))return!1}var p=i.get(e);if(p&&i.get(t))return p==t;var f=!0;i.set(e,t),i.set(t,e);var m=a;for(;++d<s;){var v=e[h=l[d]],g=t[h];if(r)var w=a?r(g,v,h,t,e,i):r(v,g,h,e,t,i);if(!(void 0===w?v===g||o(v,g,n,r,i):w)){f=!1;break}m||(m="constructor"==h)}if(f&&!m){var y=e.constructor,b=t.constructor;y==b||!("constructor"in e)||!("constructor"in t)||"function"==typeof y&&y instanceof y&&"function"==typeof b&&b instanceof b||(f=!1)}return i.delete(e),i.delete(t),f}(e,t,n,r,o,u)}(e,t,n,r,Be,o))}function Me(e){return!(!ze(e)||function(e){return!!$&&$ in e}(e))&&(je(e)?G:k).test(Oe(e))}function _e(e){if(n=(t=e)&&t.constructor,r="function"==typeof n&&n.prototype||F,t!==r)return re(e);var t,n,r,o=[];for(var i in Object(e))U.call(e,i)&&"constructor"!=i&&o.push(i);return o}function Se(e,t,n,r,o,i){var a=1&n,l=e.length,s=t.length;if(l!=s&&!(a&&s>l))return!1;var c=i.get(e);if(c&&i.get(t))return c==t;var u=-1,d=!0,h=2&n?new be:void 0;for(i.set(e,t),i.set(t,e);++u<l;){var p=e[u],f=t[u];if(r)var m=a?r(f,p,u,t,e,i):r(p,f,u,e,t,i);if(void 0!==m){if(m)continue;d=!1;break}if(h){if(!I(t,(function(e,t){if(a=t,!h.has(a)&&(p===e||o(p,e,n,r,i)))return h.push(t);var a}))){d=!1;break}}else if(p!==f&&!o(p,f,n,r,i)){d=!1;break}}return i.delete(e),i.delete(t),d}function Ne(e){return function(e,t,n){var r=t(e);return He(e)?r:function(e,t){for(var n=-1,r=t.length,o=e.length;++n<r;)e[o+n]=t[n];return e}(r,n(e))}(e,$e,Te)}function Ve(e,t){var n,r,o=e.__data__;return("string"==(r=typeof(n=t))||"number"==r||"symbol"==r||"boolean"==r?"__proto__"!==n:null===n)?o["string"==typeof t?"string":"hash"]:o.map}function Le(e,t){var n=function(e,t){return null==e?void 0:e[t]}(e,t);return Me(n)?n:void 0}ge.prototype.clear=function(){this.__data__=ce?ce(null):{},this.size=0},ge.prototype.delete=function(e){var t=this.has(e)&&delete this.__data__[e];return this.size-=t?1:0,t},ge.prototype.get=function(e){var t=this.__data__;if(ce){var n=t[e];return n===r?void 0:n}return U.call(t,e)?t[e]:void 0},ge.prototype.has=function(e){var t=this.__data__;return ce?void 0!==t[e]:U.call(t,e)},ge.prototype.set=function(e,t){var n=this.__data__;return this.size+=this.has(e)?0:1,n[e]=ce&&void 0===t?r:t,this},we.prototype.clear=function(){this.__data__=[],this.size=0},we.prototype.delete=function(e){var t=this.__data__,n=Ee(t,e);return!(n<0)&&(n==t.length-1?t.pop():Q.call(t,n,1),--this.size,!0)},we.prototype.get=function(e){var t=this.__data__,n=Ee(t,e);return n<0?void 0:t[n][1]},we.prototype.has=function(e){return Ee(this.__data__,e)>-1},we.prototype.set=function(e,t){var n=this.__data__,r=Ee(n,e);return r<0?(++this.size,n.push([e,t])):n[r][1]=t,this},ye.prototype.clear=function(){this.size=0,this.__data__={hash:new ge,map:new(ie||we),string:new ge}},ye.prototype.delete=function(e){var t=Ve(this,e).delete(e);return this.size-=t?1:0,t},ye.prototype.get=function(e){return Ve(this,e).get(e)},ye.prototype.has=function(e){return Ve(this,e).has(e)},ye.prototype.set=function(e,t){var n=Ve(this,e),r=n.size;return n.set(e,t),this.size+=n.size==r?0:1,this},be.prototype.add=be.prototype.push=function(e){return this.__data__.set(e,r),this},be.prototype.has=function(e){return this.__data__.has(e)},xe.prototype.clear=function(){this.__data__=new we,this.size=0},xe.prototype.delete=function(e){var t=this.__data__,n=t.delete(e);return this.size=t.size,n},xe.prototype.get=function(e){return this.__data__.get(e)},xe.prototype.has=function(e){return this.__data__.has(e)},xe.prototype.set=function(e,t){var n=this.__data__;if(n instanceof we){var r=n.__data__;if(!ie||r.length<199)return r.push([e,t]),this.size=++n.size,this;n=this.__data__=new ye(r)}return n.set(e,t),this.size=n.size,this};var Te=te?function(e){return null==e?[]:(e=Object(e),function(e,t){for(var n=-1,r=null==e?0:e.length,o=0,i=[];++n<r;){var a=e[n];t(a,n,e)&&(i[o++]=a)}return i}(te(e),(function(t){return J.call(e,t)})))}:function(){return[]},Ie=Ae;function Ze(e,t){return!!(t=null==t?o:t)&&("number"==typeof e||E.test(e))&&e>-1&&e%1==0&&e<t}function Oe(e){if(null!=e){try{return q.call(e)}catch(e){}try{return e+""}catch(e){}}return""}function De(e,t){return e===t||e!=e&&t!=t}(oe&&Ie(new oe(new ArrayBuffer(1)))!=x||ie&&Ie(new ie)!=d||ae&&Ie(ae.resolve())!=f||le&&Ie(new le)!=v||se&&Ie(new se)!=y)&&(Ie=function(e){var t=Ae(e),n=t==p?e.constructor:void 0,r=n?Oe(n):"";if(r)switch(r){case ue:return x;case de:return d;case he:return f;case pe:return v;case fe:return y}return t});var Re=Ce(function(){return arguments}())?Ce:function(e){return qe(e)&&U.call(e,"callee")&&!J.call(e,"callee")},He=Array.isArray;var Pe=ne||function(){return!1};function je(e){if(!ze(e))return!1;var t=Ae(e);return t==u||"[object GeneratorFunction]"==t||"[object AsyncFunction]"==t||"[object Proxy]"==t}function Fe(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=o}function ze(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}function qe(e){return null!=e&&"object"==typeof e}var Ue=T?function(e){return function(t){return e(t)}}(T):function(e){return qe(e)&&Fe(e.length)&&!!A[Ae(e)]};function $e(e){return null!=(t=e)&&Fe(t.length)&&!je(t)?ke(e):_e(e);var t}e.exports=function(e,t){return Be(e,t)}},55580:(e,t,n)=>{var r=n(56110)(n(9325),"DataView");e.exports=r},21549:(e,t,n)=>{var r=n(22032),o=n(63862),i=n(66721),a=n(12749),l=n(35749);function s(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}s.prototype.clear=r,s.prototype.delete=o,s.prototype.get=i,s.prototype.has=a,s.prototype.set=l,e.exports=s},80079:(e,t,n)=>{var r=n(63702),o=n(70080),i=n(24739),a=n(48655),l=n(31175);function s(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}s.prototype.clear=r,s.prototype.delete=o,s.prototype.get=i,s.prototype.has=a,s.prototype.set=l,e.exports=s},68223:(e,t,n)=>{var r=n(56110)(n(9325),"Map");e.exports=r},53661:(e,t,n)=>{var r=n(63040),o=n(17670),i=n(90289),a=n(4509),l=n(72949);function s(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}s.prototype.clear=r,s.prototype.delete=o,s.prototype.get=i,s.prototype.has=a,s.prototype.set=l,e.exports=s},32804:(e,t,n)=>{var r=n(56110)(n(9325),"Promise");e.exports=r},76545:(e,t,n)=>{var r=n(56110)(n(9325),"Set");e.exports=r},38859:(e,t,n)=>{var r=n(53661),o=n(31380),i=n(51459);function a(e){var t=-1,n=null==e?0:e.length;for(this.__data__=new r;++t<n;)this.add(e[t])}a.prototype.add=a.prototype.push=o,a.prototype.has=i,e.exports=a},37217:(e,t,n)=>{var r=n(80079),o=n(51420),i=n(90938),a=n(63605),l=n(29817),s=n(80945);function c(e){var t=this.__data__=new r(e);this.size=t.size}c.prototype.clear=o,c.prototype.delete=i,c.prototype.get=a,c.prototype.has=l,c.prototype.set=s,e.exports=c},51873:(e,t,n)=>{var r=n(9325).Symbol;e.exports=r},37828:(e,t,n)=>{var r=n(9325).Uint8Array;e.exports=r},28303:(e,t,n)=>{var r=n(56110)(n(9325),"WeakMap");e.exports=r},91033:e=>{e.exports=function(e,t,n){switch(n.length){case 0:return e.call(t);case 1:return e.call(t,n[0]);case 2:return e.call(t,n[0],n[1]);case 3:return e.call(t,n[0],n[1],n[2])}return e.apply(t,n)}},63945:e=>{e.exports=function(e,t,n,r){for(var o=-1,i=null==e?0:e.length;++o<i;){var a=e[o];t(r,a,n(a),e)}return r}},83729:e=>{e.exports=function(e,t){for(var n=-1,r=null==e?0:e.length;++n<r&&!1!==t(e[n],n,e););return e}},79770:e=>{e.exports=function(e,t){for(var n=-1,r=null==e?0:e.length,o=0,i=[];++n<r;){var a=e[n];t(a,n,e)&&(i[o++]=a)}return i}},15325:(e,t,n)=>{var r=n(96131);e.exports=function(e,t){return!!(null==e?0:e.length)&&r(e,t,0)>-1}},29905:e=>{e.exports=function(e,t,n){for(var r=-1,o=null==e?0:e.length;++r<o;)if(n(t,e[r]))return!0;return!1}},70695:(e,t,n)=>{var r=n(78096),o=n(72428),i=n(56449),a=n(3656),l=n(30361),s=n(37167),c=Object.prototype.hasOwnProperty;e.exports=function(e,t){var n=i(e),u=!n&&o(e),d=!n&&!u&&a(e),h=!n&&!u&&!d&&s(e),p=n||u||d||h,f=p?r(e.length,String):[],m=f.length;for(var v in e)!t&&!c.call(e,v)||p&&("length"==v||d&&("offset"==v||"parent"==v)||h&&("buffer"==v||"byteLength"==v||"byteOffset"==v)||l(v,m))||f.push(v);return f}},34932:e=>{e.exports=function(e,t){for(var n=-1,r=null==e?0:e.length,o=Array(r);++n<r;)o[n]=t(e[n],n,e);return o}},14528:e=>{e.exports=function(e,t){for(var n=-1,r=t.length,o=e.length;++n<r;)e[o+n]=t[n];return e}},40882:e=>{e.exports=function(e,t,n,r){var o=-1,i=null==e?0:e.length;for(r&&i&&(n=e[++o]);++o<i;)n=t(n,e[o],o,e);return n}},14248:e=>{e.exports=function(e,t){for(var n=-1,r=null==e?0:e.length;++n<r;)if(t(e[n],n,e))return!0;return!1}},61074:e=>{e.exports=function(e){return e.split("")}},1733:e=>{var t=/[^\x00-\x2f\x3a-\x40\x5b-\x60\x7b-\x7f]+/g;e.exports=function(e){return e.match(t)||[]}},87805:(e,t,n)=>{var r=n(43360),o=n(75288);e.exports=function(e,t,n){(void 0!==n&&!o(e[t],n)||void 0===n&&!(t in e))&&r(e,t,n)}},16547:(e,t,n)=>{var r=n(43360),o=n(75288),i=Object.prototype.hasOwnProperty;e.exports=function(e,t,n){var a=e[t];i.call(e,t)&&o(a,n)&&(void 0!==n||t in e)||r(e,t,n)}},26025:(e,t,n)=>{var r=n(75288);e.exports=function(e,t){for(var n=e.length;n--;)if(r(e[n][0],t))return n;return-1}},62429:(e,t,n)=>{var r=n(80909);e.exports=function(e,t,n,o){return r(e,(function(e,r,i){t(o,e,n(e),i)})),o}},74733:(e,t,n)=>{var r=n(21791),o=n(95950);e.exports=function(e,t){return e&&r(t,o(t),e)}},43838:(e,t,n)=>{var r=n(21791),o=n(37241);e.exports=function(e,t){return e&&r(t,o(t),e)}},43360:(e,t,n)=>{var r=n(93243);e.exports=function(e,t,n){"__proto__"==t&&r?r(e,t,{configurable:!0,enumerable:!0,value:n,writable:!0}):e[t]=n}},9999:(e,t,n)=>{var r=n(37217),o=n(83729),i=n(16547),a=n(74733),l=n(43838),s=n(93290),c=n(23007),u=n(92271),d=n(48948),h=n(50002),p=n(83349),f=n(5861),m=n(76189),v=n(77199),g=n(35529),w=n(56449),y=n(3656),b=n(87730),x=n(23805),k=n(38440),E=n(95950),A=n(37241),C="[object Arguments]",B="[object Function]",M="[object Object]",_={};_[C]=_["[object Array]"]=_["[object ArrayBuffer]"]=_["[object DataView]"]=_["[object Boolean]"]=_["[object Date]"]=_["[object Float32Array]"]=_["[object Float64Array]"]=_["[object Int8Array]"]=_["[object Int16Array]"]=_["[object Int32Array]"]=_["[object Map]"]=_["[object Number]"]=_[M]=_["[object RegExp]"]=_["[object Set]"]=_["[object String]"]=_["[object Symbol]"]=_["[object Uint8Array]"]=_["[object Uint8ClampedArray]"]=_["[object Uint16Array]"]=_["[object Uint32Array]"]=!0,_["[object Error]"]=_[B]=_["[object WeakMap]"]=!1,e.exports=function e(t,n,S,N,V,L){var T,I=1&n,Z=2&n,O=4&n;if(S&&(T=V?S(t,N,V,L):S(t)),void 0!==T)return T;if(!x(t))return t;var D=w(t);if(D){if(T=m(t),!I)return c(t,T)}else{var R=f(t),H=R==B||"[object GeneratorFunction]"==R;if(y(t))return s(t,I);if(R==M||R==C||H&&!V){if(T=Z||H?{}:g(t),!I)return Z?d(t,l(T,t)):u(t,a(T,t))}else{if(!_[R])return V?t:{};T=v(t,R,I)}}L||(L=new r);var P=L.get(t);if(P)return P;L.set(t,T),k(t)?t.forEach((function(r){T.add(e(r,n,S,r,t,L))})):b(t)&&t.forEach((function(r,o){T.set(o,e(r,n,S,o,t,L))}));var j=D?void 0:(O?Z?p:h:Z?A:E)(t);return o(j||t,(function(r,o){j&&(r=t[o=r]),i(T,o,e(r,n,S,o,t,L))})),T}},39344:(e,t,n)=>{var r=n(23805),o=Object.create,i=function(){function e(){}return function(t){if(!r(t))return{};if(o)return o(t);e.prototype=t;var n=new e;return e.prototype=void 0,n}}();e.exports=i},80909:(e,t,n)=>{var r=n(30641),o=n(38329)(r);e.exports=o},16574:(e,t,n)=>{var r=n(80909);e.exports=function(e,t){var n=[];return r(e,(function(e,r,o){t(e,r,o)&&n.push(e)})),n}},2523:e=>{e.exports=function(e,t,n,r){for(var o=e.length,i=n+(r?1:-1);r?i--:++i<o;)if(t(e[i],i,e))return i;return-1}},83120:(e,t,n)=>{var r=n(14528),o=n(45891);e.exports=function e(t,n,i,a,l){var s=-1,c=t.length;for(i||(i=o),l||(l=[]);++s<c;){var u=t[s];n>0&&i(u)?n>1?e(u,n-1,i,a,l):r(l,u):a||(l[l.length]=u)}return l}},86649:(e,t,n)=>{var r=n(83221)();e.exports=r},30641:(e,t,n)=>{var r=n(86649),o=n(95950);e.exports=function(e,t){return e&&r(e,t,o)}},47422:(e,t,n)=>{var r=n(31769),o=n(77797);e.exports=function(e,t){for(var n=0,i=(t=r(t,e)).length;null!=e&&n<i;)e=e[o(t[n++])];return n&&n==i?e:void 0}},82199:(e,t,n)=>{var r=n(14528),o=n(56449);e.exports=function(e,t,n){var i=t(e);return o(e)?i:r(i,n(e))}},72552:(e,t,n)=>{var r=n(51873),o=n(659),i=n(59350),a=r?r.toStringTag:void 0;e.exports=function(e){return null==e?void 0===e?"[object Undefined]":"[object Null]":a&&a in Object(e)?o(e):i(e)}},28077:e=>{e.exports=function(e,t){return null!=e&&t in Object(e)}},96131:(e,t,n)=>{var r=n(2523),o=n(85463),i=n(76959);e.exports=function(e,t,n){return t==t?i(e,t,n):r(e,o,n)}},27534:(e,t,n)=>{var r=n(72552),o=n(40346);e.exports=function(e){return o(e)&&"[object Arguments]"==r(e)}},60270:(e,t,n)=>{var r=n(87068),o=n(40346);e.exports=function e(t,n,i,a,l){return t===n||(null==t||null==n||!o(t)&&!o(n)?t!=t&&n!=n:r(t,n,i,a,e,l))}},87068:(e,t,n)=>{var r=n(37217),o=n(25911),i=n(21986),a=n(50689),l=n(5861),s=n(56449),c=n(3656),u=n(37167),d="[object Arguments]",h="[object Array]",p="[object Object]",f=Object.prototype.hasOwnProperty;e.exports=function(e,t,n,m,v,g){var w=s(e),y=s(t),b=w?h:l(e),x=y?h:l(t),k=(b=b==d?p:b)==p,E=(x=x==d?p:x)==p,A=b==x;if(A&&c(e)){if(!c(t))return!1;w=!0,k=!1}if(A&&!k)return g||(g=new r),w||u(e)?o(e,t,n,m,v,g):i(e,t,b,n,m,v,g);if(!(1&n)){var C=k&&f.call(e,"__wrapped__"),B=E&&f.call(t,"__wrapped__");if(C||B){var M=C?e.value():e,_=B?t.value():t;return g||(g=new r),v(M,_,n,m,g)}}return!!A&&(g||(g=new r),a(e,t,n,m,v,g))}},29172:(e,t,n)=>{var r=n(5861),o=n(40346);e.exports=function(e){return o(e)&&"[object Map]"==r(e)}},41799:(e,t,n)=>{var r=n(37217),o=n(60270);e.exports=function(e,t,n,i){var a=n.length,l=a,s=!i;if(null==e)return!l;for(e=Object(e);a--;){var c=n[a];if(s&&c[2]?c[1]!==e[c[0]]:!(c[0]in e))return!1}for(;++a<l;){var u=(c=n[a])[0],d=e[u],h=c[1];if(s&&c[2]){if(void 0===d&&!(u in e))return!1}else{var p=new r;if(i)var f=i(d,h,u,e,t,p);if(!(void 0===f?o(h,d,3,i,p):f))return!1}}return!0}},85463:e=>{e.exports=function(e){return e!=e}},45083:(e,t,n)=>{var r=n(1882),o=n(87296),i=n(23805),a=n(47473),l=/^\[object .+?Constructor\]$/,s=Function.prototype,c=Object.prototype,u=s.toString,d=c.hasOwnProperty,h=RegExp("^"+u.call(d).replace(/[\\^$.*+?()[\]{}|]/g,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$");e.exports=function(e){return!(!i(e)||o(e))&&(r(e)?h:l).test(a(e))}},16038:(e,t,n)=>{var r=n(5861),o=n(40346);e.exports=function(e){return o(e)&&"[object Set]"==r(e)}},4901:(e,t,n)=>{var r=n(72552),o=n(30294),i=n(40346),a={};a["[object Float32Array]"]=a["[object Float64Array]"]=a["[object Int8Array]"]=a["[object Int16Array]"]=a["[object Int32Array]"]=a["[object Uint8Array]"]=a["[object Uint8ClampedArray]"]=a["[object Uint16Array]"]=a["[object Uint32Array]"]=!0,a["[object Arguments]"]=a["[object Array]"]=a["[object ArrayBuffer]"]=a["[object Boolean]"]=a["[object DataView]"]=a["[object Date]"]=a["[object Error]"]=a["[object Function]"]=a["[object Map]"]=a["[object Number]"]=a["[object Object]"]=a["[object RegExp]"]=a["[object Set]"]=a["[object String]"]=a["[object WeakMap]"]=!1,e.exports=function(e){return i(e)&&o(e.length)&&!!a[r(e)]}},15389:(e,t,n)=>{var r=n(93663),o=n(87978),i=n(83488),a=n(56449),l=n(50583);e.exports=function(e){return"function"==typeof e?e:null==e?i:"object"==typeof e?a(e)?o(e[0],e[1]):r(e):l(e)}},88984:(e,t,n)=>{var r=n(55527),o=n(3650),i=Object.prototype.hasOwnProperty;e.exports=function(e){if(!r(e))return o(e);var t=[];for(var n in Object(e))i.call(e,n)&&"constructor"!=n&&t.push(n);return t}},72903:(e,t,n)=>{var r=n(23805),o=n(55527),i=n(90181),a=Object.prototype.hasOwnProperty;e.exports=function(e){if(!r(e))return i(e);var t=o(e),n=[];for(var l in e)("constructor"!=l||!t&&a.call(e,l))&&n.push(l);return n}},5128:(e,t,n)=>{var r=n(80909),o=n(64894);e.exports=function(e,t){var n=-1,i=o(e)?Array(e.length):[];return r(e,(function(e,r,o){i[++n]=t(e,r,o)})),i}},93663:(e,t,n)=>{var r=n(41799),o=n(10776),i=n(67197);e.exports=function(e){var t=o(e);return 1==t.length&&t[0][2]?i(t[0][0],t[0][1]):function(n){return n===e||r(n,e,t)}}},87978:(e,t,n)=>{var r=n(60270),o=n(58156),i=n(80631),a=n(28586),l=n(30756),s=n(67197),c=n(77797);e.exports=function(e,t){return a(e)&&l(t)?s(c(e),t):function(n){var a=o(n,e);return void 0===a&&a===t?i(n,e):r(t,a,3)}}},85250:(e,t,n)=>{var r=n(37217),o=n(87805),i=n(86649),a=n(42824),l=n(23805),s=n(37241),c=n(14974);e.exports=function e(t,n,u,d,h){t!==n&&i(n,(function(i,s){if(h||(h=new r),l(i))a(t,n,s,u,e,d,h);else{var p=d?d(c(t,s),i,s+"",t,n,h):void 0;void 0===p&&(p=i),o(t,s,p)}}),s)}},42824:(e,t,n)=>{var r=n(87805),o=n(93290),i=n(71961),a=n(23007),l=n(35529),s=n(72428),c=n(56449),u=n(83693),d=n(3656),h=n(1882),p=n(23805),f=n(11331),m=n(37167),v=n(14974),g=n(69884);e.exports=function(e,t,n,w,y,b,x){var k=v(e,n),E=v(t,n),A=x.get(E);if(A)r(e,n,A);else{var C=b?b(k,E,n+"",e,t,x):void 0,B=void 0===C;if(B){var M=c(E),_=!M&&d(E),S=!M&&!_&&m(E);C=E,M||_||S?c(k)?C=k:u(k)?C=a(k):_?(B=!1,C=o(E,!0)):S?(B=!1,C=i(E,!0)):C=[]:f(E)||s(E)?(C=k,s(k)?C=g(k):p(k)&&!h(k)||(C=l(E))):B=!1}B&&(x.set(E,C),y(C,E,w,b,x),x.delete(E)),r(e,n,C)}}},46155:(e,t,n)=>{var r=n(34932),o=n(47422),i=n(15389),a=n(5128),l=n(73937),s=n(27301),c=n(43714),u=n(83488),d=n(56449);e.exports=function(e,t,n){t=t.length?r(t,(function(e){return d(e)?function(t){return o(t,1===e.length?e[0]:e)}:e})):[u];var h=-1;t=r(t,s(i));var p=a(e,(function(e,n,o){return{criteria:r(t,(function(t){return t(e)})),index:++h,value:e}}));return l(p,(function(e,t){return c(e,t,n)}))}},76001:(e,t,n)=>{var r=n(97420),o=n(80631);e.exports=function(e,t){return r(e,t,(function(t,n){return o(e,n)}))}},97420:(e,t,n)=>{var r=n(47422),o=n(73170),i=n(31769);e.exports=function(e,t,n){for(var a=-1,l=t.length,s={};++a<l;){var c=t[a],u=r(e,c);n(u,c)&&o(s,i(c,e),u)}return s}},47237:e=>{e.exports=function(e){return function(t){return null==t?void 0:t[e]}}},17255:(e,t,n)=>{var r=n(47422);e.exports=function(e){return function(t){return r(t,e)}}},54552:e=>{e.exports=function(e){return function(t){return null==e?void 0:e[t]}}},85558:e=>{e.exports=function(e,t,n,r,o){return o(e,(function(e,o,i){n=r?(r=!1,e):t(n,e,o,i)})),n}},69302:(e,t,n)=>{var r=n(83488),o=n(56757),i=n(32865);e.exports=function(e,t){return i(o(e,t,r),e+"")}},73170:(e,t,n)=>{var r=n(16547),o=n(31769),i=n(30361),a=n(23805),l=n(77797);e.exports=function(e,t,n,s){if(!a(e))return e;for(var c=-1,u=(t=o(t,e)).length,d=u-1,h=e;null!=h&&++c<u;){var p=l(t[c]),f=n;if("__proto__"===p||"constructor"===p||"prototype"===p)return e;if(c!=d){var m=h[p];void 0===(f=s?s(m,p,h):void 0)&&(f=a(m)?m:i(t[c+1])?[]:{})}r(h,p,f),h=h[p]}return e}},19570:(e,t,n)=>{var r=n(37334),o=n(93243),i=n(83488),a=o?function(e,t){return o(e,"toString",{configurable:!0,enumerable:!1,value:r(t),writable:!0})}:i;e.exports=a},25160:e=>{e.exports=function(e,t,n){var r=-1,o=e.length;t<0&&(t=-t>o?0:o+t),(n=n>o?o:n)<0&&(n+=o),o=t>n?0:n-t>>>0,t>>>=0;for(var i=Array(o);++r<o;)i[r]=e[r+t];return i}},73937:e=>{e.exports=function(e,t){var n=e.length;for(e.sort(t);n--;)e[n]=e[n].value;return e}},17721:e=>{e.exports=function(e,t){for(var n,r=-1,o=e.length;++r<o;){var i=t(e[r]);void 0!==i&&(n=void 0===n?i:n+i)}return n}},78096:e=>{e.exports=function(e,t){for(var n=-1,r=Array(e);++n<e;)r[n]=t(n);return r}},77556:(e,t,n)=>{var r=n(51873),o=n(34932),i=n(56449),a=n(44394),l=r?r.prototype:void 0,s=l?l.toString:void 0;e.exports=function e(t){if("string"==typeof t)return t;if(i(t))return o(t,e)+"";if(a(t))return s?s.call(t):"";var n=t+"";return"0"==n&&1/t==-1/0?"-0":n}},54128:(e,t,n)=>{var r=n(31800),o=/^\s+/;e.exports=function(e){return e?e.slice(0,r(e)+1).replace(o,""):e}},27301:e=>{e.exports=function(e){return function(t){return e(t)}}},55765:(e,t,n)=>{var r=n(38859),o=n(15325),i=n(29905),a=n(19219),l=n(44517),s=n(84247);e.exports=function(e,t,n){var c=-1,u=o,d=e.length,h=!0,p=[],f=p;if(n)h=!1,u=i;else if(d>=200){var m=t?null:l(e);if(m)return s(m);h=!1,u=a,f=new r}else f=t?[]:p;e:for(;++c<d;){var v=e[c],g=t?t(v):v;if(v=n||0!==v?v:0,h&&g==g){for(var w=f.length;w--;)if(f[w]===g)continue e;t&&f.push(g),p.push(v)}else u(f,g,n)||(f!==p&&f.push(g),p.push(v))}return p}},19931:(e,t,n)=>{var r=n(31769),o=n(68090),i=n(68969),a=n(77797);e.exports=function(e,t){return t=r(t,e),null==(e=i(e,t))||delete e[a(o(t))]}},30514:(e,t,n)=>{var r=n(34932);e.exports=function(e,t){return r(t,(function(t){return e[t]}))}},19219:e=>{e.exports=function(e,t){return e.has(t)}},24066:(e,t,n)=>{var r=n(83488);e.exports=function(e){return"function"==typeof e?e:r}},31769:(e,t,n)=>{var r=n(56449),o=n(28586),i=n(61802),a=n(13222);e.exports=function(e,t){return r(e)?e:o(e,t)?[e]:i(a(e))}},28754:(e,t,n)=>{var r=n(25160);e.exports=function(e,t,n){var o=e.length;return n=void 0===n?o:n,!t&&n>=o?e:r(e,t,n)}},23875:(e,t,n)=>{var r=n(96131);e.exports=function(e,t){for(var n=e.length;n--&&r(t,e[n],0)>-1;);return n}},28380:(e,t,n)=>{var r=n(96131);e.exports=function(e,t){for(var n=-1,o=e.length;++n<o&&r(t,e[n],0)>-1;);return n}},49653:(e,t,n)=>{var r=n(37828);e.exports=function(e){var t=new e.constructor(e.byteLength);return new r(t).set(new r(e)),t}},93290:(e,t,n)=>{e=n.nmd(e);var r=n(9325),o=t&&!t.nodeType&&t,i=o&&e&&!e.nodeType&&e,a=i&&i.exports===o?r.Buffer:void 0,l=a?a.allocUnsafe:void 0;e.exports=function(e,t){if(t)return e.slice();var n=e.length,r=l?l(n):new e.constructor(n);return e.copy(r),r}},76169:(e,t,n)=>{var r=n(49653);e.exports=function(e,t){var n=t?r(e.buffer):e.buffer;return new e.constructor(n,e.byteOffset,e.byteLength)}},73201:e=>{var t=/\w*$/;e.exports=function(e){var n=new e.constructor(e.source,t.exec(e));return n.lastIndex=e.lastIndex,n}},93736:(e,t,n)=>{var r=n(51873),o=r?r.prototype:void 0,i=o?o.valueOf:void 0;e.exports=function(e){return i?Object(i.call(e)):{}}},71961:(e,t,n)=>{var r=n(49653);e.exports=function(e,t){var n=t?r(e.buffer):e.buffer;return new e.constructor(n,e.byteOffset,e.length)}},53730:(e,t,n)=>{var r=n(44394);e.exports=function(e,t){if(e!==t){var n=void 0!==e,o=null===e,i=e==e,a=r(e),l=void 0!==t,s=null===t,c=t==t,u=r(t);if(!s&&!u&&!a&&e>t||a&&l&&c&&!s&&!u||o&&l&&c||!n&&c||!i)return 1;if(!o&&!a&&!u&&e<t||u&&n&&i&&!o&&!a||s&&n&&i||!l&&i||!c)return-1}return 0}},43714:(e,t,n)=>{var r=n(53730);e.exports=function(e,t,n){for(var o=-1,i=e.criteria,a=t.criteria,l=i.length,s=n.length;++o<l;){var c=r(i[o],a[o]);if(c)return o>=s?c:c*("desc"==n[o]?-1:1)}return e.index-t.index}},23007:e=>{e.exports=function(e,t){var n=-1,r=e.length;for(t||(t=Array(r));++n<r;)t[n]=e[n];return t}},21791:(e,t,n)=>{var r=n(16547),o=n(43360);e.exports=function(e,t,n,i){var a=!n;n||(n={});for(var l=-1,s=t.length;++l<s;){var c=t[l],u=i?i(n[c],e[c],c,n,e):void 0;void 0===u&&(u=e[c]),a?o(n,c,u):r(n,c,u)}return n}},92271:(e,t,n)=>{var r=n(21791),o=n(4664);e.exports=function(e,t){return r(e,o(e),t)}},48948:(e,t,n)=>{var r=n(21791),o=n(86375);e.exports=function(e,t){return r(e,o(e),t)}},55481:(e,t,n)=>{var r=n(9325)["__core-js_shared__"];e.exports=r},42e3:(e,t,n)=>{var r=n(63945),o=n(62429),i=n(15389),a=n(56449);e.exports=function(e,t){return function(n,l){var s=a(n)?r:o,c=t?t():{};return s(n,e,i(l,2),c)}}},20999:(e,t,n)=>{var r=n(69302),o=n(36800);e.exports=function(e){return r((function(t,n){var r=-1,i=n.length,a=i>1?n[i-1]:void 0,l=i>2?n[2]:void 0;for(a=e.length>3&&"function"==typeof a?(i--,a):void 0,l&&o(n[0],n[1],l)&&(a=i<3?void 0:a,i=1),t=Object(t);++r<i;){var s=n[r];s&&e(t,s,r,a)}return t}))}},38329:(e,t,n)=>{var r=n(64894);e.exports=function(e,t){return function(n,o){if(null==n)return n;if(!r(n))return e(n,o);for(var i=n.length,a=t?i:-1,l=Object(n);(t?a--:++a<i)&&!1!==o(l[a],a,l););return n}}},83221:e=>{e.exports=function(e){return function(t,n,r){for(var o=-1,i=Object(t),a=r(t),l=a.length;l--;){var s=a[e?l:++o];if(!1===n(i[s],s,i))break}return t}}},12507:(e,t,n)=>{var r=n(28754),o=n(49698),i=n(63912),a=n(13222);e.exports=function(e){return function(t){t=a(t);var n=o(t)?i(t):void 0,l=n?n[0]:t.charAt(0),s=n?r(n,1).join(""):t.slice(1);return l[e]()+s}}},45539:(e,t,n)=>{var r=n(40882),o=n(50828),i=n(66645),a=RegExp("['’]","g");e.exports=function(e){return function(t){return r(i(o(t).replace(a,"")),e,"")}}},62006:(e,t,n)=>{var r=n(15389),o=n(64894),i=n(95950);e.exports=function(e){return function(t,n,a){var l=Object(t);if(!o(t)){var s=r(n,3);t=i(t),n=function(e){return s(l[e],e,l)}}var c=e(t,n,a);return c>-1?l[s?t[c]:c]:void 0}}},44517:(e,t,n)=>{var r=n(76545),o=n(63950),i=n(84247),a=r&&1/i(new r([,-0]))[1]==1/0?function(e){return new r(e)}:o;e.exports=a},53138:(e,t,n)=>{var r=n(11331);e.exports=function(e){return r(e)?void 0:e}},24647:(e,t,n)=>{var r=n(54552)({À:"A",Á:"A",Â:"A",Ã:"A",Ä:"A",Å:"A",à:"a",á:"a",â:"a",ã:"a",ä:"a",å:"a",Ç:"C",ç:"c",Ð:"D",ð:"d",È:"E",É:"E",Ê:"E",Ë:"E",è:"e",é:"e",ê:"e",ë:"e",Ì:"I",Í:"I",Î:"I",Ï:"I",ì:"i",í:"i",î:"i",ï:"i",Ñ:"N",ñ:"n",Ò:"O",Ó:"O",Ô:"O",Õ:"O",Ö:"O",Ø:"O",ò:"o",ó:"o",ô:"o",õ:"o",ö:"o",ø:"o",Ù:"U",Ú:"U",Û:"U",Ü:"U",ù:"u",ú:"u",û:"u",ü:"u",Ý:"Y",ý:"y",ÿ:"y",Æ:"Ae",æ:"ae",Þ:"Th",þ:"th",ß:"ss",Ā:"A",Ă:"A",Ą:"A",ā:"a",ă:"a",ą:"a",Ć:"C",Ĉ:"C",Ċ:"C",Č:"C",ć:"c",ĉ:"c",ċ:"c",č:"c",Ď:"D",Đ:"D",ď:"d",đ:"d",Ē:"E",Ĕ:"E",Ė:"E",Ę:"E",Ě:"E",ē:"e",ĕ:"e",ė:"e",ę:"e",ě:"e",Ĝ:"G",Ğ:"G",Ġ:"G",Ģ:"G",ĝ:"g",ğ:"g",ġ:"g",ģ:"g",Ĥ:"H",Ħ:"H",ĥ:"h",ħ:"h",Ĩ:"I",Ī:"I",Ĭ:"I",Į:"I",İ:"I",ĩ:"i",ī:"i",ĭ:"i",į:"i",ı:"i",Ĵ:"J",ĵ:"j",Ķ:"K",ķ:"k",ĸ:"k",Ĺ:"L",Ļ:"L",Ľ:"L",Ŀ:"L",Ł:"L",ĺ:"l",ļ:"l",ľ:"l",ŀ:"l",ł:"l",Ń:"N",Ņ:"N",Ň:"N",Ŋ:"N",ń:"n",ņ:"n",ň:"n",ŋ:"n",Ō:"O",Ŏ:"O",Ő:"O",ō:"o",ŏ:"o",ő:"o",Ŕ:"R",Ŗ:"R",Ř:"R",ŕ:"r",ŗ:"r",ř:"r",Ś:"S",Ŝ:"S",Ş:"S",Š:"S",ś:"s",ŝ:"s",ş:"s",š:"s",Ţ:"T",Ť:"T",Ŧ:"T",ţ:"t",ť:"t",ŧ:"t",Ũ:"U",Ū:"U",Ŭ:"U",Ů:"U",Ű:"U",Ų:"U",ũ:"u",ū:"u",ŭ:"u",ů:"u",ű:"u",ų:"u",Ŵ:"W",ŵ:"w",Ŷ:"Y",ŷ:"y",Ÿ:"Y",Ź:"Z",Ż:"Z",Ž:"Z",ź:"z",ż:"z",ž:"z",IJ:"IJ",ij:"ij",Œ:"Oe",œ:"oe",ʼn:"'n",ſ:"s"});e.exports=r},93243:(e,t,n)=>{var r=n(56110),o=function(){try{var e=r(Object,"defineProperty");return e({},"",{}),e}catch(e){}}();e.exports=o},25911:(e,t,n)=>{var r=n(38859),o=n(14248),i=n(19219);e.exports=function(e,t,n,a,l,s){var c=1&n,u=e.length,d=t.length;if(u!=d&&!(c&&d>u))return!1;var h=s.get(e),p=s.get(t);if(h&&p)return h==t&&p==e;var f=-1,m=!0,v=2&n?new r:void 0;for(s.set(e,t),s.set(t,e);++f<u;){var g=e[f],w=t[f];if(a)var y=c?a(w,g,f,t,e,s):a(g,w,f,e,t,s);if(void 0!==y){if(y)continue;m=!1;break}if(v){if(!o(t,(function(e,t){if(!i(v,t)&&(g===e||l(g,e,n,a,s)))return v.push(t)}))){m=!1;break}}else if(g!==w&&!l(g,w,n,a,s)){m=!1;break}}return s.delete(e),s.delete(t),m}},21986:(e,t,n)=>{var r=n(51873),o=n(37828),i=n(75288),a=n(25911),l=n(20317),s=n(84247),c=r?r.prototype:void 0,u=c?c.valueOf:void 0;e.exports=function(e,t,n,r,c,d,h){switch(n){case"[object DataView]":if(e.byteLength!=t.byteLength||e.byteOffset!=t.byteOffset)return!1;e=e.buffer,t=t.buffer;case"[object ArrayBuffer]":return!(e.byteLength!=t.byteLength||!d(new o(e),new o(t)));case"[object Boolean]":case"[object Date]":case"[object Number]":return i(+e,+t);case"[object Error]":return e.name==t.name&&e.message==t.message;case"[object RegExp]":case"[object String]":return e==t+"";case"[object Map]":var p=l;case"[object Set]":var f=1&r;if(p||(p=s),e.size!=t.size&&!f)return!1;var m=h.get(e);if(m)return m==t;r|=2,h.set(e,t);var v=a(p(e),p(t),r,c,d,h);return h.delete(e),v;case"[object Symbol]":if(u)return u.call(e)==u.call(t)}return!1}},50689:(e,t,n)=>{var r=n(50002),o=Object.prototype.hasOwnProperty;e.exports=function(e,t,n,i,a,l){var s=1&n,c=r(e),u=c.length;if(u!=r(t).length&&!s)return!1;for(var d=u;d--;){var h=c[d];if(!(s?h in t:o.call(t,h)))return!1}var p=l.get(e),f=l.get(t);if(p&&f)return p==t&&f==e;var m=!0;l.set(e,t),l.set(t,e);for(var v=s;++d<u;){var g=e[h=c[d]],w=t[h];if(i)var y=s?i(w,g,h,t,e,l):i(g,w,h,e,t,l);if(!(void 0===y?g===w||a(g,w,n,i,l):y)){m=!1;break}v||(v="constructor"==h)}if(m&&!v){var b=e.constructor,x=t.constructor;b==x||!("constructor"in e)||!("constructor"in t)||"function"==typeof b&&b instanceof b&&"function"==typeof x&&x instanceof x||(m=!1)}return l.delete(e),l.delete(t),m}},38816:(e,t,n)=>{var r=n(35970),o=n(56757),i=n(32865);e.exports=function(e){return i(o(e,void 0,r),e+"")}},34840:(e,t,n)=>{var r="object"==typeof n.g&&n.g&&n.g.Object===Object&&n.g;e.exports=r},50002:(e,t,n)=>{var r=n(82199),o=n(4664),i=n(95950);e.exports=function(e){return r(e,i,o)}},83349:(e,t,n)=>{var r=n(82199),o=n(86375),i=n(37241);e.exports=function(e){return r(e,i,o)}},12651:(e,t,n)=>{var r=n(74218);e.exports=function(e,t){var n=e.__data__;return r(t)?n["string"==typeof t?"string":"hash"]:n.map}},10776:(e,t,n)=>{var r=n(30756),o=n(95950);e.exports=function(e){for(var t=o(e),n=t.length;n--;){var i=t[n],a=e[i];t[n]=[i,a,r(a)]}return t}},56110:(e,t,n)=>{var r=n(45083),o=n(10392);e.exports=function(e,t){var n=o(e,t);return r(n)?n:void 0}},28879:(e,t,n)=>{var r=n(74335)(Object.getPrototypeOf,Object);e.exports=r},659:(e,t,n)=>{var r=n(51873),o=Object.prototype,i=o.hasOwnProperty,a=o.toString,l=r?r.toStringTag:void 0;e.exports=function(e){var t=i.call(e,l),n=e[l];try{e[l]=void 0;var r=!0}catch(e){}var o=a.call(e);return r&&(t?e[l]=n:delete e[l]),o}},4664:(e,t,n)=>{var r=n(79770),o=n(63345),i=Object.prototype.propertyIsEnumerable,a=Object.getOwnPropertySymbols,l=a?function(e){return null==e?[]:(e=Object(e),r(a(e),(function(t){return i.call(e,t)})))}:o;e.exports=l},86375:(e,t,n)=>{var r=n(14528),o=n(28879),i=n(4664),a=n(63345),l=Object.getOwnPropertySymbols?function(e){for(var t=[];e;)r(t,i(e)),e=o(e);return t}:a;e.exports=l},5861:(e,t,n)=>{var r=n(55580),o=n(68223),i=n(32804),a=n(76545),l=n(28303),s=n(72552),c=n(47473),u="[object Map]",d="[object Promise]",h="[object Set]",p="[object WeakMap]",f="[object DataView]",m=c(r),v=c(o),g=c(i),w=c(a),y=c(l),b=s;(r&&b(new r(new ArrayBuffer(1)))!=f||o&&b(new o)!=u||i&&b(i.resolve())!=d||a&&b(new a)!=h||l&&b(new l)!=p)&&(b=function(e){var t=s(e),n="[object Object]"==t?e.constructor:void 0,r=n?c(n):"";if(r)switch(r){case m:return f;case v:return u;case g:return d;case w:return h;case y:return p}return t}),e.exports=b},10392:e=>{e.exports=function(e,t){return null==e?void 0:e[t]}},49326:(e,t,n)=>{var r=n(31769),o=n(72428),i=n(56449),a=n(30361),l=n(30294),s=n(77797);e.exports=function(e,t,n){for(var c=-1,u=(t=r(t,e)).length,d=!1;++c<u;){var h=s(t[c]);if(!(d=null!=e&&n(e,h)))break;e=e[h]}return d||++c!=u?d:!!(u=null==e?0:e.length)&&l(u)&&a(h,u)&&(i(e)||o(e))}},49698:e=>{var t=RegExp("[\\u200d\\ud800-\\udfff\\u0300-\\u036f\\ufe20-\\ufe2f\\u20d0-\\u20ff\\ufe0e\\ufe0f]");e.exports=function(e){return t.test(e)}},45434:e=>{var t=/[a-z][A-Z]|[A-Z]{2}[a-z]|[0-9][a-zA-Z]|[a-zA-Z][0-9]|[^a-zA-Z0-9 ]/;e.exports=function(e){return t.test(e)}},22032:(e,t,n)=>{var r=n(81042);e.exports=function(){this.__data__=r?r(null):{},this.size=0}},63862:e=>{e.exports=function(e){var t=this.has(e)&&delete this.__data__[e];return this.size-=t?1:0,t}},66721:(e,t,n)=>{var r=n(81042),o=Object.prototype.hasOwnProperty;e.exports=function(e){var t=this.__data__;if(r){var n=t[e];return"__lodash_hash_undefined__"===n?void 0:n}return o.call(t,e)?t[e]:void 0}},12749:(e,t,n)=>{var r=n(81042),o=Object.prototype.hasOwnProperty;e.exports=function(e){var t=this.__data__;return r?void 0!==t[e]:o.call(t,e)}},35749:(e,t,n)=>{var r=n(81042);e.exports=function(e,t){var n=this.__data__;return this.size+=this.has(e)?0:1,n[e]=r&&void 0===t?"__lodash_hash_undefined__":t,this}},76189:e=>{var t=Object.prototype.hasOwnProperty;e.exports=function(e){var n=e.length,r=new e.constructor(n);return n&&"string"==typeof e[0]&&t.call(e,"index")&&(r.index=e.index,r.input=e.input),r}},77199:(e,t,n)=>{var r=n(49653),o=n(76169),i=n(73201),a=n(93736),l=n(71961);e.exports=function(e,t,n){var s=e.constructor;switch(t){case"[object ArrayBuffer]":return r(e);case"[object Boolean]":case"[object Date]":return new s(+e);case"[object DataView]":return o(e,n);case"[object Float32Array]":case"[object Float64Array]":case"[object Int8Array]":case"[object Int16Array]":case"[object Int32Array]":case"[object Uint8Array]":case"[object Uint8ClampedArray]":case"[object Uint16Array]":case"[object Uint32Array]":return l(e,n);case"[object Map]":case"[object Set]":return new s;case"[object Number]":case"[object String]":return new s(e);case"[object RegExp]":return i(e);case"[object Symbol]":return a(e)}}},35529:(e,t,n)=>{var r=n(39344),o=n(28879),i=n(55527);e.exports=function(e){return"function"!=typeof e.constructor||i(e)?{}:r(o(e))}},45891:(e,t,n)=>{var r=n(51873),o=n(72428),i=n(56449),a=r?r.isConcatSpreadable:void 0;e.exports=function(e){return i(e)||o(e)||!!(a&&e&&e[a])}},30361:e=>{var t=/^(?:0|[1-9]\d*)$/;e.exports=function(e,n){var r=typeof e;return!!(n=null==n?9007199254740991:n)&&("number"==r||"symbol"!=r&&t.test(e))&&e>-1&&e%1==0&&e<n}},36800:(e,t,n)=>{var r=n(75288),o=n(64894),i=n(30361),a=n(23805);e.exports=function(e,t,n){if(!a(n))return!1;var l=typeof t;return!!("number"==l?o(n)&&i(t,n.length):"string"==l&&t in n)&&r(n[t],e)}},28586:(e,t,n)=>{var r=n(56449),o=n(44394),i=/\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,a=/^\w*$/;e.exports=function(e,t){if(r(e))return!1;var n=typeof e;return!("number"!=n&&"symbol"!=n&&"boolean"!=n&&null!=e&&!o(e))||(a.test(e)||!i.test(e)||null!=t&&e in Object(t))}},74218:e=>{e.exports=function(e){var t=typeof e;return"string"==t||"number"==t||"symbol"==t||"boolean"==t?"__proto__"!==e:null===e}},87296:(e,t,n)=>{var r,o=n(55481),i=(r=/[^.]+$/.exec(o&&o.keys&&o.keys.IE_PROTO||""))?"Symbol(src)_1."+r:"";e.exports=function(e){return!!i&&i in e}},55527:e=>{var t=Object.prototype;e.exports=function(e){var n=e&&e.constructor;return e===("function"==typeof n&&n.prototype||t)}},30756:(e,t,n)=>{var r=n(23805);e.exports=function(e){return e==e&&!r(e)}},63702:e=>{e.exports=function(){this.__data__=[],this.size=0}},70080:(e,t,n)=>{var r=n(26025),o=Array.prototype.splice;e.exports=function(e){var t=this.__data__,n=r(t,e);return!(n<0)&&(n==t.length-1?t.pop():o.call(t,n,1),--this.size,!0)}},24739:(e,t,n)=>{var r=n(26025);e.exports=function(e){var t=this.__data__,n=r(t,e);return n<0?void 0:t[n][1]}},48655:(e,t,n)=>{var r=n(26025);e.exports=function(e){return r(this.__data__,e)>-1}},31175:(e,t,n)=>{var r=n(26025);e.exports=function(e,t){var n=this.__data__,o=r(n,e);return o<0?(++this.size,n.push([e,t])):n[o][1]=t,this}},63040:(e,t,n)=>{var r=n(21549),o=n(80079),i=n(68223);e.exports=function(){this.size=0,this.__data__={hash:new r,map:new(i||o),string:new r}}},17670:(e,t,n)=>{var r=n(12651);e.exports=function(e){var t=r(this,e).delete(e);return this.size-=t?1:0,t}},90289:(e,t,n)=>{var r=n(12651);e.exports=function(e){return r(this,e).get(e)}},4509:(e,t,n)=>{var r=n(12651);e.exports=function(e){return r(this,e).has(e)}},72949:(e,t,n)=>{var r=n(12651);e.exports=function(e,t){var n=r(this,e),o=n.size;return n.set(e,t),this.size+=n.size==o?0:1,this}},20317:e=>{e.exports=function(e){var t=-1,n=Array(e.size);return e.forEach((function(e,r){n[++t]=[r,e]})),n}},67197:e=>{e.exports=function(e,t){return function(n){return null!=n&&(n[e]===t&&(void 0!==t||e in Object(n)))}}},62224:(e,t,n)=>{var r=n(50104);e.exports=function(e){var t=r(e,(function(e){return 500===n.size&&n.clear(),e})),n=t.cache;return t}},81042:(e,t,n)=>{var r=n(56110)(Object,"create");e.exports=r},3650:(e,t,n)=>{var r=n(74335)(Object.keys,Object);e.exports=r},90181:e=>{e.exports=function(e){var t=[];if(null!=e)for(var n in Object(e))t.push(n);return t}},86009:(e,t,n)=>{e=n.nmd(e);var r=n(34840),o=t&&!t.nodeType&&t,i=o&&e&&!e.nodeType&&e,a=i&&i.exports===o&&r.process,l=function(){try{var e=i&&i.require&&i.require("util").types;return e||a&&a.binding&&a.binding("util")}catch(e){}}();e.exports=l},59350:e=>{var t=Object.prototype.toString;e.exports=function(e){return t.call(e)}},74335:e=>{e.exports=function(e,t){return function(n){return e(t(n))}}},56757:(e,t,n)=>{var r=n(91033),o=Math.max;e.exports=function(e,t,n){return t=o(void 0===t?e.length-1:t,0),function(){for(var i=arguments,a=-1,l=o(i.length-t,0),s=Array(l);++a<l;)s[a]=i[t+a];a=-1;for(var c=Array(t+1);++a<t;)c[a]=i[a];return c[t]=n(s),r(e,this,c)}}},68969:(e,t,n)=>{var r=n(47422),o=n(25160);e.exports=function(e,t){return t.length<2?e:r(e,o(t,0,-1))}},9325:(e,t,n)=>{var r=n(34840),o="object"==typeof self&&self&&self.Object===Object&&self,i=r||o||Function("return this")();e.exports=i},14974:e=>{e.exports=function(e,t){if(("constructor"!==t||"function"!=typeof e[t])&&"__proto__"!=t)return e[t]}},31380:e=>{e.exports=function(e){return this.__data__.set(e,"__lodash_hash_undefined__"),this}},51459:e=>{e.exports=function(e){return this.__data__.has(e)}},84247:e=>{e.exports=function(e){var t=-1,n=Array(e.size);return e.forEach((function(e){n[++t]=e})),n}},32865:(e,t,n)=>{var r=n(19570),o=n(51811)(r);e.exports=o},51811:e=>{var t=Date.now;e.exports=function(e){var n=0,r=0;return function(){var o=t(),i=16-(o-r);if(r=o,i>0){if(++n>=800)return arguments[0]}else n=0;return e.apply(void 0,arguments)}}},51420:(e,t,n)=>{var r=n(80079);e.exports=function(){this.__data__=new r,this.size=0}},90938:e=>{e.exports=function(e){var t=this.__data__,n=t.delete(e);return this.size=t.size,n}},63605:e=>{e.exports=function(e){return this.__data__.get(e)}},29817:e=>{e.exports=function(e){return this.__data__.has(e)}},80945:(e,t,n)=>{var r=n(80079),o=n(68223),i=n(53661);e.exports=function(e,t){var n=this.__data__;if(n instanceof r){var a=n.__data__;if(!o||a.length<199)return a.push([e,t]),this.size=++n.size,this;n=this.__data__=new i(a)}return n.set(e,t),this.size=n.size,this}},76959:e=>{e.exports=function(e,t,n){for(var r=n-1,o=e.length;++r<o;)if(e[r]===t)return r;return-1}},63912:(e,t,n)=>{var r=n(61074),o=n(49698),i=n(42054);e.exports=function(e){return o(e)?i(e):r(e)}},61802:(e,t,n)=>{var r=n(62224),o=/[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g,i=/\\(\\)?/g,a=r((function(e){var t=[];return 46===e.charCodeAt(0)&&t.push(""),e.replace(o,(function(e,n,r,o){t.push(r?o.replace(i,"$1"):n||e)})),t}));e.exports=a},77797:(e,t,n)=>{var r=n(44394);e.exports=function(e){if("string"==typeof e||r(e))return e;var t=e+"";return"0"==t&&1/e==-1/0?"-0":t}},47473:e=>{var t=Function.prototype.toString;e.exports=function(e){if(null!=e){try{return t.call(e)}catch(e){}try{return e+""}catch(e){}}return""}},31800:e=>{var t=/\s/;e.exports=function(e){for(var n=e.length;n--&&t.test(e.charAt(n)););return n}},42054:e=>{var t="\\ud800-\\udfff",n="["+t+"]",r="[\\u0300-\\u036f\\ufe20-\\ufe2f\\u20d0-\\u20ff]",o="\\ud83c[\\udffb-\\udfff]",i="[^"+t+"]",a="(?:\\ud83c[\\udde6-\\uddff]){2}",l="[\\ud800-\\udbff][\\udc00-\\udfff]",s="(?:"+r+"|"+o+")"+"?",c="[\\ufe0e\\ufe0f]?",u=c+s+("(?:\\u200d(?:"+[i,a,l].join("|")+")"+c+s+")*"),d="(?:"+[i+r+"?",r,a,l,n].join("|")+")",h=RegExp(o+"(?="+o+")|"+d+u,"g");e.exports=function(e){return e.match(h)||[]}},22225:e=>{var t="\\ud800-\\udfff",n="\\u2700-\\u27bf",r="a-z\\xdf-\\xf6\\xf8-\\xff",o="A-Z\\xc0-\\xd6\\xd8-\\xde",i="\\xac\\xb1\\xd7\\xf7\\x00-\\x2f\\x3a-\\x40\\x5b-\\x60\\x7b-\\xbf\\u2000-\\u206f \\t\\x0b\\f\\xa0\\ufeff\\n\\r\\u2028\\u2029\\u1680\\u180e\\u2000\\u2001\\u2002\\u2003\\u2004\\u2005\\u2006\\u2007\\u2008\\u2009\\u200a\\u202f\\u205f\\u3000",a="["+i+"]",l="\\d+",s="["+n+"]",c="["+r+"]",u="[^"+t+i+l+n+r+o+"]",d="(?:\\ud83c[\\udde6-\\uddff]){2}",h="[\\ud800-\\udbff][\\udc00-\\udfff]",p="["+o+"]",f="(?:"+c+"|"+u+")",m="(?:"+p+"|"+u+")",v="(?:['’](?:d|ll|m|re|s|t|ve))?",g="(?:['’](?:D|LL|M|RE|S|T|VE))?",w="(?:[\\u0300-\\u036f\\ufe20-\\ufe2f\\u20d0-\\u20ff]|\\ud83c[\\udffb-\\udfff])?",y="[\\ufe0e\\ufe0f]?",b=y+w+("(?:\\u200d(?:"+["[^"+t+"]",d,h].join("|")+")"+y+w+")*"),x="(?:"+[s,d,h].join("|")+")"+b,k=RegExp([p+"?"+c+"+"+v+"(?="+[a,p,"$"].join("|")+")",m+"+"+g+"(?="+[a,p+f,"$"].join("|")+")",p+"?"+f+"+"+v,p+"+"+g,"\\d*(?:1ST|2ND|3RD|(?![123])\\dTH)(?=\\b|[a-z_])","\\d*(?:1st|2nd|3rd|(?![123])\\dth)(?=\\b|[A-Z_])",l,x].join("|"),"g");e.exports=function(e){return e.match(k)||[]}},12177:(e,t,n)=>{var r=n(61489);e.exports=function(e,t){var n;if("function"!=typeof t)throw new TypeError("Expected a function");return e=r(e),function(){return--e>0&&(n=t.apply(this,arguments)),e<=1&&(t=void 0),n}}},84058:(e,t,n)=>{var r=n(14792),o=n(45539)((function(e,t,n){return t=t.toLowerCase(),e+(n?r(t):t)}));e.exports=o},14792:(e,t,n)=>{var r=n(13222),o=n(55808);e.exports=function(e){return o(r(e).toLowerCase())}},88055:(e,t,n)=>{var r=n(9999);e.exports=function(e){return r(e,5)}},37334:e=>{e.exports=function(e){return function(){return e}}},38221:(e,t,n)=>{var r=n(23805),o=n(10124),i=n(99374),a=Math.max,l=Math.min;e.exports=function(e,t,n){var s,c,u,d,h,p,f=0,m=!1,v=!1,g=!0;if("function"!=typeof e)throw new TypeError("Expected a function");function w(t){var n=s,r=c;return s=c=void 0,f=t,d=e.apply(r,n)}function y(e){var n=e-p;return void 0===p||n>=t||n<0||v&&e-f>=u}function b(){var e=o();if(y(e))return x(e);h=setTimeout(b,function(e){var n=t-(e-p);return v?l(n,u-(e-f)):n}(e))}function x(e){return h=void 0,g&&s?w(e):(s=c=void 0,d)}function k(){var e=o(),n=y(e);if(s=arguments,c=this,p=e,n){if(void 0===h)return function(e){return f=e,h=setTimeout(b,t),m?w(e):d}(p);if(v)return clearTimeout(h),h=setTimeout(b,t),w(p)}return void 0===h&&(h=setTimeout(b,t)),d}return t=i(t)||0,r(n)&&(m=!!n.leading,u=(v="maxWait"in n)?a(i(n.maxWait)||0,t):u,g="trailing"in n?!!n.trailing:g),k.cancel=function(){void 0!==h&&clearTimeout(h),f=0,s=p=c=h=void 0},k.flush=function(){return void 0===h?d:x(o())},k}},50828:(e,t,n)=>{var r=n(24647),o=n(13222),i=/[\xc0-\xd6\xd8-\xf6\xf8-\xff\u0100-\u017f]/g,a=RegExp("[\\u0300-\\u036f\\ufe20-\\ufe2f\\u20d0-\\u20ff]","g");e.exports=function(e){return(e=o(e))&&e.replace(i,r).replace(a,"")}},76135:(e,t,n)=>{e.exports=n(39754)},75288:e=>{e.exports=function(e,t){return e===t||e!=e&&t!=t}},87612:(e,t,n)=>{var r=n(79770),o=n(16574),i=n(15389),a=n(56449);e.exports=function(e,t){return(a(e)?r:o)(e,i(t,3))}},7309:(e,t,n)=>{var r=n(62006)(n(24713));e.exports=r},24713:(e,t,n)=>{var r=n(2523),o=n(15389),i=n(61489),a=Math.max;e.exports=function(e,t,n){var l=null==e?0:e.length;if(!l)return-1;var s=null==n?0:i(n);return s<0&&(s=a(l+s,0)),r(e,o(t,3),s)}},56170:(e,t,n)=>{e.exports=n(912)},35970:(e,t,n)=>{var r=n(83120);e.exports=function(e){return(null==e?0:e.length)?r(e,1):[]}},39754:(e,t,n)=>{var r=n(83729),o=n(80909),i=n(24066),a=n(56449);e.exports=function(e,t){return(a(e)?r:o)(e,i(t))}},52420:(e,t,n)=>{var r=n(86649),o=n(24066),i=n(37241);e.exports=function(e,t){return null==e?e:r(e,o(t),i)}},44377:e=>{e.exports=function(e){for(var t=-1,n=null==e?0:e.length,r={};++t<n;){var o=e[t];r[o[0]]=o[1]}return r}},58156:(e,t,n)=>{var r=n(47422);e.exports=function(e,t,n){var o=null==e?void 0:r(e,t);return void 0===o?n:o}},94394:(e,t,n)=>{var r=n(43360),o=n(42e3),i=Object.prototype.hasOwnProperty,a=o((function(e,t,n){i.call(e,n)?e[n].push(t):r(e,n,[t])}));e.exports=a},80631:(e,t,n)=>{var r=n(28077),o=n(49326);e.exports=function(e,t){return null!=e&&o(e,t,r)}},912:e=>{e.exports=function(e){return e&&e.length?e[0]:void 0}},83488:e=>{e.exports=function(e){return e}},79859:(e,t,n)=>{var r=n(96131),o=n(64894),i=n(85015),a=n(61489),l=n(35880),s=Math.max;e.exports=function(e,t,n,c){e=o(e)?e:l(e),n=n&&!c?a(n):0;var u=e.length;return n<0&&(n=s(u+n,0)),i(e)?n<=u&&e.indexOf(t,n)>-1:!!u&&r(e,t,n)>-1}},72428:(e,t,n)=>{var r=n(27534),o=n(40346),i=Object.prototype,a=i.hasOwnProperty,l=i.propertyIsEnumerable,s=r(function(){return arguments}())?r:function(e){return o(e)&&a.call(e,"callee")&&!l.call(e,"callee")};e.exports=s},56449:e=>{var t=Array.isArray;e.exports=t},64894:(e,t,n)=>{var r=n(1882),o=n(30294);e.exports=function(e){return null!=e&&o(e.length)&&!r(e)}},83693:(e,t,n)=>{var r=n(64894),o=n(40346);e.exports=function(e){return o(e)&&r(e)}},3656:(e,t,n)=>{e=n.nmd(e);var r=n(9325),o=n(89935),i=t&&!t.nodeType&&t,a=i&&e&&!e.nodeType&&e,l=a&&a.exports===i?r.Buffer:void 0,s=(l?l.isBuffer:void 0)||o;e.exports=s},62193:(e,t,n)=>{var r=n(88984),o=n(5861),i=n(72428),a=n(56449),l=n(64894),s=n(3656),c=n(55527),u=n(37167),d=Object.prototype.hasOwnProperty;e.exports=function(e){if(null==e)return!0;if(l(e)&&(a(e)||"string"==typeof e||"function"==typeof e.splice||s(e)||u(e)||i(e)))return!e.length;var t=o(e);if("[object Map]"==t||"[object Set]"==t)return!e.size;if(c(e))return!r(e).length;for(var n in e)if(d.call(e,n))return!1;return!0}},1882:(e,t,n)=>{var r=n(72552),o=n(23805);e.exports=function(e){if(!o(e))return!1;var t=r(e);return"[object Function]"==t||"[object GeneratorFunction]"==t||"[object AsyncFunction]"==t||"[object Proxy]"==t}},30294:e=>{e.exports=function(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=9007199254740991}},87730:(e,t,n)=>{var r=n(29172),o=n(27301),i=n(86009),a=i&&i.isMap,l=a?o(a):r;e.exports=l},5187:e=>{e.exports=function(e){return null===e}},23805:e=>{e.exports=function(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}},40346:e=>{e.exports=function(e){return null!=e&&"object"==typeof e}},11331:(e,t,n)=>{var r=n(72552),o=n(28879),i=n(40346),a=Function.prototype,l=Object.prototype,s=a.toString,c=l.hasOwnProperty,u=s.call(Object);e.exports=function(e){if(!i(e)||"[object Object]"!=r(e))return!1;var t=o(e);if(null===t)return!0;var n=c.call(t,"constructor")&&t.constructor;return"function"==typeof n&&n instanceof n&&s.call(n)==u}},38440:(e,t,n)=>{var r=n(16038),o=n(27301),i=n(86009),a=i&&i.isSet,l=a?o(a):r;e.exports=l},85015:(e,t,n)=>{var r=n(72552),o=n(56449),i=n(40346);e.exports=function(e){return"string"==typeof e||!o(e)&&i(e)&&"[object String]"==r(e)}},44394:(e,t,n)=>{var r=n(72552),o=n(40346);e.exports=function(e){return"symbol"==typeof e||o(e)&&"[object Symbol]"==r(e)}},37167:(e,t,n)=>{var r=n(4901),o=n(27301),i=n(86009),a=i&&i.isTypedArray,l=a?o(a):r;e.exports=l},95950:(e,t,n)=>{var r=n(70695),o=n(88984),i=n(64894);e.exports=function(e){return i(e)?r(e):o(e)}},37241:(e,t,n)=>{var r=n(70695),o=n(72903),i=n(64894);e.exports=function(e){return i(e)?r(e,!0):o(e)}},68090:e=>{e.exports=function(e){var t=null==e?0:e.length;return t?e[t-1]:void 0}},55378:(e,t,n)=>{var r=n(34932),o=n(15389),i=n(5128),a=n(56449);e.exports=function(e,t){return(a(e)?r:i)(e,o(t,3))}},50104:(e,t,n)=>{var r=n(53661);function o(e,t){if("function"!=typeof e||null!=t&&"function"!=typeof t)throw new TypeError("Expected a function");var n=function(){var r=arguments,o=t?t.apply(this,r):r[0],i=n.cache;if(i.has(o))return i.get(o);var a=e.apply(this,r);return n.cache=i.set(o,a)||i,a};return n.cache=new(o.Cache||r),n}o.Cache=r,e.exports=o},55364:(e,t,n)=>{var r=n(85250),o=n(20999)((function(e,t,n){r(e,t,n)}));e.exports=o},6048:e=>{e.exports=function(e){if("function"!=typeof e)throw new TypeError("Expected a function");return function(){var t=arguments;switch(t.length){case 0:return!e.call(this);case 1:return!e.call(this,t[0]);case 2:return!e.call(this,t[0],t[1]);case 3:return!e.call(this,t[0],t[1],t[2])}return!e.apply(this,t)}}},63950:e=>{e.exports=function(){}},10124:(e,t,n)=>{var r=n(9325);e.exports=function(){return r.Date.now()}},90179:(e,t,n)=>{var r=n(34932),o=n(9999),i=n(19931),a=n(31769),l=n(21791),s=n(53138),c=n(38816),u=n(83349),d=c((function(e,t){var n={};if(null==e)return n;var c=!1;t=r(t,(function(t){return t=a(t,e),c||(c=t.length>1),t})),l(e,u(e),n),c&&(n=o(n,7,s));for(var d=t.length;d--;)i(n,t[d]);return n}));e.exports=d},42194:(e,t,n)=>{var r=n(15389),o=n(6048),i=n(71086);e.exports=function(e,t){return i(e,o(r(t)))}},58059:(e,t,n)=>{var r=n(12177);e.exports=function(e){return r(2,e)}},42877:(e,t,n)=>{var r=n(46155),o=n(56449);e.exports=function(e,t,n,i){return null==e?[]:(o(t)||(t=null==t?[]:[t]),o(n=i?void 0:n)||(n=null==n?[]:[n]),r(e,t,n))}},44383:(e,t,n)=>{var r=n(76001),o=n(38816)((function(e,t){return null==e?{}:r(e,t)}));e.exports=o},71086:(e,t,n)=>{var r=n(34932),o=n(15389),i=n(97420),a=n(83349);e.exports=function(e,t){if(null==e)return{};var n=r(a(e),(function(e){return[e]}));return t=o(t),i(e,n,(function(e,n){return t(e,n[0])}))}},50583:(e,t,n)=>{var r=n(47237),o=n(17255),i=n(28586),a=n(77797);e.exports=function(e){return i(e)?r(a(e)):o(e)}},40860:(e,t,n)=>{var r=n(40882),o=n(80909),i=n(15389),a=n(85558),l=n(56449);e.exports=function(e,t,n){var s=l(e)?r:a,c=arguments.length<3;return s(e,i(t,4),n,c,o)}},48081:(e,t,n)=>{var r=n(79770),o=n(16574),i=n(15389),a=n(56449),l=n(6048);e.exports=function(e,t){return(a(e)?r:o)(e,l(i(t,3)))}},90128:(e,t,n)=>{var r=n(45539),o=n(55808),i=r((function(e,t,n){return e+(n?" ":"")+o(t)}));e.exports=i},63345:e=>{e.exports=function(){return[]}},89935:e=>{e.exports=function(){return!1}},31126:(e,t,n)=>{var r=n(15389),o=n(17721);e.exports=function(e,t){return e&&e.length?o(e,r(t,2)):0}},15101:e=>{e.exports=function(e,t){return t(e),e}},17400:(e,t,n)=>{var r=n(99374),o=1/0;e.exports=function(e){return e?(e=r(e))===o||e===-1/0?17976931348623157e292*(e<0?-1:1):e==e?e:0:0===e?e:0}},61489:(e,t,n)=>{var r=n(17400);e.exports=function(e){var t=r(e),n=t%1;return t==t?n?t-n:t:0}},99374:(e,t,n)=>{var r=n(54128),o=n(23805),i=n(44394),a=/^[-+]0x[0-9a-f]+$/i,l=/^0b[01]+$/i,s=/^0o[0-7]+$/i,c=parseInt;e.exports=function(e){if("number"==typeof e)return e;if(i(e))return NaN;if(o(e)){var t="function"==typeof e.valueOf?e.valueOf():e;e=o(t)?t+"":t}if("string"!=typeof e)return 0===e?e:+e;e=r(e);var n=l.test(e);return n||s.test(e)?c(e.slice(2),n?2:8):a.test(e)?NaN:+e}},69884:(e,t,n)=>{var r=n(21791),o=n(37241);e.exports=function(e){return r(e,o(e))}},13222:(e,t,n)=>{var r=n(77556);e.exports=function(e){return null==e?"":r(e)}},44826:(e,t,n)=>{var r=n(77556),o=n(54128),i=n(28754),a=n(23875),l=n(28380),s=n(63912),c=n(13222);e.exports=function(e,t,n){if((e=c(e))&&(n||void 0===t))return o(e);if(!e||!(t=r(t)))return e;var u=s(e),d=s(t),h=l(u,d),p=a(u,d)+1;return i(u,h,p).join("")}},50014:(e,t,n)=>{var r=n(15389),o=n(55765);e.exports=function(e,t){return e&&e.length?o(e,r(t,2)):[]}},55808:(e,t,n)=>{var r=n(12507)("toUpperCase");e.exports=r},35880:(e,t,n)=>{var r=n(30514),o=n(95950);e.exports=function(e){return null==e?[]:r(e,o(e))}},66645:(e,t,n)=>{var r=n(1733),o=n(45434),i=n(13222),a=n(22225);e.exports=function(e,t,n){return e=i(e),void 0===(t=n?void 0:t)?o(e)?a(e):r(e):e.match(t)||[]}},91272:(e,t)=>{"use strict";function n(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function r(e,t,r){return t&&n(e.prototype,t),r&&n(e,r),e}function o(e,t){e.prototype=Object.create(t.prototype),e.prototype.constructor=e,e.__proto__=t}function i(e){return i=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)},i(e)}function a(e,t){return a=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e},a(e,t)}function l(e,t,n){return l=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}()?Reflect.construct:function(e,t,n){var r=[null];r.push.apply(r,t);var o=new(Function.bind.apply(e,r));return n&&a(o,n.prototype),o},l.apply(null,arguments)}function s(e){var t="function"==typeof Map?new Map:void 0;return s=function(e){if(null===e||(n=e,-1===Function.toString.call(n).indexOf("[native code]")))return e;var n;if("function"!=typeof e)throw new TypeError("Super expression must either be null or a function");if(void 0!==t){if(t.has(e))return t.get(e);t.set(e,r)}function r(){return l(e,arguments,i(this).constructor)}return r.prototype=Object.create(e.prototype,{constructor:{value:r,enumerable:!1,writable:!0,configurable:!0}}),a(r,e)},s(e)}function c(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function u(e){var t=0;if("undefined"==typeof Symbol||null==e[Symbol.iterator]){if(Array.isArray(e)||(e=function(e,t){if(e){if("string"==typeof e)return c(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(n):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?c(e,t):void 0}}(e)))return function(){return t>=e.length?{done:!0}:{done:!1,value:e[t++]}};throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}return(t=e[Symbol.iterator]()).next.bind(t)}var d=function(e){function t(){return e.apply(this,arguments)||this}return o(t,e),t}(s(Error)),h=function(e){function t(t){return e.call(this,"Invalid DateTime: "+t.toMessage())||this}return o(t,e),t}(d),p=function(e){function t(t){return e.call(this,"Invalid Interval: "+t.toMessage())||this}return o(t,e),t}(d),f=function(e){function t(t){return e.call(this,"Invalid Duration: "+t.toMessage())||this}return o(t,e),t}(d),m=function(e){function t(){return e.apply(this,arguments)||this}return o(t,e),t}(d),v=function(e){function t(t){return e.call(this,"Invalid unit "+t)||this}return o(t,e),t}(d),g=function(e){function t(){return e.apply(this,arguments)||this}return o(t,e),t}(d),w=function(e){function t(){return e.call(this,"Zone is an abstract class")||this}return o(t,e),t}(d),y="numeric",b="short",x="long",k={year:y,month:y,day:y},E={year:y,month:b,day:y},A={year:y,month:b,day:y,weekday:b},C={year:y,month:x,day:y},B={year:y,month:x,day:y,weekday:x},M={hour:y,minute:y},_={hour:y,minute:y,second:y},S={hour:y,minute:y,second:y,timeZoneName:b},N={hour:y,minute:y,second:y,timeZoneName:x},V={hour:y,minute:y,hour12:!1},L={hour:y,minute:y,second:y,hour12:!1},T={hour:y,minute:y,second:y,hour12:!1,timeZoneName:b},I={hour:y,minute:y,second:y,hour12:!1,timeZoneName:x},Z={year:y,month:y,day:y,hour:y,minute:y},O={year:y,month:y,day:y,hour:y,minute:y,second:y},D={year:y,month:b,day:y,hour:y,minute:y},R={year:y,month:b,day:y,hour:y,minute:y,second:y},H={year:y,month:b,day:y,weekday:b,hour:y,minute:y},P={year:y,month:x,day:y,hour:y,minute:y,timeZoneName:b},j={year:y,month:x,day:y,hour:y,minute:y,second:y,timeZoneName:b},F={year:y,month:x,day:y,weekday:x,hour:y,minute:y,timeZoneName:x},z={year:y,month:x,day:y,weekday:x,hour:y,minute:y,second:y,timeZoneName:x};function q(e){return void 0===e}function U(e){return"number"==typeof e}function $(e){return"number"==typeof e&&e%1==0}function W(){try{return"undefined"!=typeof Intl&&Intl.DateTimeFormat}catch(e){return!1}}function G(){return!q(Intl.DateTimeFormat.prototype.formatToParts)}function K(){try{return"undefined"!=typeof Intl&&!!Intl.RelativeTimeFormat}catch(e){return!1}}function Y(e,t,n){if(0!==e.length)return e.reduce((function(e,r){var o=[t(r),r];return e&&n(e[0],o[0])===e[0]?e:o}),null)[1]}function X(e,t){return t.reduce((function(t,n){return t[n]=e[n],t}),{})}function J(e,t){return Object.prototype.hasOwnProperty.call(e,t)}function Q(e,t,n){return $(e)&&e>=t&&e<=n}function ee(e,t){void 0===t&&(t=2);var n=e<0?"-":"",r=n?-1*e:e;return""+n+(r.toString().length<t?("0".repeat(t)+r).slice(-t):r.toString())}function te(e){return q(e)||null===e||""===e?void 0:parseInt(e,10)}function ne(e){if(!q(e)&&null!==e&&""!==e){var t=1e3*parseFloat("0."+e);return Math.floor(t)}}function re(e,t,n){void 0===n&&(n=!1);var r=Math.pow(10,t);return(n?Math.trunc:Math.round)(e*r)/r}function oe(e){return e%4==0&&(e%100!=0||e%400==0)}function ie(e){return oe(e)?366:365}function ae(e,t){var n=function(e,t){return e-t*Math.floor(e/t)}(t-1,12)+1;return 2===n?oe(e+(t-n)/12)?29:28:[31,null,31,30,31,30,31,31,30,31,30,31][n-1]}function le(e){var t=Date.UTC(e.year,e.month-1,e.day,e.hour,e.minute,e.second,e.millisecond);return e.year<100&&e.year>=0&&(t=new Date(t)).setUTCFullYear(t.getUTCFullYear()-1900),+t}function se(e){var t=(e+Math.floor(e/4)-Math.floor(e/100)+Math.floor(e/400))%7,n=e-1,r=(n+Math.floor(n/4)-Math.floor(n/100)+Math.floor(n/400))%7;return 4===t||3===r?53:52}function ce(e){return e>99?e:e>60?1900+e:2e3+e}function ue(e,t,n,r){void 0===r&&(r=null);var o=new Date(e),i={hour12:!1,year:"numeric",month:"2-digit",day:"2-digit",hour:"2-digit",minute:"2-digit"};r&&(i.timeZone=r);var a=Object.assign({timeZoneName:t},i),l=W();if(l&&G()){var s=new Intl.DateTimeFormat(n,a).formatToParts(o).find((function(e){return"timezonename"===e.type.toLowerCase()}));return s?s.value:null}if(l){var c=new Intl.DateTimeFormat(n,i).format(o);return new Intl.DateTimeFormat(n,a).format(o).substring(c.length).replace(/^[, \u200e]+/,"")}return null}function de(e,t){var n=parseInt(e,10);Number.isNaN(n)&&(n=0);var r=parseInt(t,10)||0;return 60*n+(n<0||Object.is(n,-0)?-r:r)}function he(e){var t=Number(e);if("boolean"==typeof e||""===e||Number.isNaN(t))throw new g("Invalid unit value "+e);return t}function pe(e,t,n){var r={};for(var o in e)if(J(e,o)){if(n.indexOf(o)>=0)continue;var i=e[o];if(null==i)continue;r[t(o)]=he(i)}return r}function fe(e,t){var n=Math.trunc(Math.abs(e/60)),r=Math.trunc(Math.abs(e%60)),o=e>=0?"+":"-";switch(t){case"short":return""+o+ee(n,2)+":"+ee(r,2);case"narrow":return""+o+n+(r>0?":"+r:"");case"techie":return""+o+ee(n,2)+ee(r,2);default:throw new RangeError("Value format "+t+" is out of range for property format")}}function me(e){return X(e,["hour","minute","second","millisecond"])}var ve=/[A-Za-z_+-]{1,256}(:?\/[A-Za-z_+-]{1,256}(\/[A-Za-z_+-]{1,256})?)?/;function ge(e){return JSON.stringify(e,Object.keys(e).sort())}var we=["January","February","March","April","May","June","July","August","September","October","November","December"],ye=["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],be=["J","F","M","A","M","J","J","A","S","O","N","D"];function xe(e){switch(e){case"narrow":return[].concat(be);case"short":return[].concat(ye);case"long":return[].concat(we);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 ke=["Monday","Tuesday","Wednesday","Thursday","Friday","Saturday","Sunday"],Ee=["Mon","Tue","Wed","Thu","Fri","Sat","Sun"],Ae=["M","T","W","T","F","S","S"];function Ce(e){switch(e){case"narrow":return[].concat(Ae);case"short":return[].concat(Ee);case"long":return[].concat(ke);case"numeric":return["1","2","3","4","5","6","7"];default:return null}}var Be=["AM","PM"],Me=["Before Christ","Anno Domini"],_e=["BC","AD"],Se=["B","A"];function Ne(e){switch(e){case"narrow":return[].concat(Se);case"short":return[].concat(_e);case"long":return[].concat(Me);default:return null}}function Ve(e,t){for(var n,r="",o=u(e);!(n=o()).done;){var i=n.value;i.literal?r+=i.val:r+=t(i.val)}return r}var Le={D:k,DD:E,DDD:C,DDDD:B,t:M,tt:_,ttt:S,tttt:N,T:V,TT:L,TTT:T,TTTT:I,f:Z,ff:D,fff:P,ffff:F,F:O,FF:R,FFF:j,FFFF:z},Te=function(){function e(e,t){this.opts=t,this.loc=e,this.systemLoc=null}e.create=function(t,n){return void 0===n&&(n={}),new e(t,n)},e.parseFormat=function(e){for(var t=null,n="",r=!1,o=[],i=0;i<e.length;i++){var a=e.charAt(i);"'"===a?(n.length>0&&o.push({literal:r,val:n}),t=null,n="",r=!r):r||a===t?n+=a:(n.length>0&&o.push({literal:!1,val:n}),n=a,t=a)}return n.length>0&&o.push({literal:r,val:n}),o},e.macroTokenToFormatOpts=function(e){return Le[e]};var t=e.prototype;return t.formatWithSystemDefault=function(e,t){return null===this.systemLoc&&(this.systemLoc=this.loc.redefaultToSystem()),this.systemLoc.dtFormatter(e,Object.assign({},this.opts,t)).format()},t.formatDateTime=function(e,t){return void 0===t&&(t={}),this.loc.dtFormatter(e,Object.assign({},this.opts,t)).format()},t.formatDateTimeParts=function(e,t){return void 0===t&&(t={}),this.loc.dtFormatter(e,Object.assign({},this.opts,t)).formatToParts()},t.resolvedOptions=function(e,t){return void 0===t&&(t={}),this.loc.dtFormatter(e,Object.assign({},this.opts,t)).resolvedOptions()},t.num=function(e,t){if(void 0===t&&(t=0),this.opts.forceSimple)return ee(e,t);var n=Object.assign({},this.opts);return t>0&&(n.padTo=t),this.loc.numberFormatter(n).format(e)},t.formatDateTimeFromString=function(t,n){var r=this,o="en"===this.loc.listingMode(),i=this.loc.outputCalendar&&"gregory"!==this.loc.outputCalendar&&G(),a=function(e,n){return r.loc.extract(t,e,n)},l=function(e){return t.isOffsetFixed&&0===t.offset&&e.allowZ?"Z":t.isValid?t.zone.formatOffset(t.ts,e.format):""},s=function(){return o?function(e){return Be[e.hour<12?0:1]}(t):a({hour:"numeric",hour12:!0},"dayperiod")},c=function(e,n){return o?function(e,t){return xe(t)[e.month-1]}(t,e):a(n?{month:e}:{month:e,day:"numeric"},"month")},u=function(e,n){return o?function(e,t){return Ce(t)[e.weekday-1]}(t,e):a(n?{weekday:e}:{weekday:e,month:"long",day:"numeric"},"weekday")},d=function(e){return o?function(e,t){return Ne(t)[e.year<0?0:1]}(t,e):a({era:e},"era")};return Ve(e.parseFormat(n),(function(n){switch(n){case"S":return r.num(t.millisecond);case"u":case"SSS":return r.num(t.millisecond,3);case"s":return r.num(t.second);case"ss":return r.num(t.second,2);case"m":return r.num(t.minute);case"mm":return r.num(t.minute,2);case"h":return r.num(t.hour%12==0?12:t.hour%12);case"hh":return r.num(t.hour%12==0?12:t.hour%12,2);case"H":return r.num(t.hour);case"HH":return r.num(t.hour,2);case"Z":return l({format:"narrow",allowZ:r.opts.allowZ});case"ZZ":return l({format:"short",allowZ:r.opts.allowZ});case"ZZZ":return l({format:"techie",allowZ:r.opts.allowZ});case"ZZZZ":return t.zone.offsetName(t.ts,{format:"short",locale:r.loc.locale});case"ZZZZZ":return t.zone.offsetName(t.ts,{format:"long",locale:r.loc.locale});case"z":return t.zoneName;case"a":return s();case"d":return i?a({day:"numeric"},"day"):r.num(t.day);case"dd":return i?a({day:"2-digit"},"day"):r.num(t.day,2);case"c":case"E":return r.num(t.weekday);case"ccc":return u("short",!0);case"cccc":return u("long",!0);case"ccccc":return u("narrow",!0);case"EEE":return u("short",!1);case"EEEE":return u("long",!1);case"EEEEE":return u("narrow",!1);case"L":return i?a({month:"numeric",day:"numeric"},"month"):r.num(t.month);case"LL":return i?a({month:"2-digit",day:"numeric"},"month"):r.num(t.month,2);case"LLL":return c("short",!0);case"LLLL":return c("long",!0);case"LLLLL":return c("narrow",!0);case"M":return i?a({month:"numeric"},"month"):r.num(t.month);case"MM":return i?a({month:"2-digit"},"month"):r.num(t.month,2);case"MMM":return c("short",!1);case"MMMM":return c("long",!1);case"MMMMM":return c("narrow",!1);case"y":return i?a({year:"numeric"},"year"):r.num(t.year);case"yy":return i?a({year:"2-digit"},"year"):r.num(t.year.toString().slice(-2),2);case"yyyy":return i?a({year:"numeric"},"year"):r.num(t.year,4);case"yyyyyy":return i?a({year:"numeric"},"year"):r.num(t.year,6);case"G":return d("short");case"GG":return d("long");case"GGGGG":return d("narrow");case"kk":return r.num(t.weekYear.toString().slice(-2),2);case"kkkk":return r.num(t.weekYear,4);case"W":return r.num(t.weekNumber);case"WW":return r.num(t.weekNumber,2);case"o":return r.num(t.ordinal);case"ooo":return r.num(t.ordinal,3);case"q":return r.num(t.quarter);case"qq":return r.num(t.quarter,2);case"X":return r.num(Math.floor(t.ts/1e3));case"x":return r.num(t.ts);default:return function(n){var o=e.macroTokenToFormatOpts(n);return o?r.formatWithSystemDefault(t,o):n}(n)}}))},t.formatDurationFromString=function(t,n){var r,o=this,i=function(e){switch(e[0]){case"S":return"millisecond";case"s":return"second";case"m":return"minute";case"h":return"hour";case"d":return"day";case"M":return"month";case"y":return"year";default:return null}},a=e.parseFormat(n),l=a.reduce((function(e,t){var n=t.literal,r=t.val;return n?e:e.concat(r)}),[]),s=t.shiftTo.apply(t,l.map(i).filter((function(e){return e})));return Ve(a,(r=s,function(e){var t=i(e);return t?o.num(r.get(t),e.length):e}))},e}(),Ie=function(){function e(e,t){this.reason=e,this.explanation=t}return e.prototype.toMessage=function(){return this.explanation?this.reason+": "+this.explanation:this.reason},e}(),Ze=function(){function e(){}var t=e.prototype;return t.offsetName=function(e,t){throw new w},t.formatOffset=function(e,t){throw new w},t.offset=function(e){throw new w},t.equals=function(e){throw new w},r(e,[{key:"type",get:function(){throw new w}},{key:"name",get:function(){throw new w}},{key:"universal",get:function(){throw new w}},{key:"isValid",get:function(){throw new w}}]),e}(),Oe=null,De=function(e){function t(){return e.apply(this,arguments)||this}o(t,e);var n=t.prototype;return n.offsetName=function(e,t){return ue(e,t.format,t.locale)},n.formatOffset=function(e,t){return fe(this.offset(e),t)},n.offset=function(e){return-new Date(e).getTimezoneOffset()},n.equals=function(e){return"local"===e.type},r(t,[{key:"type",get:function(){return"local"}},{key:"name",get:function(){return W()?(new Intl.DateTimeFormat).resolvedOptions().timeZone:"local"}},{key:"universal",get:function(){return!1}},{key:"isValid",get:function(){return!0}}],[{key:"instance",get:function(){return null===Oe&&(Oe=new t),Oe}}]),t}(Ze),Re=RegExp("^"+ve.source+"$"),He={};var Pe={year:0,month:1,day:2,hour:3,minute:4,second:5};var je={},Fe=function(e){function t(n){var r;return(r=e.call(this)||this).zoneName=n,r.valid=t.isValidZone(n),r}o(t,e),t.create=function(e){return je[e]||(je[e]=new t(e)),je[e]},t.resetCache=function(){je={},He={}},t.isValidSpecifier=function(e){return!(!e||!e.match(Re))},t.isValidZone=function(e){try{return new Intl.DateTimeFormat("en-US",{timeZone:e}).format(),!0}catch(e){return!1}},t.parseGMTOffset=function(e){if(e){var t=e.match(/^Etc\/GMT(0|[+-]\d{1,2})$/i);if(t)return-60*parseInt(t[1])}return null};var n=t.prototype;return n.offsetName=function(e,t){return ue(e,t.format,t.locale,this.name)},n.formatOffset=function(e,t){return fe(this.offset(e),t)},n.offset=function(e){var t=new Date(e);if(isNaN(t))return NaN;var n,r=(n=this.name,He[n]||(He[n]=new Intl.DateTimeFormat("en-US",{hour12:!1,timeZone:n,year:"numeric",month:"2-digit",day:"2-digit",hour:"2-digit",minute:"2-digit",second:"2-digit"})),He[n]),o=r.formatToParts?function(e,t){for(var n=e.formatToParts(t),r=[],o=0;o<n.length;o++){var i=n[o],a=i.type,l=i.value,s=Pe[a];q(s)||(r[s]=parseInt(l,10))}return r}(r,t):function(e,t){var n=e.format(t).replace(/\u200E/g,""),r=/(\d+)\/(\d+)\/(\d+),? (\d+):(\d+):(\d+)/.exec(n),o=r[1],i=r[2];return[r[3],o,i,r[4],r[5],r[6]]}(r,t),i=o[0],a=o[1],l=o[2],s=o[3],c=+t,u=c%1e3;return(le({year:i,month:a,day:l,hour:24===s?0:s,minute:o[4],second:o[5],millisecond:0})-(c-=u>=0?u:1e3+u))/6e4},n.equals=function(e){return"iana"===e.type&&e.name===this.name},r(t,[{key:"type",get:function(){return"iana"}},{key:"name",get:function(){return this.zoneName}},{key:"universal",get:function(){return!1}},{key:"isValid",get:function(){return this.valid}}]),t}(Ze),ze=null,qe=function(e){function t(t){var n;return(n=e.call(this)||this).fixed=t,n}o(t,e),t.instance=function(e){return 0===e?t.utcInstance:new t(e)},t.parseSpecifier=function(e){if(e){var n=e.match(/^utc(?:([+-]\d{1,2})(?::(\d{2}))?)?$/i);if(n)return new t(de(n[1],n[2]))}return null},r(t,null,[{key:"utcInstance",get:function(){return null===ze&&(ze=new t(0)),ze}}]);var n=t.prototype;return n.offsetName=function(){return this.name},n.formatOffset=function(e,t){return fe(this.fixed,t)},n.offset=function(){return this.fixed},n.equals=function(e){return"fixed"===e.type&&e.fixed===this.fixed},r(t,[{key:"type",get:function(){return"fixed"}},{key:"name",get:function(){return 0===this.fixed?"UTC":"UTC"+fe(this.fixed,"narrow")}},{key:"universal",get:function(){return!0}},{key:"isValid",get:function(){return!0}}]),t}(Ze),Ue=function(e){function t(t){var n;return(n=e.call(this)||this).zoneName=t,n}o(t,e);var n=t.prototype;return n.offsetName=function(){return null},n.formatOffset=function(){return""},n.offset=function(){return NaN},n.equals=function(){return!1},r(t,[{key:"type",get:function(){return"invalid"}},{key:"name",get:function(){return this.zoneName}},{key:"universal",get:function(){return!1}},{key:"isValid",get:function(){return!1}}]),t}(Ze);function $e(e,t){var n;if(q(e)||null===e)return t;if(e instanceof Ze)return e;if("string"==typeof e){var r=e.toLowerCase();return"local"===r?t:"utc"===r||"gmt"===r?qe.utcInstance:null!=(n=Fe.parseGMTOffset(e))?qe.instance(n):Fe.isValidSpecifier(r)?Fe.create(e):qe.parseSpecifier(r)||new Ue(e)}return U(e)?qe.instance(e):"object"==typeof e&&e.offset&&"number"==typeof e.offset?e:new Ue(e)}var We=function(){return Date.now()},Ge=null,Ke=null,Ye=null,Xe=null,Je=!1,Qe=function(){function e(){}return e.resetCaches=function(){ut.resetCache(),Fe.resetCache()},r(e,null,[{key:"now",get:function(){return We},set:function(e){We=e}},{key:"defaultZoneName",get:function(){return e.defaultZone.name},set:function(e){Ge=e?$e(e):null}},{key:"defaultZone",get:function(){return Ge||De.instance}},{key:"defaultLocale",get:function(){return Ke},set:function(e){Ke=e}},{key:"defaultNumberingSystem",get:function(){return Ye},set:function(e){Ye=e}},{key:"defaultOutputCalendar",get:function(){return Xe},set:function(e){Xe=e}},{key:"throwOnInvalid",get:function(){return Je},set:function(e){Je=e}}]),e}(),et={};function tt(e,t){void 0===t&&(t={});var n=JSON.stringify([e,t]),r=et[n];return r||(r=new Intl.DateTimeFormat(e,t),et[n]=r),r}var nt={};var rt={};function ot(e,t){void 0===t&&(t={});var n=t,r=(n.base,function(e,t){if(null==e)return{};var n,r,o={},i=Object.keys(e);for(r=0;r<i.length;r++)n=i[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}(n,["base"])),o=JSON.stringify([e,r]),i=rt[o];return i||(i=new Intl.RelativeTimeFormat(e,t),rt[o]=i),i}var it=null;function at(e,t,n,r,o){var i=e.listingMode(n);return"error"===i?null:"en"===i?r(t):o(t)}var lt=function(){function e(e,t,n){if(this.padTo=n.padTo||0,this.floor=n.floor||!1,!t&&W()){var r={useGrouping:!1};n.padTo>0&&(r.minimumIntegerDigits=n.padTo),this.inf=function(e,t){void 0===t&&(t={});var n=JSON.stringify([e,t]),r=nt[n];return r||(r=new Intl.NumberFormat(e,t),nt[n]=r),r}(e,r)}}return e.prototype.format=function(e){if(this.inf){var t=this.floor?Math.floor(e):e;return this.inf.format(t)}return ee(this.floor?Math.floor(e):re(e,3),this.padTo)},e}(),st=function(){function e(e,t,n){var r;if(this.opts=n,this.hasIntl=W(),e.zone.universal&&this.hasIntl){var o=e.offset/60*-1,i=o>=0?"Etc/GMT+"+o:"Etc/GMT"+o,a=Fe.isValidZone(i);0!==e.offset&&a?(r=i,this.dt=e):(r="UTC",n.timeZoneName?this.dt=e:this.dt=0===e.offset?e:hr.fromMillis(e.ts+60*e.offset*1e3))}else"local"===e.zone.type?this.dt=e:(this.dt=e,r=e.zone.name);if(this.hasIntl){var l=Object.assign({},this.opts);r&&(l.timeZone=r),this.dtf=tt(t,l)}}var t=e.prototype;return t.format=function(){if(this.hasIntl)return this.dtf.format(this.dt.toJSDate());var e=function(e){var t="EEEE, LLLL d, yyyy, h:mm a";switch(ge(X(e,["weekday","era","year","month","day","hour","minute","second","timeZoneName","hour12"]))){case ge(k):return"M/d/yyyy";case ge(E):return"LLL d, yyyy";case ge(A):return"EEE, LLL d, yyyy";case ge(C):return"LLLL d, yyyy";case ge(B):return"EEEE, LLLL d, yyyy";case ge(M):return"h:mm a";case ge(_):return"h:mm:ss a";case ge(S):case ge(N):return"h:mm a";case ge(V):return"HH:mm";case ge(L):return"HH:mm:ss";case ge(T):case ge(I):return"HH:mm";case ge(Z):return"M/d/yyyy, h:mm a";case ge(D):return"LLL d, yyyy, h:mm a";case ge(P):return"LLLL d, yyyy, h:mm a";case ge(F):return t;case ge(O):return"M/d/yyyy, h:mm:ss a";case ge(R):return"LLL d, yyyy, h:mm:ss a";case ge(H):return"EEE, d LLL yyyy, h:mm a";case ge(j):return"LLLL d, yyyy, h:mm:ss a";case ge(z):return"EEEE, LLLL d, yyyy, h:mm:ss a";default:return t}}(this.opts),t=ut.create("en-US");return Te.create(t).formatDateTimeFromString(this.dt,e)},t.formatToParts=function(){return this.hasIntl&&G()?this.dtf.formatToParts(this.dt.toJSDate()):[]},t.resolvedOptions=function(){return this.hasIntl?this.dtf.resolvedOptions():{locale:"en-US",numberingSystem:"latn",outputCalendar:"gregory"}},e}(),ct=function(){function e(e,t,n){this.opts=Object.assign({style:"long"},n),!t&&K()&&(this.rtf=ot(e,n))}var t=e.prototype;return t.format=function(e,t){return this.rtf?this.rtf.format(e,t):function(e,t,n,r){void 0===n&&(n="always"),void 0===r&&(r=!1);var o={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."]},i=-1===["hours","minutes","seconds"].indexOf(e);if("auto"===n&&i){var a="days"===e;switch(t){case 1:return a?"tomorrow":"next "+o[e][0];case-1:return a?"yesterday":"last "+o[e][0];case 0:return a?"today":"this "+o[e][0]}}var l=Object.is(t,-0)||t<0,s=Math.abs(t),c=1===s,u=o[e],d=r?c?u[1]:u[2]||u[1]:c?o[e][0]:e;return l?s+" "+d+" ago":"in "+s+" "+d}(t,e,this.opts.numeric,"long"!==this.opts.style)},t.formatToParts=function(e,t){return this.rtf?this.rtf.formatToParts(e,t):[]},e}(),ut=function(){function e(e,t,n,r){var o=function(e){var t=e.indexOf("-u-");if(-1===t)return[e];var n,r=e.substring(0,t);try{n=tt(e).resolvedOptions()}catch(e){n=tt(r).resolvedOptions()}var o=n;return[r,o.numberingSystem,o.calendar]}(e),i=o[0],a=o[1],l=o[2];this.locale=i,this.numberingSystem=t||a||null,this.outputCalendar=n||l||null,this.intl=function(e,t,n){return W()?n||t?(e+="-u",n&&(e+="-ca-"+n),t&&(e+="-nu-"+t),e):e:[]}(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}e.fromOpts=function(t){return e.create(t.locale,t.numberingSystem,t.outputCalendar,t.defaultToEN)},e.create=function(t,n,r,o){void 0===o&&(o=!1);var i=t||Qe.defaultLocale;return new e(i||(o?"en-US":function(){if(it)return it;if(W()){var e=(new Intl.DateTimeFormat).resolvedOptions().locale;return it=e&&"und"!==e?e:"en-US"}return it="en-US"}()),n||Qe.defaultNumberingSystem,r||Qe.defaultOutputCalendar,i)},e.resetCache=function(){it=null,et={},nt={},rt={}},e.fromObject=function(t){var n=void 0===t?{}:t,r=n.locale,o=n.numberingSystem,i=n.outputCalendar;return e.create(r,o,i)};var t=e.prototype;return t.listingMode=function(e){void 0===e&&(e=!0);var t=W()&&G(),n=this.isEnglish(),r=!(null!==this.numberingSystem&&"latn"!==this.numberingSystem||null!==this.outputCalendar&&"gregory"!==this.outputCalendar);return t||n&&r||e?!t||n&&r?"en":"intl":"error"},t.clone=function(t){return t&&0!==Object.getOwnPropertyNames(t).length?e.create(t.locale||this.specifiedLocale,t.numberingSystem||this.numberingSystem,t.outputCalendar||this.outputCalendar,t.defaultToEN||!1):this},t.redefaultToEN=function(e){return void 0===e&&(e={}),this.clone(Object.assign({},e,{defaultToEN:!0}))},t.redefaultToSystem=function(e){return void 0===e&&(e={}),this.clone(Object.assign({},e,{defaultToEN:!1}))},t.months=function(e,t,n){var r=this;return void 0===t&&(t=!1),void 0===n&&(n=!0),at(this,e,n,xe,(function(){var n=t?{month:e,day:"numeric"}:{month:e},o=t?"format":"standalone";return r.monthsCache[o][e]||(r.monthsCache[o][e]=function(e){for(var t=[],n=1;n<=12;n++){var r=hr.utc(2016,n,1);t.push(e(r))}return t}((function(e){return r.extract(e,n,"month")}))),r.monthsCache[o][e]}))},t.weekdays=function(e,t,n){var r=this;return void 0===t&&(t=!1),void 0===n&&(n=!0),at(this,e,n,Ce,(function(){var n=t?{weekday:e,year:"numeric",month:"long",day:"numeric"}:{weekday:e},o=t?"format":"standalone";return r.weekdaysCache[o][e]||(r.weekdaysCache[o][e]=function(e){for(var t=[],n=1;n<=7;n++){var r=hr.utc(2016,11,13+n);t.push(e(r))}return t}((function(e){return r.extract(e,n,"weekday")}))),r.weekdaysCache[o][e]}))},t.meridiems=function(e){var t=this;return void 0===e&&(e=!0),at(this,void 0,e,(function(){return Be}),(function(){if(!t.meridiemCache){var e={hour:"numeric",hour12:!0};t.meridiemCache=[hr.utc(2016,11,13,9),hr.utc(2016,11,13,19)].map((function(n){return t.extract(n,e,"dayperiod")}))}return t.meridiemCache}))},t.eras=function(e,t){var n=this;return void 0===t&&(t=!0),at(this,e,t,Ne,(function(){var t={era:e};return n.eraCache[e]||(n.eraCache[e]=[hr.utc(-40,1,1),hr.utc(2017,1,1)].map((function(e){return n.extract(e,t,"era")}))),n.eraCache[e]}))},t.extract=function(e,t,n){var r=this.dtFormatter(e,t).formatToParts().find((function(e){return e.type.toLowerCase()===n}));return r?r.value:null},t.numberFormatter=function(e){return void 0===e&&(e={}),new lt(this.intl,e.forceSimple||this.fastNumbers,e)},t.dtFormatter=function(e,t){return void 0===t&&(t={}),new st(e,this.intl,t)},t.relFormatter=function(e){return void 0===e&&(e={}),new ct(this.intl,this.isEnglish(),e)},t.isEnglish=function(){return"en"===this.locale||"en-us"===this.locale.toLowerCase()||W()&&new Intl.DateTimeFormat(this.intl).resolvedOptions().locale.startsWith("en-us")},t.equals=function(e){return this.locale===e.locale&&this.numberingSystem===e.numberingSystem&&this.outputCalendar===e.outputCalendar},r(e,[{key:"fastNumbers",get:function(){var e;return null==this.fastNumbersCached&&(this.fastNumbersCached=(!(e=this).numberingSystem||"latn"===e.numberingSystem)&&("latn"===e.numberingSystem||!e.locale||e.locale.startsWith("en")||W()&&"latn"===new Intl.DateTimeFormat(e.intl).resolvedOptions().numberingSystem)),this.fastNumbersCached}}]),e}();function dt(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];var r=t.reduce((function(e,t){return e+t.source}),"");return RegExp("^"+r+"$")}function ht(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return function(e){return t.reduce((function(t,n){var r=t[0],o=t[1],i=t[2],a=n(e,i),l=a[0],s=a[1],c=a[2];return[Object.assign(r,l),o||s,c]}),[{},null,1]).slice(0,2)}}function pt(e){if(null==e)return[null,null];for(var t=arguments.length,n=new Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];for(var o=0,i=n;o<i.length;o++){var a=i[o],l=a[0],s=a[1],c=l.exec(e);if(c)return s(c)}return[null,null]}function ft(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return function(e,n){var r,o={};for(r=0;r<t.length;r++)o[t[r]]=te(e[n+r]);return[o,null,n+r]}}var mt=/(?:(Z)|([+-]\d\d)(?::?(\d\d))?)/,vt=/(\d\d)(?::?(\d\d)(?::?(\d\d)(?:[.,](\d{1,30}))?)?)?/,gt=RegExp(""+vt.source+mt.source+"?"),wt=RegExp("(?:T"+gt.source+")?"),yt=ft("weekYear","weekNumber","weekDay"),bt=ft("year","ordinal"),xt=RegExp(vt.source+" ?(?:"+mt.source+"|("+ve.source+"))?"),kt=RegExp("(?: "+xt.source+")?");function Et(e,t,n){var r=e[t];return q(r)?n:te(r)}function At(e,t){return[{year:Et(e,t),month:Et(e,t+1,1),day:Et(e,t+2,1)},null,t+3]}function Ct(e,t){return[{hours:Et(e,t,0),minutes:Et(e,t+1,0),seconds:Et(e,t+2,0),milliseconds:ne(e[t+3])},null,t+4]}function Bt(e,t){var n=!e[t]&&!e[t+1],r=de(e[t+1],e[t+2]);return[{},n?null:qe.instance(r),t+3]}function Mt(e,t){return[{},e[t]?Fe.create(e[t]):null,t+1]}var _t=RegExp("^T?"+vt.source+"$"),St=/^-?P(?:(?:(-?\d{1,9})Y)?(?:(-?\d{1,9})M)?(?:(-?\d{1,9})W)?(?:(-?\d{1,9})D)?(?:T(?:(-?\d{1,9})H)?(?:(-?\d{1,9})M)?(?:(-?\d{1,20})(?:[.,](-?\d{1,9}))?S)?)?)$/;function Nt(e){var t=e[0],n=e[1],r=e[2],o=e[3],i=e[4],a=e[5],l=e[6],s=e[7],c=e[8],u="-"===t[0],d=s&&"-"===s[0],h=function(e,t){return void 0===t&&(t=!1),void 0!==e&&(t||e&&u)?-e:e};return[{years:h(te(n)),months:h(te(r)),weeks:h(te(o)),days:h(te(i)),hours:h(te(a)),minutes:h(te(l)),seconds:h(te(s),"-0"===s),milliseconds:h(ne(c),d)}]}var Vt={GMT:0,EDT:-240,EST:-300,CDT:-300,CST:-360,MDT:-360,MST:-420,PDT:-420,PST:-480};function Lt(e,t,n,r,o,i,a){var l={year:2===t.length?ce(te(t)):te(t),month:ye.indexOf(n)+1,day:te(r),hour:te(o),minute:te(i)};return a&&(l.second=te(a)),e&&(l.weekday=e.length>3?ke.indexOf(e)+1:Ee.indexOf(e)+1),l}var Tt=/^(?:(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 It(e){var t,n=e[1],r=e[2],o=e[3],i=e[4],a=e[5],l=e[6],s=e[7],c=e[8],u=e[9],d=e[10],h=e[11],p=Lt(n,i,o,r,a,l,s);return t=c?Vt[c]:u?0:de(d,h),[p,new qe(t)]}var Zt=/^(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$/,Ot=/^(Monday|Tuesday|Wedsday|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$/,Dt=/^(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 Rt(e){var t=e[1],n=e[2],r=e[3];return[Lt(t,e[4],r,n,e[5],e[6],e[7]),qe.utcInstance]}function Ht(e){var t=e[1],n=e[2],r=e[3],o=e[4],i=e[5],a=e[6];return[Lt(t,e[7],n,r,o,i,a),qe.utcInstance]}var Pt=dt(/([+-]\d{6}|\d{4})(?:-?(\d\d)(?:-?(\d\d))?)?/,wt),jt=dt(/(\d{4})-?W(\d\d)(?:-?(\d))?/,wt),Ft=dt(/(\d{4})-?(\d{3})/,wt),zt=dt(gt),qt=ht(At,Ct,Bt),Ut=ht(yt,Ct,Bt),$t=ht(bt,Ct,Bt),Wt=ht(Ct,Bt);var Gt=ht(Ct);var Kt=dt(/(\d{4})-(\d\d)-(\d\d)/,kt),Yt=dt(xt),Xt=ht(At,Ct,Bt,Mt),Jt=ht(Ct,Bt,Mt);var Qt={weeks:{days:7,hours:168,minutes:10080,seconds:604800,milliseconds:6048e5},days:{hours:24,minutes:1440,seconds:86400,milliseconds:864e5},hours:{minutes:60,seconds:3600,milliseconds:36e5},minutes:{seconds:60,milliseconds:6e4},seconds:{milliseconds:1e3}},en=Object.assign({years:{quarters:4,months:12,weeks:52,days:365,hours:8760,minutes:525600,seconds:31536e3,milliseconds:31536e6},quarters:{months:3,weeks:13,days:91,hours:2184,minutes:131040,seconds:7862400,milliseconds:78624e5},months:{weeks:4,days:30,hours:720,minutes:43200,seconds:2592e3,milliseconds:2592e6}},Qt),tn=365.2425,nn=30.436875,rn=Object.assign({years:{quarters:4,months:12,weeks:52.1775,days:tn,hours:8765.82,minutes:525949.2,seconds:525949.2*60,milliseconds:525949.2*60*1e3},quarters:{months:3,weeks:13.044375,days:91.310625,hours:2191.455,minutes:131487.3,seconds:525949.2*60/4,milliseconds:7889237999.999999},months:{weeks:4.3481250000000005,days:nn,hours:730.485,minutes:43829.1,seconds:2629746,milliseconds:2629746e3}},Qt),on=["years","quarters","months","weeks","days","hours","minutes","seconds","milliseconds"],an=on.slice(0).reverse();function ln(e,t,n){void 0===n&&(n=!1);var r={values:n?t.values:Object.assign({},e.values,t.values||{}),loc:e.loc.clone(t.loc),conversionAccuracy:t.conversionAccuracy||e.conversionAccuracy};return new cn(r)}function sn(e,t,n,r,o){var i=e[o][n],a=t[n]/i,l=!(Math.sign(a)===Math.sign(r[o]))&&0!==r[o]&&Math.abs(a)<=1?function(e){return e<0?Math.floor(e):Math.ceil(e)}(a):Math.trunc(a);r[o]+=l,t[n]-=l*i}var cn=function(){function e(e){var t="longterm"===e.conversionAccuracy||!1;this.values=e.values,this.loc=e.loc||ut.create(),this.conversionAccuracy=t?"longterm":"casual",this.invalid=e.invalid||null,this.matrix=t?rn:en,this.isLuxonDuration=!0}e.fromMillis=function(t,n){return e.fromObject(Object.assign({milliseconds:t},n))},e.fromObject=function(t){if(null==t||"object"!=typeof t)throw new g("Duration.fromObject: argument expected to be an object, got "+(null===t?"null":typeof t));return new e({values:pe(t,e.normalizeUnit,["locale","numberingSystem","conversionAccuracy","zone"]),loc:ut.fromObject(t),conversionAccuracy:t.conversionAccuracy})},e.fromISO=function(t,n){var r=function(e){return pt(e,[St,Nt])}(t),o=r[0];if(o){var i=Object.assign(o,n);return e.fromObject(i)}return e.invalid("unparsable",'the input "'+t+"\" can't be parsed as ISO 8601")},e.fromISOTime=function(t,n){var r=function(e){return pt(e,[_t,Gt])}(t),o=r[0];if(o){var i=Object.assign(o,n);return e.fromObject(i)}return e.invalid("unparsable",'the input "'+t+"\" can't be parsed as ISO 8601")},e.invalid=function(t,n){if(void 0===n&&(n=null),!t)throw new g("need to specify a reason the Duration is invalid");var r=t instanceof Ie?t:new Ie(t,n);if(Qe.throwOnInvalid)throw new f(r);return new e({invalid:r})},e.normalizeUnit=function(e){var t={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"}[e?e.toLowerCase():e];if(!t)throw new v(e);return t},e.isDuration=function(e){return e&&e.isLuxonDuration||!1};var t=e.prototype;return t.toFormat=function(e,t){void 0===t&&(t={});var n=Object.assign({},t,{floor:!1!==t.round&&!1!==t.floor});return this.isValid?Te.create(this.loc,n).formatDurationFromString(this,e):"Invalid Duration"},t.toObject=function(e){if(void 0===e&&(e={}),!this.isValid)return{};var t=Object.assign({},this.values);return e.includeConfig&&(t.conversionAccuracy=this.conversionAccuracy,t.numberingSystem=this.loc.numberingSystem,t.locale=this.loc.locale),t},t.toISO=function(){if(!this.isValid)return null;var e="P";return 0!==this.years&&(e+=this.years+"Y"),0===this.months&&0===this.quarters||(e+=this.months+3*this.quarters+"M"),0!==this.weeks&&(e+=this.weeks+"W"),0!==this.days&&(e+=this.days+"D"),0===this.hours&&0===this.minutes&&0===this.seconds&&0===this.milliseconds||(e+="T"),0!==this.hours&&(e+=this.hours+"H"),0!==this.minutes&&(e+=this.minutes+"M"),0===this.seconds&&0===this.milliseconds||(e+=re(this.seconds+this.milliseconds/1e3,3)+"S"),"P"===e&&(e+="T0S"),e},t.toISOTime=function(e){if(void 0===e&&(e={}),!this.isValid)return null;var t=this.toMillis();if(t<0||t>=864e5)return null;e=Object.assign({suppressMilliseconds:!1,suppressSeconds:!1,includePrefix:!1,format:"extended"},e);var n=this.shiftTo("hours","minutes","seconds","milliseconds"),r="basic"===e.format?"hhmm":"hh:mm";e.suppressSeconds&&0===n.seconds&&0===n.milliseconds||(r+="basic"===e.format?"ss":":ss",e.suppressMilliseconds&&0===n.milliseconds||(r+=".SSS"));var o=n.toFormat(r);return e.includePrefix&&(o="T"+o),o},t.toJSON=function(){return this.toISO()},t.toString=function(){return this.toISO()},t.toMillis=function(){return this.as("milliseconds")},t.valueOf=function(){return this.toMillis()},t.plus=function(e){if(!this.isValid)return this;for(var t,n=un(e),r={},o=u(on);!(t=o()).done;){var i=t.value;(J(n.values,i)||J(this.values,i))&&(r[i]=n.get(i)+this.get(i))}return ln(this,{values:r},!0)},t.minus=function(e){if(!this.isValid)return this;var t=un(e);return this.plus(t.negate())},t.mapUnits=function(e){if(!this.isValid)return this;for(var t={},n=0,r=Object.keys(this.values);n<r.length;n++){var o=r[n];t[o]=he(e(this.values[o],o))}return ln(this,{values:t},!0)},t.get=function(t){return this[e.normalizeUnit(t)]},t.set=function(t){return this.isValid?ln(this,{values:Object.assign(this.values,pe(t,e.normalizeUnit,[]))}):this},t.reconfigure=function(e){var t=void 0===e?{}:e,n=t.locale,r=t.numberingSystem,o=t.conversionAccuracy,i={loc:this.loc.clone({locale:n,numberingSystem:r})};return o&&(i.conversionAccuracy=o),ln(this,i)},t.as=function(e){return this.isValid?this.shiftTo(e).get(e):NaN},t.normalize=function(){if(!this.isValid)return this;var e=this.toObject();return function(e,t){an.reduce((function(n,r){return q(t[r])?n:(n&&sn(e,t,n,t,r),r)}),null)}(this.matrix,e),ln(this,{values:e},!0)},t.shiftTo=function(){for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];if(!this.isValid)return this;if(0===n.length)return this;n=n.map((function(t){return e.normalizeUnit(t)}));for(var o,i,a={},l={},s=this.toObject(),c=u(on);!(i=c()).done;){var d=i.value;if(n.indexOf(d)>=0){o=d;var h=0;for(var p in l)h+=this.matrix[p][d]*l[p],l[p]=0;U(s[d])&&(h+=s[d]);var f=Math.trunc(h);for(var m in a[d]=f,l[d]=h-f,s)on.indexOf(m)>on.indexOf(d)&&sn(this.matrix,s,m,a,d)}else U(s[d])&&(l[d]=s[d])}for(var v in l)0!==l[v]&&(a[o]+=v===o?l[v]:l[v]/this.matrix[o][v]);return ln(this,{values:a},!0).normalize()},t.negate=function(){if(!this.isValid)return this;for(var e={},t=0,n=Object.keys(this.values);t<n.length;t++){var r=n[t];e[r]=-this.values[r]}return ln(this,{values:e},!0)},t.equals=function(e){if(!this.isValid||!e.isValid)return!1;if(!this.loc.equals(e.loc))return!1;for(var t,n=u(on);!(t=n()).done;){var r=t.value;if(o=this.values[r],i=e.values[r],!(void 0===o||0===o?void 0===i||0===i:o===i))return!1}var o,i;return!0},r(e,[{key:"locale",get:function(){return this.isValid?this.loc.locale:null}},{key:"numberingSystem",get:function(){return this.isValid?this.loc.numberingSystem:null}},{key:"years",get:function(){return this.isValid?this.values.years||0:NaN}},{key:"quarters",get:function(){return this.isValid?this.values.quarters||0:NaN}},{key:"months",get:function(){return this.isValid?this.values.months||0:NaN}},{key:"weeks",get:function(){return this.isValid?this.values.weeks||0:NaN}},{key:"days",get:function(){return this.isValid?this.values.days||0:NaN}},{key:"hours",get:function(){return this.isValid?this.values.hours||0:NaN}},{key:"minutes",get:function(){return this.isValid?this.values.minutes||0:NaN}},{key:"seconds",get:function(){return this.isValid?this.values.seconds||0:NaN}},{key:"milliseconds",get:function(){return this.isValid?this.values.milliseconds||0:NaN}},{key:"isValid",get:function(){return null===this.invalid}},{key:"invalidReason",get:function(){return this.invalid?this.invalid.reason:null}},{key:"invalidExplanation",get:function(){return this.invalid?this.invalid.explanation:null}}]),e}();function un(e){if(U(e))return cn.fromMillis(e);if(cn.isDuration(e))return e;if("object"==typeof e)return cn.fromObject(e);throw new g("Unknown duration argument "+e+" of type "+typeof e)}var dn="Invalid Interval";function hn(e,t){return e&&e.isValid?t&&t.isValid?t<e?pn.invalid("end before start","The end of an interval must be after its start, but you had start="+e.toISO()+" and end="+t.toISO()):null:pn.invalid("missing or invalid end"):pn.invalid("missing or invalid start")}var pn=function(){function e(e){this.s=e.start,this.e=e.end,this.invalid=e.invalid||null,this.isLuxonInterval=!0}e.invalid=function(t,n){if(void 0===n&&(n=null),!t)throw new g("need to specify a reason the Interval is invalid");var r=t instanceof Ie?t:new Ie(t,n);if(Qe.throwOnInvalid)throw new p(r);return new e({invalid:r})},e.fromDateTimes=function(t,n){var r=pr(t),o=pr(n),i=hn(r,o);return null==i?new e({start:r,end:o}):i},e.after=function(t,n){var r=un(n),o=pr(t);return e.fromDateTimes(o,o.plus(r))},e.before=function(t,n){var r=un(n),o=pr(t);return e.fromDateTimes(o.minus(r),o)},e.fromISO=function(t,n){var r=(t||"").split("/",2),o=r[0],i=r[1];if(o&&i){var a,l,s,c;try{l=(a=hr.fromISO(o,n)).isValid}catch(i){l=!1}try{c=(s=hr.fromISO(i,n)).isValid}catch(i){c=!1}if(l&&c)return e.fromDateTimes(a,s);if(l){var u=cn.fromISO(i,n);if(u.isValid)return e.after(a,u)}else if(c){var d=cn.fromISO(o,n);if(d.isValid)return e.before(s,d)}}return e.invalid("unparsable",'the input "'+t+"\" can't be parsed as ISO 8601")},e.isInterval=function(e){return e&&e.isLuxonInterval||!1};var t=e.prototype;return t.length=function(e){return void 0===e&&(e="milliseconds"),this.isValid?this.toDuration.apply(this,[e]).get(e):NaN},t.count=function(e){if(void 0===e&&(e="milliseconds"),!this.isValid)return NaN;var t=this.start.startOf(e),n=this.end.startOf(e);return Math.floor(n.diff(t,e).get(e))+1},t.hasSame=function(e){return!!this.isValid&&(this.isEmpty()||this.e.minus(1).hasSame(this.s,e))},t.isEmpty=function(){return this.s.valueOf()===this.e.valueOf()},t.isAfter=function(e){return!!this.isValid&&this.s>e},t.isBefore=function(e){return!!this.isValid&&this.e<=e},t.contains=function(e){return!!this.isValid&&(this.s<=e&&this.e>e)},t.set=function(t){var n=void 0===t?{}:t,r=n.start,o=n.end;return this.isValid?e.fromDateTimes(r||this.s,o||this.e):this},t.splitAt=function(){var t=this;if(!this.isValid)return[];for(var n=arguments.length,r=new Array(n),o=0;o<n;o++)r[o]=arguments[o];for(var i=r.map(pr).filter((function(e){return t.contains(e)})).sort(),a=[],l=this.s,s=0;l<this.e;){var c=i[s]||this.e,u=+c>+this.e?this.e:c;a.push(e.fromDateTimes(l,u)),l=u,s+=1}return a},t.splitBy=function(t){var n=un(t);if(!this.isValid||!n.isValid||0===n.as("milliseconds"))return[];for(var r,o=this.s,i=1,a=[];o<this.e;){var l=this.start.plus(n.mapUnits((function(e){return e*i})));r=+l>+this.e?this.e:l,a.push(e.fromDateTimes(o,r)),o=r,i+=1}return a},t.divideEqually=function(e){return this.isValid?this.splitBy(this.length()/e).slice(0,e):[]},t.overlaps=function(e){return this.e>e.s&&this.s<e.e},t.abutsStart=function(e){return!!this.isValid&&+this.e==+e.s},t.abutsEnd=function(e){return!!this.isValid&&+e.e==+this.s},t.engulfs=function(e){return!!this.isValid&&(this.s<=e.s&&this.e>=e.e)},t.equals=function(e){return!(!this.isValid||!e.isValid)&&(this.s.equals(e.s)&&this.e.equals(e.e))},t.intersection=function(t){if(!this.isValid)return this;var n=this.s>t.s?this.s:t.s,r=this.e<t.e?this.e:t.e;return n>=r?null:e.fromDateTimes(n,r)},t.union=function(t){if(!this.isValid)return this;var n=this.s<t.s?this.s:t.s,r=this.e>t.e?this.e:t.e;return e.fromDateTimes(n,r)},e.merge=function(e){var t=e.sort((function(e,t){return e.s-t.s})).reduce((function(e,t){var n=e[0],r=e[1];return r?r.overlaps(t)||r.abutsStart(t)?[n,r.union(t)]:[n.concat([r]),t]:[n,t]}),[[],null]),n=t[0],r=t[1];return r&&n.push(r),n},e.xor=function(t){for(var n,r,o=null,i=0,a=[],l=t.map((function(e){return[{time:e.s,type:"s"},{time:e.e,type:"e"}]})),s=u((n=Array.prototype).concat.apply(n,l).sort((function(e,t){return e.time-t.time})));!(r=s()).done;){var c=r.value;1===(i+="s"===c.type?1:-1)?o=c.time:(o&&+o!=+c.time&&a.push(e.fromDateTimes(o,c.time)),o=null)}return e.merge(a)},t.difference=function(){for(var t=this,n=arguments.length,r=new Array(n),o=0;o<n;o++)r[o]=arguments[o];return e.xor([this].concat(r)).map((function(e){return t.intersection(e)})).filter((function(e){return e&&!e.isEmpty()}))},t.toString=function(){return this.isValid?"["+this.s.toISO()+" – "+this.e.toISO()+")":dn},t.toISO=function(e){return this.isValid?this.s.toISO(e)+"/"+this.e.toISO(e):dn},t.toISODate=function(){return this.isValid?this.s.toISODate()+"/"+this.e.toISODate():dn},t.toISOTime=function(e){return this.isValid?this.s.toISOTime(e)+"/"+this.e.toISOTime(e):dn},t.toFormat=function(e,t){var n=(void 0===t?{}:t).separator,r=void 0===n?" – ":n;return this.isValid?""+this.s.toFormat(e)+r+this.e.toFormat(e):dn},t.toDuration=function(e,t){return this.isValid?this.e.diff(this.s,e,t):cn.invalid(this.invalidReason)},t.mapEndpoints=function(t){return e.fromDateTimes(t(this.s),t(this.e))},r(e,[{key:"start",get:function(){return this.isValid?this.s:null}},{key:"end",get:function(){return this.isValid?this.e:null}},{key:"isValid",get:function(){return null===this.invalidReason}},{key:"invalidReason",get:function(){return this.invalid?this.invalid.reason:null}},{key:"invalidExplanation",get:function(){return this.invalid?this.invalid.explanation:null}}]),e}(),fn=function(){function e(){}return e.hasDST=function(e){void 0===e&&(e=Qe.defaultZone);var t=hr.now().setZone(e).set({month:12});return!e.universal&&t.offset!==t.set({month:6}).offset},e.isValidIANAZone=function(e){return Fe.isValidSpecifier(e)&&Fe.isValidZone(e)},e.normalizeZone=function(e){return $e(e,Qe.defaultZone)},e.months=function(e,t){void 0===e&&(e="long");var n=void 0===t?{}:t,r=n.locale,o=void 0===r?null:r,i=n.numberingSystem,a=void 0===i?null:i,l=n.locObj,s=void 0===l?null:l,c=n.outputCalendar,u=void 0===c?"gregory":c;return(s||ut.create(o,a,u)).months(e)},e.monthsFormat=function(e,t){void 0===e&&(e="long");var n=void 0===t?{}:t,r=n.locale,o=void 0===r?null:r,i=n.numberingSystem,a=void 0===i?null:i,l=n.locObj,s=void 0===l?null:l,c=n.outputCalendar,u=void 0===c?"gregory":c;return(s||ut.create(o,a,u)).months(e,!0)},e.weekdays=function(e,t){void 0===e&&(e="long");var n=void 0===t?{}:t,r=n.locale,o=void 0===r?null:r,i=n.numberingSystem,a=void 0===i?null:i,l=n.locObj;return((void 0===l?null:l)||ut.create(o,a,null)).weekdays(e)},e.weekdaysFormat=function(e,t){void 0===e&&(e="long");var n=void 0===t?{}:t,r=n.locale,o=void 0===r?null:r,i=n.numberingSystem,a=void 0===i?null:i,l=n.locObj;return((void 0===l?null:l)||ut.create(o,a,null)).weekdays(e,!0)},e.meridiems=function(e){var t=(void 0===e?{}:e).locale,n=void 0===t?null:t;return ut.create(n).meridiems()},e.eras=function(e,t){void 0===e&&(e="short");var n=(void 0===t?{}:t).locale,r=void 0===n?null:n;return ut.create(r,null,"gregory").eras(e)},e.features=function(){var e=!1,t=!1,n=!1,r=!1;if(W()){e=!0,t=G(),r=K();try{n="America/New_York"===new Intl.DateTimeFormat("en",{timeZone:"America/New_York"}).resolvedOptions().timeZone}catch(e){n=!1}}return{intl:e,intlTokens:t,zones:n,relative:r}},e}();function mn(e,t){var n=function(e){return e.toUTC(0,{keepLocalTime:!0}).startOf("day").valueOf()},r=n(t)-n(e);return Math.floor(cn.fromMillis(r).as("days"))}function vn(e,t,n,r){var o=function(e,t,n){for(var r,o,i={},a=0,l=[["years",function(e,t){return t.year-e.year}],["quarters",function(e,t){return t.quarter-e.quarter}],["months",function(e,t){return t.month-e.month+12*(t.year-e.year)}],["weeks",function(e,t){var n=mn(e,t);return(n-n%7)/7}],["days",mn]];a<l.length;a++){var s=l[a],c=s[0],u=s[1];if(n.indexOf(c)>=0){var d;r=c;var h,p=u(e,t);(o=e.plus(((d={})[c]=p,d)))>t?(e=e.plus(((h={})[c]=p-1,h)),p-=1):e=o,i[c]=p}}return[e,i,o,r]}(e,t,n),i=o[0],a=o[1],l=o[2],s=o[3],c=t-i,u=n.filter((function(e){return["hours","minutes","seconds","milliseconds"].indexOf(e)>=0}));if(0===u.length){var d;if(l<t)l=i.plus(((d={})[s]=1,d));l!==i&&(a[s]=(a[s]||0)+c/(l-i))}var h,p=cn.fromObject(Object.assign(a,r));return u.length>0?(h=cn.fromMillis(c,r)).shiftTo.apply(h,u).plus(p):p}var gn={arab:"[٠-٩]",arabext:"[۰-۹]",bali:"[᭐-᭙]",beng:"[০-৯]",deva:"[०-९]",fullwide:"[0-9]",gujr:"[૦-૯]",hanidec:"[〇|一|二|三|四|五|六|七|八|九]",khmr:"[០-៩]",knda:"[೦-೯]",laoo:"[໐-໙]",limb:"[᥆-᥏]",mlym:"[൦-൯]",mong:"[᠐-᠙]",mymr:"[၀-၉]",orya:"[୦-୯]",tamldec:"[௦-௯]",telu:"[౦-౯]",thai:"[๐-๙]",tibt:"[༠-༩]",latn:"\\d"},wn={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]},yn=gn.hanidec.replace(/[\[|\]]/g,"").split("");function bn(e,t){var n=e.numberingSystem;return void 0===t&&(t=""),new RegExp(""+gn[n||"latn"]+t)}function xn(e,t){return void 0===t&&(t=function(e){return e}),{regex:e,deser:function(e){var n=e[0];return t(function(e){var t=parseInt(e,10);if(isNaN(t)){t="";for(var n=0;n<e.length;n++){var r=e.charCodeAt(n);if(-1!==e[n].search(gn.hanidec))t+=yn.indexOf(e[n]);else for(var o in wn){var i=wn[o],a=i[0],l=i[1];r>=a&&r<=l&&(t+=r-a)}}return parseInt(t,10)}return t}(n))}}}var kn="( |"+String.fromCharCode(160)+")",En=new RegExp(kn,"g");function An(e){return e.replace(/\./g,"\\.?").replace(En,kn)}function Cn(e){return e.replace(/\./g,"").replace(En," ").toLowerCase()}function Bn(e,t){return null===e?null:{regex:RegExp(e.map(An).join("|")),deser:function(n){var r=n[0];return e.findIndex((function(e){return Cn(r)===Cn(e)}))+t}}}function Mn(e,t){return{regex:e,deser:function(e){return de(e[1],e[2])},groups:t}}function _n(e){return{regex:e,deser:function(e){return e[0]}}}var Sn={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",hour:{numeric:"h","2-digit":"hh"},minute:{numeric:"m","2-digit":"mm"},second:{numeric:"s","2-digit":"ss"}};var Nn=null;function Vn(e,t){if(e.literal)return e;var n=Te.macroTokenToFormatOpts(e.val);if(!n)return e;var r=Te.create(t,n).formatDateTimeParts((Nn||(Nn=hr.fromMillis(1555555555555)),Nn)).map((function(e){return function(e,t,n){var r=e.type,o=e.value;if("literal"===r)return{literal:!0,val:o};var i=n[r],a=Sn[r];return"object"==typeof a&&(a=a[i]),a?{literal:!1,val:a}:void 0}(e,0,n)}));return r.includes(void 0)?e:r}function Ln(e,t,n){var r=function(e,t){var n;return(n=Array.prototype).concat.apply(n,e.map((function(e){return Vn(e,t)})))}(Te.parseFormat(n),e),o=r.map((function(t){return n=t,o=bn(r=e),i=bn(r,"{2}"),a=bn(r,"{3}"),l=bn(r,"{4}"),s=bn(r,"{6}"),c=bn(r,"{1,2}"),u=bn(r,"{1,3}"),d=bn(r,"{1,6}"),h=bn(r,"{1,9}"),p=bn(r,"{2,4}"),f=bn(r,"{4,6}"),m=function(e){return{regex:RegExp((t=e.val,t.replace(/[\-\[\]{}()*+?.,\\\^$|#\s]/g,"\\$&"))),deser:function(e){return e[0]},literal:!0};var t},v=function(e){if(n.literal)return m(e);switch(e.val){case"G":return Bn(r.eras("short",!1),0);case"GG":return Bn(r.eras("long",!1),0);case"y":return xn(d);case"yy":case"kk":return xn(p,ce);case"yyyy":case"kkkk":return xn(l);case"yyyyy":return xn(f);case"yyyyyy":return xn(s);case"M":case"L":case"d":case"H":case"h":case"m":case"q":case"s":case"W":return xn(c);case"MM":case"LL":case"dd":case"HH":case"hh":case"mm":case"qq":case"ss":case"WW":return xn(i);case"MMM":return Bn(r.months("short",!0,!1),1);case"MMMM":return Bn(r.months("long",!0,!1),1);case"LLL":return Bn(r.months("short",!1,!1),1);case"LLLL":return Bn(r.months("long",!1,!1),1);case"o":case"S":return xn(u);case"ooo":case"SSS":return xn(a);case"u":return _n(h);case"a":return Bn(r.meridiems(),0);case"E":case"c":return xn(o);case"EEE":return Bn(r.weekdays("short",!1,!1),1);case"EEEE":return Bn(r.weekdays("long",!1,!1),1);case"ccc":return Bn(r.weekdays("short",!0,!1),1);case"cccc":return Bn(r.weekdays("long",!0,!1),1);case"Z":case"ZZ":return Mn(new RegExp("([+-]"+c.source+")(?::("+i.source+"))?"),2);case"ZZZ":return Mn(new RegExp("([+-]"+c.source+")("+i.source+")?"),2);case"z":return _n(/[a-z_+-/]{1,256}?/i);default:return m(e)}}(n)||{invalidReason:"missing Intl.DateTimeFormat.formatToParts support"},v.token=n,v;var n,r,o,i,a,l,s,c,u,d,h,p,f,m,v})),i=o.find((function(e){return e.invalidReason}));if(i)return{input:t,tokens:r,invalidReason:i.invalidReason};var a=function(e){return["^"+e.map((function(e){return e.regex})).reduce((function(e,t){return e+"("+t.source+")"}),"")+"$",e]}(o),l=a[0],s=a[1],c=RegExp(l,"i"),u=function(e,t,n){var r=e.match(t);if(r){var o={},i=1;for(var a in n)if(J(n,a)){var l=n[a],s=l.groups?l.groups+1:1;!l.literal&&l.token&&(o[l.token.val[0]]=l.deser(r.slice(i,i+s))),i+=s}return[r,o]}return[r,{}]}(t,c,s),d=u[0],h=u[1],p=h?function(e){var t;return t=q(e.Z)?q(e.z)?null:Fe.create(e.z):new qe(e.Z),q(e.q)||(e.M=3*(e.q-1)+1),q(e.h)||(e.h<12&&1===e.a?e.h+=12:12===e.h&&0===e.a&&(e.h=0)),0===e.G&&e.y&&(e.y=-e.y),q(e.u)||(e.S=ne(e.u)),[Object.keys(e).reduce((function(t,n){var r=function(e){switch(e){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}}(n);return r&&(t[r]=e[n]),t}),{}),t]}(h):[null,null],f=p[0],v=p[1];if(J(h,"a")&&J(h,"H"))throw new m("Can't include meridiem when specifying 24-hour format");return{input:t,tokens:r,regex:c,rawMatches:d,matches:h,result:f,zone:v}}var Tn=[0,31,59,90,120,151,181,212,243,273,304,334],In=[0,31,60,91,121,152,182,213,244,274,305,335];function Zn(e,t){return new Ie("unit out of range","you specified "+t+" (of type "+typeof t+") as a "+e+", which is invalid")}function On(e,t,n){var r=new Date(Date.UTC(e,t-1,n)).getUTCDay();return 0===r?7:r}function Dn(e,t,n){return n+(oe(e)?In:Tn)[t-1]}function Rn(e,t){var n=oe(e)?In:Tn,r=n.findIndex((function(e){return e<t}));return{month:r+1,day:t-n[r]}}function Hn(e){var t,n=e.year,r=e.month,o=e.day,i=Dn(n,r,o),a=On(n,r,o),l=Math.floor((i-a+10)/7);return l<1?l=se(t=n-1):l>se(n)?(t=n+1,l=1):t=n,Object.assign({weekYear:t,weekNumber:l,weekday:a},me(e))}function Pn(e){var t,n=e.weekYear,r=e.weekNumber,o=e.weekday,i=On(n,1,4),a=ie(n),l=7*r+o-i-3;l<1?l+=ie(t=n-1):l>a?(t=n+1,l-=ie(n)):t=n;var s=Rn(t,l),c=s.month,u=s.day;return Object.assign({year:t,month:c,day:u},me(e))}function jn(e){var t=e.year,n=Dn(t,e.month,e.day);return Object.assign({year:t,ordinal:n},me(e))}function Fn(e){var t=e.year,n=Rn(t,e.ordinal),r=n.month,o=n.day;return Object.assign({year:t,month:r,day:o},me(e))}function zn(e){var t=$(e.year),n=Q(e.month,1,12),r=Q(e.day,1,ae(e.year,e.month));return t?n?!r&&Zn("day",e.day):Zn("month",e.month):Zn("year",e.year)}function qn(e){var t=e.hour,n=e.minute,r=e.second,o=e.millisecond,i=Q(t,0,23)||24===t&&0===n&&0===r&&0===o,a=Q(n,0,59),l=Q(r,0,59),s=Q(o,0,999);return i?a?l?!s&&Zn("millisecond",o):Zn("second",r):Zn("minute",n):Zn("hour",t)}var Un="Invalid DateTime",$n=864e13;function Wn(e){return new Ie("unsupported zone",'the zone "'+e.name+'" is not supported')}function Gn(e){return null===e.weekData&&(e.weekData=Hn(e.c)),e.weekData}function Kn(e,t){var n={ts:e.ts,zone:e.zone,c:e.c,o:e.o,loc:e.loc,invalid:e.invalid};return new hr(Object.assign({},n,t,{old:n}))}function Yn(e,t,n){var r=e-60*t*1e3,o=n.offset(r);if(t===o)return[r,t];r-=60*(o-t)*1e3;var i=n.offset(r);return o===i?[r,o]:[e-60*Math.min(o,i)*1e3,Math.max(o,i)]}function Xn(e,t){var n=new Date(e+=60*t*1e3);return{year:n.getUTCFullYear(),month:n.getUTCMonth()+1,day:n.getUTCDate(),hour:n.getUTCHours(),minute:n.getUTCMinutes(),second:n.getUTCSeconds(),millisecond:n.getUTCMilliseconds()}}function Jn(e,t,n){return Yn(le(e),t,n)}function Qn(e,t){var n=e.o,r=e.c.year+Math.trunc(t.years),o=e.c.month+Math.trunc(t.months)+3*Math.trunc(t.quarters),i=Object.assign({},e.c,{year:r,month:o,day:Math.min(e.c.day,ae(r,o))+Math.trunc(t.days)+7*Math.trunc(t.weeks)}),a=cn.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"),l=Yn(le(i),n,e.zone),s=l[0],c=l[1];return 0!==a&&(s+=a,c=e.zone.offset(s)),{ts:s,o:c}}function er(e,t,n,r,o){var i=n.setZone,a=n.zone;if(e&&0!==Object.keys(e).length){var l=t||a,s=hr.fromObject(Object.assign(e,n,{zone:l,setZone:void 0}));return i?s:s.setZone(a)}return hr.invalid(new Ie("unparsable",'the input "'+o+"\" can't be parsed as "+r))}function tr(e,t,n){return void 0===n&&(n=!0),e.isValid?Te.create(ut.create("en-US"),{allowZ:n,forceSimple:!0}).formatDateTimeFromString(e,t):null}function nr(e,t){var n=t.suppressSeconds,r=void 0!==n&&n,o=t.suppressMilliseconds,i=void 0!==o&&o,a=t.includeOffset,l=t.includePrefix,s=void 0!==l&&l,c=t.includeZone,u=void 0!==c&&c,d=t.spaceZone,h=void 0!==d&&d,p=t.format,f=void 0===p?"extended":p,m="basic"===f?"HHmm":"HH:mm";r&&0===e.second&&0===e.millisecond||(m+="basic"===f?"ss":":ss",i&&0===e.millisecond||(m+=".SSS")),(u||a)&&h&&(m+=" "),u?m+="z":a&&(m+="basic"===f?"ZZZ":"ZZ");var v=tr(e,m);return s&&(v="T"+v),v}var rr={month:1,day:1,hour:0,minute:0,second:0,millisecond:0},or={weekNumber:1,weekday:1,hour:0,minute:0,second:0,millisecond:0},ir={ordinal:1,hour:0,minute:0,second:0,millisecond:0},ar=["year","month","day","hour","minute","second","millisecond"],lr=["weekYear","weekNumber","weekday","hour","minute","second","millisecond"],sr=["year","ordinal","hour","minute","second","millisecond"];function cr(e){var 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"}[e.toLowerCase()];if(!t)throw new v(e);return t}function ur(e,t){for(var n,r=u(ar);!(n=r()).done;){var o=n.value;q(e[o])&&(e[o]=rr[o])}var i=zn(e)||qn(e);if(i)return hr.invalid(i);var a=Qe.now(),l=Jn(e,t.offset(a),t),s=l[0],c=l[1];return new hr({ts:s,zone:t,o:c})}function dr(e,t,n){var r=!!q(n.round)||n.round,o=function(e,o){return e=re(e,r||n.calendary?0:2,!0),t.loc.clone(n).relFormatter(n).format(e,o)},i=function(r){return n.calendary?t.hasSame(e,r)?0:t.startOf(r).diff(e.startOf(r),r).get(r):t.diff(e,r).get(r)};if(n.unit)return o(i(n.unit),n.unit);for(var a,l=u(n.units);!(a=l()).done;){var s=a.value,c=i(s);if(Math.abs(c)>=1)return o(c,s)}return o(e>t?-0:0,n.units[n.units.length-1])}var hr=function(){function e(e){var t=e.zone||Qe.defaultZone,n=e.invalid||(Number.isNaN(e.ts)?new Ie("invalid input"):null)||(t.isValid?null:Wn(t));this.ts=q(e.ts)?Qe.now():e.ts;var r=null,o=null;if(!n)if(e.old&&e.old.ts===this.ts&&e.old.zone.equals(t)){var i=[e.old.c,e.old.o];r=i[0],o=i[1]}else{var a=t.offset(this.ts);r=Xn(this.ts,a),r=(n=Number.isNaN(r.year)?new Ie("invalid input"):null)?null:r,o=n?null:a}this._zone=t,this.loc=e.loc||ut.create(),this.invalid=n,this.weekData=null,this.c=r,this.o=o,this.isLuxonDateTime=!0}e.now=function(){return new e({})},e.local=function(t,n,r,o,i,a,l){return q(t)?e.now():ur({year:t,month:n,day:r,hour:o,minute:i,second:a,millisecond:l},Qe.defaultZone)},e.utc=function(t,n,r,o,i,a,l){return q(t)?new e({ts:Qe.now(),zone:qe.utcInstance}):ur({year:t,month:n,day:r,hour:o,minute:i,second:a,millisecond:l},qe.utcInstance)},e.fromJSDate=function(t,n){void 0===n&&(n={});var r,o=(r=t,"[object Date]"===Object.prototype.toString.call(r)?t.valueOf():NaN);if(Number.isNaN(o))return e.invalid("invalid input");var i=$e(n.zone,Qe.defaultZone);return i.isValid?new e({ts:o,zone:i,loc:ut.fromObject(n)}):e.invalid(Wn(i))},e.fromMillis=function(t,n){if(void 0===n&&(n={}),U(t))return t<-$n||t>$n?e.invalid("Timestamp out of range"):new e({ts:t,zone:$e(n.zone,Qe.defaultZone),loc:ut.fromObject(n)});throw new g("fromMillis requires a numerical input, but received a "+typeof t+" with value "+t)},e.fromSeconds=function(t,n){if(void 0===n&&(n={}),U(t))return new e({ts:1e3*t,zone:$e(n.zone,Qe.defaultZone),loc:ut.fromObject(n)});throw new g("fromSeconds requires a numerical input")},e.fromObject=function(t){var n=$e(t.zone,Qe.defaultZone);if(!n.isValid)return e.invalid(Wn(n));var r=Qe.now(),o=n.offset(r),i=pe(t,cr,["zone","locale","outputCalendar","numberingSystem"]),a=!q(i.ordinal),l=!q(i.year),s=!q(i.month)||!q(i.day),c=l||s,d=i.weekYear||i.weekNumber,h=ut.fromObject(t);if((c||a)&&d)throw new m("Can't mix weekYear/weekNumber units with year/month/day or ordinals");if(s&&a)throw new m("Can't mix ordinal dates with month/day");var p,f,v=d||i.weekday&&!c,g=Xn(r,o);v?(p=lr,f=or,g=Hn(g)):a?(p=sr,f=ir,g=jn(g)):(p=ar,f=rr);for(var w,y=!1,b=u(p);!(w=b()).done;){var x=w.value;q(i[x])?i[x]=y?f[x]:g[x]:y=!0}var k=v?function(e){var t=$(e.weekYear),n=Q(e.weekNumber,1,se(e.weekYear)),r=Q(e.weekday,1,7);return t?n?!r&&Zn("weekday",e.weekday):Zn("week",e.week):Zn("weekYear",e.weekYear)}(i):a?function(e){var t=$(e.year),n=Q(e.ordinal,1,ie(e.year));return t?!n&&Zn("ordinal",e.ordinal):Zn("year",e.year)}(i):zn(i),E=k||qn(i);if(E)return e.invalid(E);var A=Jn(v?Pn(i):a?Fn(i):i,o,n),C=new e({ts:A[0],zone:n,o:A[1],loc:h});return i.weekday&&c&&t.weekday!==C.weekday?e.invalid("mismatched weekday","you can't specify both a weekday of "+i.weekday+" and a date of "+C.toISO()):C},e.fromISO=function(e,t){void 0===t&&(t={});var n=function(e){return pt(e,[Pt,qt],[jt,Ut],[Ft,$t],[zt,Wt])}(e);return er(n[0],n[1],t,"ISO 8601",e)},e.fromRFC2822=function(e,t){void 0===t&&(t={});var n=function(e){return pt(function(e){return e.replace(/\([^()]*\)|[\n\t]/g," ").replace(/(\s\s+)/g," ").trim()}(e),[Tt,It])}(e);return er(n[0],n[1],t,"RFC 2822",e)},e.fromHTTP=function(e,t){void 0===t&&(t={});var n=function(e){return pt(e,[Zt,Rt],[Ot,Rt],[Dt,Ht])}(e);return er(n[0],n[1],t,"HTTP",t)},e.fromFormat=function(t,n,r){if(void 0===r&&(r={}),q(t)||q(n))throw new g("fromFormat requires an input string and a format");var o=r,i=o.locale,a=void 0===i?null:i,l=o.numberingSystem,s=void 0===l?null:l,c=function(e,t,n){var r=Ln(e,t,n);return[r.result,r.zone,r.invalidReason]}(ut.fromOpts({locale:a,numberingSystem:s,defaultToEN:!0}),t,n),u=c[0],d=c[1],h=c[2];return h?e.invalid(h):er(u,d,r,"format "+n,t)},e.fromString=function(t,n,r){return void 0===r&&(r={}),e.fromFormat(t,n,r)},e.fromSQL=function(e,t){void 0===t&&(t={});var n=function(e){return pt(e,[Kt,Xt],[Yt,Jt])}(e);return er(n[0],n[1],t,"SQL",e)},e.invalid=function(t,n){if(void 0===n&&(n=null),!t)throw new g("need to specify a reason the DateTime is invalid");var r=t instanceof Ie?t:new Ie(t,n);if(Qe.throwOnInvalid)throw new h(r);return new e({invalid:r})},e.isDateTime=function(e){return e&&e.isLuxonDateTime||!1};var t=e.prototype;return t.get=function(e){return this[e]},t.resolvedLocaleOpts=function(e){void 0===e&&(e={});var t=Te.create(this.loc.clone(e),e).resolvedOptions(this);return{locale:t.locale,numberingSystem:t.numberingSystem,outputCalendar:t.calendar}},t.toUTC=function(e,t){return void 0===e&&(e=0),void 0===t&&(t={}),this.setZone(qe.instance(e),t)},t.toLocal=function(){return this.setZone(Qe.defaultZone)},t.setZone=function(t,n){var r=void 0===n?{}:n,o=r.keepLocalTime,i=void 0!==o&&o,a=r.keepCalendarTime,l=void 0!==a&&a;if((t=$e(t,Qe.defaultZone)).equals(this.zone))return this;if(t.isValid){var s=this.ts;if(i||l){var c=t.offset(this.ts);s=Jn(this.toObject(),c,t)[0]}return Kn(this,{ts:s,zone:t})}return e.invalid(Wn(t))},t.reconfigure=function(e){var t=void 0===e?{}:e,n=t.locale,r=t.numberingSystem,o=t.outputCalendar;return Kn(this,{loc:this.loc.clone({locale:n,numberingSystem:r,outputCalendar:o})})},t.setLocale=function(e){return this.reconfigure({locale:e})},t.set=function(e){if(!this.isValid)return this;var t,n=pe(e,cr,[]),r=!q(n.weekYear)||!q(n.weekNumber)||!q(n.weekday),o=!q(n.ordinal),i=!q(n.year),a=!q(n.month)||!q(n.day),l=i||a,s=n.weekYear||n.weekNumber;if((l||o)&&s)throw new m("Can't mix weekYear/weekNumber units with year/month/day or ordinals");if(a&&o)throw new m("Can't mix ordinal dates with month/day");r?t=Pn(Object.assign(Hn(this.c),n)):q(n.ordinal)?(t=Object.assign(this.toObject(),n),q(n.day)&&(t.day=Math.min(ae(t.year,t.month),t.day))):t=Fn(Object.assign(jn(this.c),n));var c=Jn(t,this.o,this.zone);return Kn(this,{ts:c[0],o:c[1]})},t.plus=function(e){return this.isValid?Kn(this,Qn(this,un(e))):this},t.minus=function(e){return this.isValid?Kn(this,Qn(this,un(e).negate())):this},t.startOf=function(e){if(!this.isValid)return this;var t={},n=cn.normalizeUnit(e);switch(n){case"years":t.month=1;case"quarters":case"months":t.day=1;case"weeks":case"days":t.hour=0;case"hours":t.minute=0;case"minutes":t.second=0;case"seconds":t.millisecond=0}if("weeks"===n&&(t.weekday=1),"quarters"===n){var r=Math.ceil(this.month/3);t.month=3*(r-1)+1}return this.set(t)},t.endOf=function(e){var t;return this.isValid?this.plus((t={},t[e]=1,t)).startOf(e).minus(1):this},t.toFormat=function(e,t){return void 0===t&&(t={}),this.isValid?Te.create(this.loc.redefaultToEN(t)).formatDateTimeFromString(this,e):Un},t.toLocaleString=function(e){return void 0===e&&(e=k),this.isValid?Te.create(this.loc.clone(e),e).formatDateTime(this):Un},t.toLocaleParts=function(e){return void 0===e&&(e={}),this.isValid?Te.create(this.loc.clone(e),e).formatDateTimeParts(this):[]},t.toISO=function(e){return void 0===e&&(e={}),this.isValid?this.toISODate(e)+"T"+this.toISOTime(e):null},t.toISODate=function(e){var t=(void 0===e?{}:e).format,n="basic"===(void 0===t?"extended":t)?"yyyyMMdd":"yyyy-MM-dd";return this.year>9999&&(n="+"+n),tr(this,n)},t.toISOWeekDate=function(){return tr(this,"kkkk-'W'WW-c")},t.toISOTime=function(e){var t=void 0===e?{}:e,n=t.suppressMilliseconds,r=void 0!==n&&n,o=t.suppressSeconds,i=void 0!==o&&o,a=t.includeOffset,l=void 0===a||a,s=t.includePrefix,c=void 0!==s&&s,u=t.format;return nr(this,{suppressSeconds:i,suppressMilliseconds:r,includeOffset:l,includePrefix:c,format:void 0===u?"extended":u})},t.toRFC2822=function(){return tr(this,"EEE, dd LLL yyyy HH:mm:ss ZZZ",!1)},t.toHTTP=function(){return tr(this.toUTC(),"EEE, dd LLL yyyy HH:mm:ss 'GMT'")},t.toSQLDate=function(){return tr(this,"yyyy-MM-dd")},t.toSQLTime=function(e){var t=void 0===e?{}:e,n=t.includeOffset,r=void 0===n||n,o=t.includeZone;return nr(this,{includeOffset:r,includeZone:void 0!==o&&o,spaceZone:!0})},t.toSQL=function(e){return void 0===e&&(e={}),this.isValid?this.toSQLDate()+" "+this.toSQLTime(e):null},t.toString=function(){return this.isValid?this.toISO():Un},t.valueOf=function(){return this.toMillis()},t.toMillis=function(){return this.isValid?this.ts:NaN},t.toSeconds=function(){return this.isValid?this.ts/1e3:NaN},t.toJSON=function(){return this.toISO()},t.toBSON=function(){return this.toJSDate()},t.toObject=function(e){if(void 0===e&&(e={}),!this.isValid)return{};var t=Object.assign({},this.c);return e.includeConfig&&(t.outputCalendar=this.outputCalendar,t.numberingSystem=this.loc.numberingSystem,t.locale=this.loc.locale),t},t.toJSDate=function(){return new Date(this.isValid?this.ts:NaN)},t.diff=function(e,t,n){if(void 0===t&&(t="milliseconds"),void 0===n&&(n={}),!this.isValid||!e.isValid)return cn.invalid(this.invalid||e.invalid,"created by diffing an invalid DateTime");var r,o=Object.assign({locale:this.locale,numberingSystem:this.numberingSystem},n),i=(r=t,Array.isArray(r)?r:[r]).map(cn.normalizeUnit),a=e.valueOf()>this.valueOf(),l=vn(a?this:e,a?e:this,i,o);return a?l.negate():l},t.diffNow=function(t,n){return void 0===t&&(t="milliseconds"),void 0===n&&(n={}),this.diff(e.now(),t,n)},t.until=function(e){return this.isValid?pn.fromDateTimes(this,e):this},t.hasSame=function(e,t){if(!this.isValid)return!1;var n=e.valueOf(),r=this.setZone(e.zone,{keepLocalTime:!0});return r.startOf(t)<=n&&n<=r.endOf(t)},t.equals=function(e){return this.isValid&&e.isValid&&this.valueOf()===e.valueOf()&&this.zone.equals(e.zone)&&this.loc.equals(e.loc)},t.toRelative=function(t){if(void 0===t&&(t={}),!this.isValid)return null;var n=t.base||e.fromObject({zone:this.zone}),r=t.padding?this<n?-t.padding:t.padding:0,o=["years","months","days","hours","minutes","seconds"],i=t.unit;return Array.isArray(t.unit)&&(o=t.unit,i=void 0),dr(n,this.plus(r),Object.assign(t,{numeric:"always",units:o,unit:i}))},t.toRelativeCalendar=function(t){return void 0===t&&(t={}),this.isValid?dr(t.base||e.fromObject({zone:this.zone}),this,Object.assign(t,{numeric:"auto",units:["years","months","days"],calendary:!0})):null},e.min=function(){for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];if(!n.every(e.isDateTime))throw new g("min requires all arguments be DateTimes");return Y(n,(function(e){return e.valueOf()}),Math.min)},e.max=function(){for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];if(!n.every(e.isDateTime))throw new g("max requires all arguments be DateTimes");return Y(n,(function(e){return e.valueOf()}),Math.max)},e.fromFormatExplain=function(e,t,n){void 0===n&&(n={});var r=n,o=r.locale,i=void 0===o?null:o,a=r.numberingSystem,l=void 0===a?null:a;return Ln(ut.fromOpts({locale:i,numberingSystem:l,defaultToEN:!0}),e,t)},e.fromStringExplain=function(t,n,r){return void 0===r&&(r={}),e.fromFormatExplain(t,n,r)},r(e,[{key:"isValid",get:function(){return null===this.invalid}},{key:"invalidReason",get:function(){return this.invalid?this.invalid.reason:null}},{key:"invalidExplanation",get:function(){return this.invalid?this.invalid.explanation:null}},{key:"locale",get:function(){return this.isValid?this.loc.locale:null}},{key:"numberingSystem",get:function(){return this.isValid?this.loc.numberingSystem:null}},{key:"outputCalendar",get:function(){return this.isValid?this.loc.outputCalendar:null}},{key:"zone",get:function(){return this._zone}},{key:"zoneName",get:function(){return this.isValid?this.zone.name:null}},{key:"year",get:function(){return this.isValid?this.c.year:NaN}},{key:"quarter",get:function(){return this.isValid?Math.ceil(this.c.month/3):NaN}},{key:"month",get:function(){return this.isValid?this.c.month:NaN}},{key:"day",get:function(){return this.isValid?this.c.day:NaN}},{key:"hour",get:function(){return this.isValid?this.c.hour:NaN}},{key:"minute",get:function(){return this.isValid?this.c.minute:NaN}},{key:"second",get:function(){return this.isValid?this.c.second:NaN}},{key:"millisecond",get:function(){return this.isValid?this.c.millisecond:NaN}},{key:"weekYear",get:function(){return this.isValid?Gn(this).weekYear:NaN}},{key:"weekNumber",get:function(){return this.isValid?Gn(this).weekNumber:NaN}},{key:"weekday",get:function(){return this.isValid?Gn(this).weekday:NaN}},{key:"ordinal",get:function(){return this.isValid?jn(this.c).ordinal:NaN}},{key:"monthShort",get:function(){return this.isValid?fn.months("short",{locObj:this.loc})[this.month-1]:null}},{key:"monthLong",get:function(){return this.isValid?fn.months("long",{locObj:this.loc})[this.month-1]:null}},{key:"weekdayShort",get:function(){return this.isValid?fn.weekdays("short",{locObj:this.loc})[this.weekday-1]:null}},{key:"weekdayLong",get:function(){return this.isValid?fn.weekdays("long",{locObj:this.loc})[this.weekday-1]:null}},{key:"offset",get:function(){return this.isValid?+this.o:NaN}},{key:"offsetNameShort",get:function(){return this.isValid?this.zone.offsetName(this.ts,{format:"short",locale:this.locale}):null}},{key:"offsetNameLong",get:function(){return this.isValid?this.zone.offsetName(this.ts,{format:"long",locale:this.locale}):null}},{key:"isOffsetFixed",get:function(){return this.isValid?this.zone.universal:null}},{key:"isInDST",get:function(){return!this.isOffsetFixed&&(this.offset>this.set({month:1}).offset||this.offset>this.set({month:5}).offset)}},{key:"isInLeapYear",get:function(){return oe(this.year)}},{key:"daysInMonth",get:function(){return ae(this.year,this.month)}},{key:"daysInYear",get:function(){return this.isValid?ie(this.year):NaN}},{key:"weeksInWeekYear",get:function(){return this.isValid?se(this.weekYear):NaN}}],[{key:"DATE_SHORT",get:function(){return k}},{key:"DATE_MED",get:function(){return E}},{key:"DATE_MED_WITH_WEEKDAY",get:function(){return A}},{key:"DATE_FULL",get:function(){return C}},{key:"DATE_HUGE",get:function(){return B}},{key:"TIME_SIMPLE",get:function(){return M}},{key:"TIME_WITH_SECONDS",get:function(){return _}},{key:"TIME_WITH_SHORT_OFFSET",get:function(){return S}},{key:"TIME_WITH_LONG_OFFSET",get:function(){return N}},{key:"TIME_24_SIMPLE",get:function(){return V}},{key:"TIME_24_WITH_SECONDS",get:function(){return L}},{key:"TIME_24_WITH_SHORT_OFFSET",get:function(){return T}},{key:"TIME_24_WITH_LONG_OFFSET",get:function(){return I}},{key:"DATETIME_SHORT",get:function(){return Z}},{key:"DATETIME_SHORT_WITH_SECONDS",get:function(){return O}},{key:"DATETIME_MED",get:function(){return D}},{key:"DATETIME_MED_WITH_SECONDS",get:function(){return R}},{key:"DATETIME_MED_WITH_WEEKDAY",get:function(){return H}},{key:"DATETIME_FULL",get:function(){return P}},{key:"DATETIME_FULL_WITH_SECONDS",get:function(){return j}},{key:"DATETIME_HUGE",get:function(){return F}},{key:"DATETIME_HUGE_WITH_SECONDS",get:function(){return z}}]),e}();function pr(e){if(hr.isDateTime(e))return e;if(e&&e.valueOf&&U(e.valueOf()))return hr.fromJSDate(e);if(e&&"object"==typeof e)return hr.fromObject(e);throw new g("Unknown datetime argument: "+e+", of type "+typeof e)}t.c9=hr,t.wB=Qe},6411:(e,t,n)=>{var r;!function(o,i){if(o){for(var a,l={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"},s={106:"*",107:"+",109:"-",110:".",111:"/",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'"},c={"~":"`","!":"1","@":"2","#":"3",$:"4","%":"5","^":"6","&":"7","*":"8","(":"9",")":"0",_:"-","+":"=",":":";",'"':"'","<":",",">":".","?":"/","|":"\\"},u={option:"alt",command:"meta",return:"enter",escape:"esc",plus:"+",mod:/Mac|iPod|iPhone|iPad/.test(navigator.platform)?"meta":"ctrl"},d=1;d<20;++d)l[111+d]="f"+d;for(d=0;d<=9;++d)l[d+96]=d.toString();w.prototype.bind=function(e,t,n){var r=this;return e=e instanceof Array?e:[e],r._bindMultiple.call(r,e,t,n),r},w.prototype.unbind=function(e,t){return this.bind.call(this,e,(function(){}),t)},w.prototype.trigger=function(e,t){var n=this;return n._directMap[e+":"+t]&&n._directMap[e+":"+t]({},e),n},w.prototype.reset=function(){var e=this;return e._callbacks={},e._directMap={},e},w.prototype.stopCallback=function(e,t){if((" "+t.className+" ").indexOf(" mousetrap ")>-1)return!1;if(g(t,this.target))return!1;if("composedPath"in e&&"function"==typeof e.composedPath){var n=e.composedPath()[0];n!==e.target&&(t=n)}return"INPUT"==t.tagName||"SELECT"==t.tagName||"TEXTAREA"==t.tagName||t.isContentEditable},w.prototype.handleKey=function(){return this._handleKey.apply(this,arguments)},w.addKeycodes=function(e){for(var t in e)e.hasOwnProperty(t)&&(l[t]=e[t]);a=null},w.init=function(){var e=w(i);for(var t in e)"_"!==t.charAt(0)&&(w[t]=function(t){return function(){return e[t].apply(e,arguments)}}(t))},w.init(),o.Mousetrap=w,e.exports&&(e.exports=w),void 0===(r=function(){return w}.call(t,n,t,e))||(e.exports=r)}function h(e,t,n){e.addEventListener?e.addEventListener(t,n,!1):e.attachEvent("on"+t,n)}function p(e){if("keypress"==e.type){var t=String.fromCharCode(e.which);return e.shiftKey||(t=t.toLowerCase()),t}return l[e.which]?l[e.which]:s[e.which]?s[e.which]:String.fromCharCode(e.which).toLowerCase()}function f(e){return"shift"==e||"ctrl"==e||"alt"==e||"meta"==e}function m(e,t,n){return n||(n=function(){if(!a)for(var e in a={},l)e>95&&e<112||l.hasOwnProperty(e)&&(a[l[e]]=e);return a}()[e]?"keydown":"keypress"),"keypress"==n&&t.length&&(n="keydown"),n}function v(e,t){var n,r,o,i=[];for(n=function(e){return"+"===e?["+"]:(e=e.replace(/\+{2}/g,"+plus")).split("+")}(e),o=0;o<n.length;++o)r=n[o],u[r]&&(r=u[r]),t&&"keypress"!=t&&c[r]&&(r=c[r],i.push("shift")),f(r)&&i.push(r);return{key:r,modifiers:i,action:t=m(r,i,t)}}function g(e,t){return null!==e&&e!==i&&(e===t||g(e.parentNode,t))}function w(e){var t=this;if(e=e||i,!(t instanceof w))return new w(e);t.target=e,t._callbacks={},t._directMap={};var n,r={},o=!1,a=!1,l=!1;function s(e){e=e||{};var t,n=!1;for(t in r)e[t]?n=!0:r[t]=0;n||(l=!1)}function c(e,n,o,i,a,l){var s,c,u,d,h=[],p=o.type;if(!t._callbacks[e])return[];for("keyup"==p&&f(e)&&(n=[e]),s=0;s<t._callbacks[e].length;++s)if(c=t._callbacks[e][s],(i||!c.seq||r[c.seq]==c.level)&&p==c.action&&("keypress"==p&&!o.metaKey&&!o.ctrlKey||(u=n,d=c.modifiers,u.sort().join(",")===d.sort().join(",")))){var m=!i&&c.combo==a,v=i&&c.seq==i&&c.level==l;(m||v)&&t._callbacks[e].splice(s,1),h.push(c)}return h}function u(e,n,r,o){t.stopCallback(n,n.target||n.srcElement,r,o)||!1===e(n,r)&&(function(e){e.preventDefault?e.preventDefault():e.returnValue=!1}(n),function(e){e.stopPropagation?e.stopPropagation():e.cancelBubble=!0}(n))}function d(e){"number"!=typeof e.which&&(e.which=e.keyCode);var n=p(e);n&&("keyup"!=e.type||o!==n?t.handleKey(n,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}(e),e):o=!1)}function m(e,t,i,a){function c(t){return function(){l=t,++r[e],clearTimeout(n),n=setTimeout(s,1e3)}}function d(t){u(i,t,e),"keyup"!==a&&(o=p(t)),setTimeout(s,10)}r[e]=0;for(var h=0;h<t.length;++h){var f=h+1===t.length?d:c(a||v(t[h+1]).action);g(t[h],f,a,e,h)}}function g(e,n,r,o,i){t._directMap[e+":"+r]=n;var a,l=(e=e.replace(/\s+/g," ")).split(" ");l.length>1?m(e,l,n,r):(a=v(e,r),t._callbacks[a.key]=t._callbacks[a.key]||[],c(a.key,a.modifiers,{type:a.action},o,e,i),t._callbacks[a.key][o?"unshift":"push"]({callback:n,modifiers:a.modifiers,action:a.action,seq:o,level:i,combo:e}))}t._handleKey=function(e,t,n){var r,o=c(e,t,n),i={},d=0,h=!1;for(r=0;r<o.length;++r)o[r].seq&&(d=Math.max(d,o[r].level));for(r=0;r<o.length;++r)if(o[r].seq){if(o[r].level!=d)continue;h=!0,i[o[r].seq]=1,u(o[r].callback,n,o[r].combo,o[r].seq)}else h||u(o[r].callback,n,o[r].combo);var p="keypress"==n.type&&a;n.type!=l||f(e)||p||s(i),a=h&&"keydown"==n.type},t._bindMultiple=function(e,t,n){for(var r=0;r<e.length;++r)g(e[r],t,n)},h(e,"keypress",d),h(e,"keydown",d),h(e,"keyup",d)}}("undefined"!=typeof window?window:null,"undefined"!=typeof window?document:null)},73333:(e,t,n)=>{"use strict";n.d(t,{A:()=>K});var r,o,i,a,l,s,c="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:void 0!==n.g?n.g:"undefined"!=typeof self?self:{};function u(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}function d(){return o?r:(o=1,r={languageTag:"en-US",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},spaceSeparated:!1,ordinal:function(e){let t=e%10;return 1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th"},bytes:{binarySuffixes:["B","KiB","MiB","GiB","TiB","PiB","EiB","ZiB","YiB"],decimalSuffixes:["B","KB","MB","GB","TB","PB","EB","ZB","YB"]},currency:{symbol:"$",position:"prefix",code:"USD"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0},fullWithTwoDecimals:{output:"currency",thousandSeparated:!0,mantissa:2},fullWithTwoDecimalsNoCurrency:{thousandSeparated:!0,mantissa:2},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,mantissa:0}}})}function h(){if(a)return i;a=1;const e=[{key:"ZiB",factor:Math.pow(1024,7)},{key:"ZB",factor:Math.pow(1e3,7)},{key:"YiB",factor:Math.pow(1024,8)},{key:"YB",factor:Math.pow(1e3,8)},{key:"TiB",factor:Math.pow(1024,4)},{key:"TB",factor:Math.pow(1e3,4)},{key:"PiB",factor:Math.pow(1024,5)},{key:"PB",factor:Math.pow(1e3,5)},{key:"MiB",factor:Math.pow(1024,2)},{key:"MB",factor:Math.pow(1e3,2)},{key:"KiB",factor:Math.pow(1024,1)},{key:"KB",factor:Math.pow(1e3,1)},{key:"GiB",factor:Math.pow(1024,3)},{key:"GB",factor:Math.pow(1e3,3)},{key:"EiB",factor:Math.pow(1024,6)},{key:"EB",factor:Math.pow(1e3,6)},{key:"B",factor:1}];function t(e){return e.replace(/[-/\\^$*+?.()|[\]{}]/g,"\\$&")}function n(r,o,i,a,l,s,c){if(!isNaN(+r))return+r;let u="",d=r.replace(/(^[^(]*)\((.*)\)([^)]*$)/,"$1$2$3");if(d!==r)return-1*n(d,o,i,a,l,s);for(let t=0;t<e.length;t++){let c=e[t];if(u=r.replace(RegExp(`([0-9 ])(${c.key})$`),"$1"),u!==r)return n(u,o,i,a,l,s)*c.factor}if(u=r.replace("%",""),u!==r)return n(u,o,i,a,l,s)/100;let h=parseFloat(r);if(isNaN(h))return;let p=a(h);if(p&&"."!==p&&(u=r.replace(new RegExp(`${t(p)}$`),""),u!==r))return n(u,o,i,a,l,s);let f={};Object.keys(s).forEach((e=>{f[s[e]]=e}));let m=Object.keys(f).sort().reverse(),v=m.length;for(let e=0;e<v;e++){let t=m[e],c=f[t];if(u=r.replace(t,""),u!==r){let e;switch(c){case"thousand":e=Math.pow(10,3);break;case"million":e=Math.pow(10,6);break;case"billion":e=Math.pow(10,9);break;case"trillion":e=Math.pow(10,12)}return n(u,o,i,a,l,s)*e}}}function r(e,r,o="",i,a,l,s){if(""===e)return;if(e===a)return 0;let c=function(e,n,r){let o=e.replace(r,"");return o=o.replace(new RegExp(`([0-9])${t(n.thousands)}([0-9])`,"g"),"$1$2"),o=o.replace(n.decimal,"."),o}(e,r,o);return n(c,r,o,i,a,l)}return i={unformat:function(e,t){const n=g();let o,i=n.currentDelimiters(),a=n.currentCurrency().symbol,l=n.currentOrdinal(),s=n.getZeroFormat(),c=n.currentAbbreviations();if("string"==typeof e)o=function(e,t){if(!e.indexOf(":")||":"===t.thousands)return!1;let n=e.split(":");if(3!==n.length)return!1;let r=+n[0],o=+n[1],i=+n[2];return!isNaN(r)&&!isNaN(o)&&!isNaN(i)}(e,i)?function(e){let t=e.split(":"),n=+t[0],r=+t[1];return+t[2]+60*r+3600*n}(e):r(e,i,a,l,s,c);else{if("number"!=typeof e)return;o=e}if(void 0!==o)return o}},i}function p(){if(s)return l;s=1;let e=h();const t=/^[a-z]{2,3}(-[a-zA-Z]{4})?(-([A-Z]{2}|[0-9]{3}))?$/,n={output:{type:"string",validValues:["currency","percent","byte","time","ordinal","number"]},base:{type:"string",validValues:["decimal","binary","general"],restriction:(e,t)=>"byte"===t.output,message:"`base` must be provided only when the output is `byte`",mandatory:e=>"byte"===e.output},characteristic:{type:"number",restriction:e=>e>=0,message:"value must be positive"},prefix:"string",postfix:"string",forceAverage:{type:"string",validValues:["trillion","billion","million","thousand"]},average:"boolean",lowPrecision:{type:"boolean",restriction:(e,t)=>!0===t.average,message:"`lowPrecision` must be provided only when the option `average` is set"},currencyPosition:{type:"string",validValues:["prefix","infix","postfix"]},currencySymbol:"string",totalLength:{type:"number",restrictions:[{restriction:e=>e>=0,message:"value must be positive"},{restriction:(e,t)=>!t.exponential,message:"`totalLength` is incompatible with `exponential`"}]},mantissa:{type:"number",restriction:e=>e>=0,message:"value must be positive"},optionalMantissa:"boolean",trimMantissa:"boolean",roundingFunction:"function",optionalCharacteristic:"boolean",thousandSeparated:"boolean",spaceSeparated:"boolean",spaceSeparatedCurrency:"boolean",spaceSeparatedAbbreviation:"boolean",abbreviations:{type:"object",children:{thousand:"string",million:"string",billion:"string",trillion:"string"}},negative:{type:"string",validValues:["sign","parenthesis"]},forceSign:"boolean",exponential:{type:"boolean"},prefixSymbol:{type:"boolean",restriction:(e,t)=>"percent"===t.output,message:"`prefixSymbol` can be provided only when the output is `percent`"}},r={languageTag:{type:"string",mandatory:!0,restriction:e=>e.match(t),message:"the language tag must follow the BCP 47 specification (see https://tools.ieft.org/html/bcp47)"},delimiters:{type:"object",children:{thousands:"string",decimal:"string",thousandsSize:"number"},mandatory:!0},abbreviations:{type:"object",children:{thousand:{type:"string",mandatory:!0},million:{type:"string",mandatory:!0},billion:{type:"string",mandatory:!0},trillion:{type:"string",mandatory:!0}},mandatory:!0},spaceSeparated:"boolean",spaceSeparatedCurrency:"boolean",ordinal:{type:"function",mandatory:!0},bytes:{type:"object",children:{binarySuffixes:"object",decimalSuffixes:"object"}},currency:{type:"object",children:{symbol:"string",position:"string",code:"string"},mandatory:!0},defaults:"format",ordinalFormat:"format",byteFormat:"format",percentageFormat:"format",currencyFormat:"format",timeDefaults:"format",formats:{type:"object",children:{fourDigits:{type:"format",mandatory:!0},fullWithTwoDecimals:{type:"format",mandatory:!0},fullWithTwoDecimalsNoCurrency:{type:"format",mandatory:!0},fullWithNoDecimals:{type:"format",mandatory:!0}}}};function o(t){return void 0!==e.unformat(t)}function i(e,t,r,o=!1){let a=Object.keys(e).map((o=>{if(!t[o])return console.error(`${r} Invalid key: ${o}`),!1;let a=e[o],l=t[o];if("string"==typeof l&&(l={type:l}),"format"===l.type){if(!i(a,n,`[Validate ${o}]`,!0))return!1}else if(typeof a!==l.type)return console.error(`${r} ${o} type mismatched: "${l.type}" expected, "${typeof a}" provided`),!1;if(l.restrictions&&l.restrictions.length){let t=l.restrictions.length;for(let n=0;n<t;n++){let{restriction:t,message:i}=l.restrictions[n];if(!t(a,e))return console.error(`${r} ${o} invalid value: ${i}`),!1}}if(l.restriction&&!l.restriction(a,e))return console.error(`${r} ${o} invalid value: ${l.message}`),!1;if(l.validValues&&-1===l.validValues.indexOf(a))return console.error(`${r} ${o} invalid value: must be among ${JSON.stringify(l.validValues)}, "${a}" provided`),!1;if(l.children){if(!i(a,l.children,`[Validate ${o}]`))return!1}return!0}));return o||a.push(...Object.keys(t).map((n=>{let o=t[n];if("string"==typeof o&&(o={type:o}),o.mandatory){let t=o.mandatory;if("function"==typeof t&&(t=t(e)),t&&void 0===e[n])return console.error(`${r} Missing mandatory key "${n}"`),!1}return!0}))),a.reduce(((e,t)=>e&&t),!0)}function a(e){return i(e,n,"[Validate format]")}return l={validate:function(e,t){let n=o(e),r=a(t);return n&&r},validateFormat:a,validateInput:o,validateLanguage:function(e){return i(e,r,"[Validate language]")}},l}var f,m,v={parseFormat:function(e,t={}){return"string"!=typeof e?e:(function(e,t){if(-1===e.indexOf("$")){if(-1===e.indexOf("%"))return-1!==e.indexOf("bd")?(t.output="byte",void(t.base="general")):-1!==e.indexOf("b")?(t.output="byte",void(t.base="binary")):-1!==e.indexOf("d")?(t.output="byte",void(t.base="decimal")):void(-1===e.indexOf(":")?-1!==e.indexOf("o")&&(t.output="ordinal"):t.output="time");t.output="percent"}else t.output="currency"}(e=function(e,t){let n=e.match(/{([^}]*)}$/);return n?(t.postfix=n[1],e.slice(0,-n[0].length)):e}(e=function(e,t){let n=e.match(/^{([^}]*)}/);return n?(t.prefix=n[1],e.slice(n[0].length)):e}(e,t),t),t),function(e,t){let n=e.match(/[1-9]+[0-9]*/);n&&(t.totalLength=+n[0])}(e,t),function(e,t){let n=e.split(".")[0].match(/0+/);n&&(t.characteristic=n[0].length)}(e,t),function(e,t){if(-1!==e.indexOf(".")){let n=e.split(".")[0];t.optionalCharacteristic=-1===n.indexOf("0")}}(e,t),function(e,t){-1!==e.indexOf("a")&&(t.average=!0)}(e,t),function(e,t){-1!==e.indexOf("K")?t.forceAverage="thousand":-1!==e.indexOf("M")?t.forceAverage="million":-1!==e.indexOf("B")?t.forceAverage="billion":-1!==e.indexOf("T")&&(t.forceAverage="trillion")}(e,t),function(e,t){let n=e.split(".")[1];if(n){let e=n.match(/0+/);e&&(t.mantissa=e[0].length)}}(e,t),function(e,t){e.match(/\[\.]/)?t.optionalMantissa=!0:e.match(/\./)&&(t.optionalMantissa=!1)}(e,t),function(e,t){const n=e.split(".")[1];n&&(t.trimMantissa=-1!==n.indexOf("["))}(e,t),function(e,t){-1!==e.indexOf(",")&&(t.thousandSeparated=!0)}(e,t),function(e,t){-1!==e.indexOf(" ")&&(t.spaceSeparated=!0,t.spaceSeparatedCurrency=!0,(t.average||t.forceAverage)&&(t.spaceSeparatedAbbreviation=!0))}(e,t),function(e,t){e.match(/^\+?\([^)]*\)$/)&&(t.negative="parenthesis"),e.match(/^\+?-/)&&(t.negative="sign")}(e,t),function(e,t){e.match(/^\+/)&&(t.forceSign=!0)}(e,t),t)}};function g(){if(m)return f;m=1;const e=d(),t=p(),n=v;let r,o={},i={},a=null,l={};function s(e){r=e}function c(){return i[r]}return o.languages=()=>Object.assign({},i),o.currentLanguage=()=>r,o.currentBytes=()=>c().bytes||{},o.currentCurrency=()=>c().currency,o.currentAbbreviations=()=>c().abbreviations,o.currentDelimiters=()=>c().delimiters,o.currentOrdinal=()=>c().ordinal,o.currentDefaults=()=>Object.assign({},c().defaults,l),o.currentOrdinalDefaultFormat=()=>Object.assign({},o.currentDefaults(),c().ordinalFormat),o.currentByteDefaultFormat=()=>Object.assign({},o.currentDefaults(),c().byteFormat),o.currentPercentageDefaultFormat=()=>Object.assign({},o.currentDefaults(),c().percentageFormat),o.currentCurrencyDefaultFormat=()=>Object.assign({},o.currentDefaults(),c().currencyFormat),o.currentTimeDefaultFormat=()=>Object.assign({},o.currentDefaults(),c().timeFormat),o.setDefaults=e=>{e=n.parseFormat(e),t.validateFormat(e)&&(l=e)},o.getZeroFormat=()=>a,o.setZeroFormat=e=>a="string"==typeof e?e:null,o.hasZeroFormat=()=>null!==a,o.languageData=e=>{if(e){if(i[e])return i[e];throw new Error(`Unknown tag "${e}"`)}return c()},o.registerLanguage=(e,n=!1)=>{if(!t.validateLanguage(e))throw new Error("Invalid language data");i[e.languageTag]=e,n&&s(e.languageTag)},o.setLanguage=(t,n=e.languageTag)=>{if(!i[t]){let e=t.split("-")[0],r=Object.keys(i).find((t=>t.split("-")[0]===e));return i[r]?void s(r):void s(n)}s(t)},o.registerLanguage(e),r=e.languageTag,f=o}function w(e,t){e.forEach((e=>{let n;try{n=function(e){throw new Error('Could not dynamically require "'+e+'". Please configure the dynamicRequireTargets or/and ignoreDynamicRequires option of @rollup/plugin-commonjs appropriately for this require call to work.')}(`../languages/${e}`)}catch(t){console.error(`Unable to load "${e}". No matching language file found.`)}n&&t.registerLanguage(n)}))}var y,b={exports:{}};y=b,function(e){var t,n=/^-?(?:\d+(?:\.\d*)?|\.\d+)(?:e[+-]?\d+)?$/i,r=Math.ceil,o=Math.floor,i="[BigNumber Error] ",a=i+"Number primitive has more than 15 significant digits: ",l=1e14,s=14,c=9007199254740991,u=[1,10,100,1e3,1e4,1e5,1e6,1e7,1e8,1e9,1e10,1e11,1e12,1e13],d=1e7,h=1e9;function p(e){var t=0|e;return e>0||e===t?t:t-1}function f(e){for(var t,n,r=1,o=e.length,i=e[0]+"";r<o;){for(t=e[r++]+"",n=s-t.length;n--;t="0"+t);i+=t}for(o=i.length;48===i.charCodeAt(--o););return i.slice(0,o+1||1)}function m(e,t){var n,r,o=e.c,i=t.c,a=e.s,l=t.s,s=e.e,c=t.e;if(!a||!l)return null;if(n=o&&!o[0],r=i&&!i[0],n||r)return n?r?0:-l:a;if(a!=l)return a;if(n=a<0,r=s==c,!o||!i)return r?0:!o^n?1:-1;if(!r)return s>c^n?1:-1;for(l=(s=o.length)<(c=i.length)?s:c,a=0;a<l;a++)if(o[a]!=i[a])return o[a]>i[a]^n?1:-1;return s==c?0:s>c^n?1:-1}function v(e,t,n,r){if(e<t||e>n||e!==o(e))throw Error(i+(r||"Argument")+("number"==typeof e?e<t||e>n?" out of range: ":" not an integer: ":" not a primitive number: ")+String(e))}function g(e){var t=e.c.length-1;return p(e.e/s)==t&&e.c[t]%2!=0}function w(e,t){return(e.length>1?e.charAt(0)+"."+e.slice(1):e)+(t<0?"e":"e+")+t}function b(e,t,n){var r,o;if(t<0){for(o=n+".";++t;o+=n);e=o+e}else if(++t>(r=e.length)){for(o=n,t-=r;--t;o+=n);e+=o}else t<r&&(e=e.slice(0,t)+"."+e.slice(t));return e}t=function e(t){var y,x,k,E,A,C,B,M,_,S,N=q.prototype={constructor:q,toString:null,valueOf:null},V=new q(1),L=20,T=4,I=-7,Z=21,O=-1e7,D=1e7,R=!1,H=1,P=0,j={prefix:"",groupSize:3,secondaryGroupSize:0,groupSeparator:",",decimalSeparator:".",fractionGroupSize:0,fractionGroupSeparator:" ",suffix:""},F="0123456789abcdefghijklmnopqrstuvwxyz",z=!0;function q(e,t){var r,i,l,u,d,h,p,f,m=this;if(!(m instanceof q))return new q(e,t);if(null==t){if(e&&!0===e._isBigNumber)return m.s=e.s,void(!e.c||e.e>D?m.c=m.e=null:e.e<O?m.c=[m.e=0]:(m.e=e.e,m.c=e.c.slice()));if((h="number"==typeof e)&&0*e==0){if(m.s=1/e<0?(e=-e,-1):1,e===~~e){for(u=0,d=e;d>=10;d/=10,u++);return void(u>D?m.c=m.e=null:(m.e=u,m.c=[e]))}f=String(e)}else{if(!n.test(f=String(e)))return k(m,f,h);m.s=45==f.charCodeAt(0)?(f=f.slice(1),-1):1}(u=f.indexOf("."))>-1&&(f=f.replace(".","")),(d=f.search(/e/i))>0?(u<0&&(u=d),u+=+f.slice(d+1),f=f.substring(0,d)):u<0&&(u=f.length)}else{if(v(t,2,F.length,"Base"),10==t&&z)return G(m=new q(e),L+m.e+1,T);if(f=String(e),h="number"==typeof e){if(0*e!=0)return k(m,f,h,t);if(m.s=1/e<0?(f=f.slice(1),-1):1,q.DEBUG&&f.replace(/^0\.0*|\./,"").length>15)throw Error(a+e)}else m.s=45===f.charCodeAt(0)?(f=f.slice(1),-1):1;for(r=F.slice(0,t),u=d=0,p=f.length;d<p;d++)if(r.indexOf(i=f.charAt(d))<0){if("."==i){if(d>u){u=p;continue}}else if(!l&&(f==f.toUpperCase()&&(f=f.toLowerCase())||f==f.toLowerCase()&&(f=f.toUpperCase()))){l=!0,d=-1,u=0;continue}return k(m,String(e),h,t)}h=!1,(u=(f=x(f,t,10,m.s)).indexOf("."))>-1?f=f.replace(".",""):u=f.length}for(d=0;48===f.charCodeAt(d);d++);for(p=f.length;48===f.charCodeAt(--p););if(f=f.slice(d,++p)){if(p-=d,h&&q.DEBUG&&p>15&&(e>c||e!==o(e)))throw Error(a+m.s*e);if((u=u-d-1)>D)m.c=m.e=null;else if(u<O)m.c=[m.e=0];else{if(m.e=u,m.c=[],d=(u+1)%s,u<0&&(d+=s),d<p){for(d&&m.c.push(+f.slice(0,d)),p-=s;d<p;)m.c.push(+f.slice(d,d+=s));d=s-(f=f.slice(d)).length}else d-=p;for(;d--;f+="0");m.c.push(+f)}}else m.c=[m.e=0]}function U(e,t,n,r){var o,i,a,l,s;if(null==n?n=T:v(n,0,8),!e.c)return e.toString();if(o=e.c[0],a=e.e,null==t)s=f(e.c),s=1==r||2==r&&(a<=I||a>=Z)?w(s,a):b(s,a,"0");else if(i=(e=G(new q(e),t,n)).e,l=(s=f(e.c)).length,1==r||2==r&&(t<=i||i<=I)){for(;l<t;s+="0",l++);s=w(s,i)}else if(t-=a,s=b(s,i,"0"),i+1>l){if(--t>0)for(s+=".";t--;s+="0");}else if((t+=i-l)>0)for(i+1==l&&(s+=".");t--;s+="0");return e.s<0&&o?"-"+s:s}function $(e,t){for(var n,r,o=1,i=new q(e[0]);o<e.length;o++)(!(r=new q(e[o])).s||(n=m(i,r))===t||0===n&&i.s===t)&&(i=r);return i}function W(e,t,n){for(var r=1,o=t.length;!t[--o];t.pop());for(o=t[0];o>=10;o/=10,r++);return(n=r+n*s-1)>D?e.c=e.e=null:n<O?e.c=[e.e=0]:(e.e=n,e.c=t),e}function G(e,t,n,i){var a,c,d,h,p,f,m,v=e.c,g=u;if(v){e:{for(a=1,h=v[0];h>=10;h/=10,a++);if((c=t-a)<0)c+=s,d=t,p=v[f=0],m=o(p/g[a-d-1]%10);else if((f=r((c+1)/s))>=v.length){if(!i)break e;for(;v.length<=f;v.push(0));p=m=0,a=1,d=(c%=s)-s+1}else{for(p=h=v[f],a=1;h>=10;h/=10,a++);m=(d=(c%=s)-s+a)<0?0:o(p/g[a-d-1]%10)}if(i=i||t<0||null!=v[f+1]||(d<0?p:p%g[a-d-1]),i=n<4?(m||i)&&(0==n||n==(e.s<0?3:2)):m>5||5==m&&(4==n||i||6==n&&(c>0?d>0?p/g[a-d]:0:v[f-1])%10&1||n==(e.s<0?8:7)),t<1||!v[0])return v.length=0,i?(t-=e.e+1,v[0]=g[(s-t%s)%s],e.e=-t||0):v[0]=e.e=0,e;if(0==c?(v.length=f,h=1,f--):(v.length=f+1,h=g[s-c],v[f]=d>0?o(p/g[a-d]%g[d])*h:0),i)for(;;){if(0==f){for(c=1,d=v[0];d>=10;d/=10,c++);for(d=v[0]+=h,h=1;d>=10;d/=10,h++);c!=h&&(e.e++,v[0]==l&&(v[0]=1));break}if(v[f]+=h,v[f]!=l)break;v[f--]=0,h=1}for(c=v.length;0===v[--c];v.pop());}e.e>D?e.c=e.e=null:e.e<O&&(e.c=[e.e=0])}return e}function K(e){var t,n=e.e;return null===n?e.toString():(t=f(e.c),t=n<=I||n>=Z?w(t,n):b(t,n,"0"),e.s<0?"-"+t:t)}return q.clone=e,q.ROUND_UP=0,q.ROUND_DOWN=1,q.ROUND_CEIL=2,q.ROUND_FLOOR=3,q.ROUND_HALF_UP=4,q.ROUND_HALF_DOWN=5,q.ROUND_HALF_EVEN=6,q.ROUND_HALF_CEIL=7,q.ROUND_HALF_FLOOR=8,q.EUCLID=9,q.config=q.set=function(e){var t,n;if(null!=e){if("object"!=typeof e)throw Error(i+"Object expected: "+e);if(e.hasOwnProperty(t="DECIMAL_PLACES")&&(v(n=e[t],0,h,t),L=n),e.hasOwnProperty(t="ROUNDING_MODE")&&(v(n=e[t],0,8,t),T=n),e.hasOwnProperty(t="EXPONENTIAL_AT")&&((n=e[t])&&n.pop?(v(n[0],-h,0,t),v(n[1],0,h,t),I=n[0],Z=n[1]):(v(n,-h,h,t),I=-(Z=n<0?-n:n))),e.hasOwnProperty(t="RANGE"))if((n=e[t])&&n.pop)v(n[0],-h,-1,t),v(n[1],1,h,t),O=n[0],D=n[1];else{if(v(n,-h,h,t),!n)throw Error(i+t+" cannot be zero: "+n);O=-(D=n<0?-n:n)}if(e.hasOwnProperty(t="CRYPTO")){if((n=e[t])!==!!n)throw Error(i+t+" not true or false: "+n);if(n){if("undefined"==typeof crypto||!crypto||!crypto.getRandomValues&&!crypto.randomBytes)throw R=!n,Error(i+"crypto unavailable");R=n}else R=n}if(e.hasOwnProperty(t="MODULO_MODE")&&(v(n=e[t],0,9,t),H=n),e.hasOwnProperty(t="POW_PRECISION")&&(v(n=e[t],0,h,t),P=n),e.hasOwnProperty(t="FORMAT")){if("object"!=typeof(n=e[t]))throw Error(i+t+" not an object: "+n);j=n}if(e.hasOwnProperty(t="ALPHABET")){if("string"!=typeof(n=e[t])||/^.?$|[+\-.\s]|(.).*\1/.test(n))throw Error(i+t+" invalid: "+n);z="0123456789"==n.slice(0,10),F=n}}return{DECIMAL_PLACES:L,ROUNDING_MODE:T,EXPONENTIAL_AT:[I,Z],RANGE:[O,D],CRYPTO:R,MODULO_MODE:H,POW_PRECISION:P,FORMAT:j,ALPHABET:F}},q.isBigNumber=function(e){if(!e||!0!==e._isBigNumber)return!1;if(!q.DEBUG)return!0;var t,n,r=e.c,a=e.e,c=e.s;e:if("[object Array]"=={}.toString.call(r)){if((1===c||-1===c)&&a>=-h&&a<=h&&a===o(a)){if(0===r[0]){if(0===a&&1===r.length)return!0;break e}if((t=(a+1)%s)<1&&(t+=s),String(r[0]).length==t){for(t=0;t<r.length;t++)if((n=r[t])<0||n>=l||n!==o(n))break e;if(0!==n)return!0}}}else if(null===r&&null===a&&(null===c||1===c||-1===c))return!0;throw Error(i+"Invalid BigNumber: "+e)},q.maximum=q.max=function(){return $(arguments,-1)},q.minimum=q.min=function(){return $(arguments,1)},q.random=(E=9007199254740992,A=Math.random()*E&2097151?function(){return o(Math.random()*E)}:function(){return 8388608*(1073741824*Math.random()|0)+(8388608*Math.random()|0)},function(e){var t,n,a,l,c,d=0,p=[],f=new q(V);if(null==e?e=L:v(e,0,h),l=r(e/s),R)if(crypto.getRandomValues){for(t=crypto.getRandomValues(new Uint32Array(l*=2));d<l;)(c=131072*t[d]+(t[d+1]>>>11))>=9e15?(n=crypto.getRandomValues(new Uint32Array(2)),t[d]=n[0],t[d+1]=n[1]):(p.push(c%1e14),d+=2);d=l/2}else{if(!crypto.randomBytes)throw R=!1,Error(i+"crypto unavailable");for(t=crypto.randomBytes(l*=7);d<l;)(c=281474976710656*(31&t[d])+1099511627776*t[d+1]+4294967296*t[d+2]+16777216*t[d+3]+(t[d+4]<<16)+(t[d+5]<<8)+t[d+6])>=9e15?crypto.randomBytes(7).copy(t,d):(p.push(c%1e14),d+=7);d=l/7}if(!R)for(;d<l;)(c=A())<9e15&&(p[d++]=c%1e14);for(l=p[--d],e%=s,l&&e&&(c=u[s-e],p[d]=o(l/c)*c);0===p[d];p.pop(),d--);if(d<0)p=[a=0];else{for(a=-1;0===p[0];p.splice(0,1),a-=s);for(d=1,c=p[0];c>=10;c/=10,d++);d<s&&(a-=s-d)}return f.e=a,f.c=p,f}),q.sum=function(){for(var e=1,t=arguments,n=new q(t[0]);e<t.length;)n=n.plus(t[e++]);return n},x=function(){var e="0123456789";function t(e,t,n,r){for(var o,i,a=[0],l=0,s=e.length;l<s;){for(i=a.length;i--;a[i]*=t);for(a[0]+=r.indexOf(e.charAt(l++)),o=0;o<a.length;o++)a[o]>n-1&&(null==a[o+1]&&(a[o+1]=0),a[o+1]+=a[o]/n|0,a[o]%=n)}return a.reverse()}return function(n,r,o,i,a){var l,s,c,u,d,h,p,m,v=n.indexOf("."),g=L,w=T;for(v>=0&&(u=P,P=0,n=n.replace(".",""),h=(m=new q(r)).pow(n.length-v),P=u,m.c=t(b(f(h.c),h.e,"0"),10,o,e),m.e=m.c.length),c=u=(p=t(n,r,o,a?(l=F,e):(l=e,F))).length;0==p[--u];p.pop());if(!p[0])return l.charAt(0);if(v<0?--c:(h.c=p,h.e=c,h.s=i,p=(h=y(h,m,g,w,o)).c,d=h.r,c=h.e),v=p[s=c+g+1],u=o/2,d=d||s<0||null!=p[s+1],d=w<4?(null!=v||d)&&(0==w||w==(h.s<0?3:2)):v>u||v==u&&(4==w||d||6==w&&1&p[s-1]||w==(h.s<0?8:7)),s<1||!p[0])n=d?b(l.charAt(1),-g,l.charAt(0)):l.charAt(0);else{if(p.length=s,d)for(--o;++p[--s]>o;)p[s]=0,s||(++c,p=[1].concat(p));for(u=p.length;!p[--u];);for(v=0,n="";v<=u;n+=l.charAt(p[v++]));n=b(n,c,l.charAt(0))}return n}}(),y=function(){function e(e,t,n){var r,o,i,a,l=0,s=e.length,c=t%d,u=t/d|0;for(e=e.slice();s--;)l=((o=c*(i=e[s]%d)+(r=u*i+(a=e[s]/d|0)*c)%d*d+l)/n|0)+(r/d|0)+u*a,e[s]=o%n;return l&&(e=[l].concat(e)),e}function t(e,t,n,r){var o,i;if(n!=r)i=n>r?1:-1;else for(o=i=0;o<n;o++)if(e[o]!=t[o]){i=e[o]>t[o]?1:-1;break}return i}function n(e,t,n,r){for(var o=0;n--;)e[n]-=o,o=e[n]<t[n]?1:0,e[n]=o*r+e[n]-t[n];for(;!e[0]&&e.length>1;e.splice(0,1));}return function(r,i,a,c,u){var d,h,f,m,v,g,w,y,b,x,k,E,A,C,B,M,_,S=r.s==i.s?1:-1,N=r.c,V=i.c;if(!(N&&N[0]&&V&&V[0]))return new q(r.s&&i.s&&(N?!V||N[0]!=V[0]:V)?N&&0==N[0]||!V?0*S:S/0:NaN);for(b=(y=new q(S)).c=[],S=a+(h=r.e-i.e)+1,u||(u=l,h=p(r.e/s)-p(i.e/s),S=S/s|0),f=0;V[f]==(N[f]||0);f++);if(V[f]>(N[f]||0)&&h--,S<0)b.push(1),m=!0;else{for(C=N.length,M=V.length,f=0,S+=2,(v=o(u/(V[0]+1)))>1&&(V=e(V,v,u),N=e(N,v,u),M=V.length,C=N.length),A=M,k=(x=N.slice(0,M)).length;k<M;x[k++]=0);_=V.slice(),_=[0].concat(_),B=V[0],V[1]>=u/2&&B++;do{if(v=0,(d=t(V,x,M,k))<0){if(E=x[0],M!=k&&(E=E*u+(x[1]||0)),(v=o(E/B))>1)for(v>=u&&(v=u-1),w=(g=e(V,v,u)).length,k=x.length;1==t(g,x,w,k);)v--,n(g,M<w?_:V,w,u),w=g.length,d=1;else 0==v&&(d=v=1),w=(g=V.slice()).length;if(w<k&&(g=[0].concat(g)),n(x,g,k,u),k=x.length,-1==d)for(;t(V,x,M,k)<1;)v++,n(x,M<k?_:V,k,u),k=x.length}else 0===d&&(v++,x=[0]);b[f++]=v,x[0]?x[k++]=N[A]||0:(x=[N[A]],k=1)}while((A++<C||null!=x[0])&&S--);m=null!=x[0],b[0]||b.splice(0,1)}if(u==l){for(f=1,S=b[0];S>=10;S/=10,f++);G(y,a+(y.e=f+h*s-1)+1,c,m)}else y.e=h,y.r=+m;return y}}(),C=/^(-?)0([xbo])(?=\w[\w.]*$)/i,B=/^([^.]+)\.$/,M=/^\.([^.]+)$/,_=/^-?(Infinity|NaN)$/,S=/^\s*\+(?=[\w.])|^\s+|\s+$/g,k=function(e,t,n,r){var o,a=n?t:t.replace(S,"");if(_.test(a))e.s=isNaN(a)?null:a<0?-1:1;else{if(!n&&(a=a.replace(C,(function(e,t,n){return o="x"==(n=n.toLowerCase())?16:"b"==n?2:8,r&&r!=o?e:t})),r&&(o=r,a=a.replace(B,"$1").replace(M,"0.$1")),t!=a))return new q(a,o);if(q.DEBUG)throw Error(i+"Not a"+(r?" base "+r:"")+" number: "+t);e.s=null}e.c=e.e=null},N.absoluteValue=N.abs=function(){var e=new q(this);return e.s<0&&(e.s=1),e},N.comparedTo=function(e,t){return m(this,new q(e,t))},N.decimalPlaces=N.dp=function(e,t){var n,r,o,i=this;if(null!=e)return v(e,0,h),null==t?t=T:v(t,0,8),G(new q(i),e+i.e+1,t);if(!(n=i.c))return null;if(r=((o=n.length-1)-p(this.e/s))*s,o=n[o])for(;o%10==0;o/=10,r--);return r<0&&(r=0),r},N.dividedBy=N.div=function(e,t){return y(this,new q(e,t),L,T)},N.dividedToIntegerBy=N.idiv=function(e,t){return y(this,new q(e,t),0,1)},N.exponentiatedBy=N.pow=function(e,t){var n,a,l,c,u,d,h,p,f=this;if((e=new q(e)).c&&!e.isInteger())throw Error(i+"Exponent not an integer: "+K(e));if(null!=t&&(t=new q(t)),u=e.e>14,!f.c||!f.c[0]||1==f.c[0]&&!f.e&&1==f.c.length||!e.c||!e.c[0])return p=new q(Math.pow(+K(f),u?e.s*(2-g(e)):+K(e))),t?p.mod(t):p;if(d=e.s<0,t){if(t.c?!t.c[0]:!t.s)return new q(NaN);(a=!d&&f.isInteger()&&t.isInteger())&&(f=f.mod(t))}else{if(e.e>9&&(f.e>0||f.e<-1||(0==f.e?f.c[0]>1||u&&f.c[1]>=24e7:f.c[0]<8e13||u&&f.c[0]<=9999975e7)))return c=f.s<0&&g(e)?-0:0,f.e>-1&&(c=1/c),new q(d?1/c:c);P&&(c=r(P/s+2))}for(u?(n=new q(.5),d&&(e.s=1),h=g(e)):h=(l=Math.abs(+K(e)))%2,p=new q(V);;){if(h){if(!(p=p.times(f)).c)break;c?p.c.length>c&&(p.c.length=c):a&&(p=p.mod(t))}if(l){if(0===(l=o(l/2)))break;h=l%2}else if(G(e=e.times(n),e.e+1,1),e.e>14)h=g(e);else{if(0==(l=+K(e)))break;h=l%2}f=f.times(f),c?f.c&&f.c.length>c&&(f.c.length=c):a&&(f=f.mod(t))}return a?p:(d&&(p=V.div(p)),t?p.mod(t):c?G(p,P,T,void 0):p)},N.integerValue=function(e){var t=new q(this);return null==e?e=T:v(e,0,8),G(t,t.e+1,e)},N.isEqualTo=N.eq=function(e,t){return 0===m(this,new q(e,t))},N.isFinite=function(){return!!this.c},N.isGreaterThan=N.gt=function(e,t){return m(this,new q(e,t))>0},N.isGreaterThanOrEqualTo=N.gte=function(e,t){return 1===(t=m(this,new q(e,t)))||0===t},N.isInteger=function(){return!!this.c&&p(this.e/s)>this.c.length-2},N.isLessThan=N.lt=function(e,t){return m(this,new q(e,t))<0},N.isLessThanOrEqualTo=N.lte=function(e,t){return-1===(t=m(this,new q(e,t)))||0===t},N.isNaN=function(){return!this.s},N.isNegative=function(){return this.s<0},N.isPositive=function(){return this.s>0},N.isZero=function(){return!!this.c&&0==this.c[0]},N.minus=function(e,t){var n,r,o,i,a=this,c=a.s;if(t=(e=new q(e,t)).s,!c||!t)return new q(NaN);if(c!=t)return e.s=-t,a.plus(e);var u=a.e/s,d=e.e/s,h=a.c,f=e.c;if(!u||!d){if(!h||!f)return h?(e.s=-t,e):new q(f?a:NaN);if(!h[0]||!f[0])return f[0]?(e.s=-t,e):new q(h[0]?a:3==T?-0:0)}if(u=p(u),d=p(d),h=h.slice(),c=u-d){for((i=c<0)?(c=-c,o=h):(d=u,o=f),o.reverse(),t=c;t--;o.push(0));o.reverse()}else for(r=(i=(c=h.length)<(t=f.length))?c:t,c=t=0;t<r;t++)if(h[t]!=f[t]){i=h[t]<f[t];break}if(i&&(o=h,h=f,f=o,e.s=-e.s),(t=(r=f.length)-(n=h.length))>0)for(;t--;h[n++]=0);for(t=l-1;r>c;){if(h[--r]<f[r]){for(n=r;n&&!h[--n];h[n]=t);--h[n],h[r]+=l}h[r]-=f[r]}for(;0==h[0];h.splice(0,1),--d);return h[0]?W(e,h,d):(e.s=3==T?-1:1,e.c=[e.e=0],e)},N.modulo=N.mod=function(e,t){var n,r,o=this;return e=new q(e,t),!o.c||!e.s||e.c&&!e.c[0]?new q(NaN):!e.c||o.c&&!o.c[0]?new q(o):(9==H?(r=e.s,e.s=1,n=y(o,e,0,3),e.s=r,n.s*=r):n=y(o,e,0,H),(e=o.minus(n.times(e))).c[0]||1!=H||(e.s=o.s),e)},N.multipliedBy=N.times=function(e,t){var n,r,o,i,a,c,u,h,f,m,v,g,w,y,b,x=this,k=x.c,E=(e=new q(e,t)).c;if(!(k&&E&&k[0]&&E[0]))return!x.s||!e.s||k&&!k[0]&&!E||E&&!E[0]&&!k?e.c=e.e=e.s=null:(e.s*=x.s,k&&E?(e.c=[0],e.e=0):e.c=e.e=null),e;for(r=p(x.e/s)+p(e.e/s),e.s*=x.s,(u=k.length)<(m=E.length)&&(w=k,k=E,E=w,o=u,u=m,m=o),o=u+m,w=[];o--;w.push(0));for(y=l,b=d,o=m;--o>=0;){for(n=0,v=E[o]%b,g=E[o]/b|0,i=o+(a=u);i>o;)n=((h=v*(h=k[--a]%b)+(c=g*h+(f=k[a]/b|0)*v)%b*b+w[i]+n)/y|0)+(c/b|0)+g*f,w[i--]=h%y;w[i]=n}return n?++r:w.splice(0,1),W(e,w,r)},N.negated=function(){var e=new q(this);return e.s=-e.s||null,e},N.plus=function(e,t){var n,r=this,o=r.s;if(t=(e=new q(e,t)).s,!o||!t)return new q(NaN);if(o!=t)return e.s=-t,r.minus(e);var i=r.e/s,a=e.e/s,c=r.c,u=e.c;if(!i||!a){if(!c||!u)return new q(o/0);if(!c[0]||!u[0])return u[0]?e:new q(c[0]?r:0*o)}if(i=p(i),a=p(a),c=c.slice(),o=i-a){for(o>0?(a=i,n=u):(o=-o,n=c),n.reverse();o--;n.push(0));n.reverse()}for((o=c.length)-(t=u.length)<0&&(n=u,u=c,c=n,t=o),o=0;t;)o=(c[--t]=c[t]+u[t]+o)/l|0,c[t]=l===c[t]?0:c[t]%l;return o&&(c=[o].concat(c),++a),W(e,c,a)},N.precision=N.sd=function(e,t){var n,r,o,i=this;if(null!=e&&e!==!!e)return v(e,1,h),null==t?t=T:v(t,0,8),G(new q(i),e,t);if(!(n=i.c))return null;if(r=(o=n.length-1)*s+1,o=n[o]){for(;o%10==0;o/=10,r--);for(o=n[0];o>=10;o/=10,r++);}return e&&i.e+1>r&&(r=i.e+1),r},N.shiftedBy=function(e){return v(e,-9007199254740991,c),this.times("1e"+e)},N.squareRoot=N.sqrt=function(){var e,t,n,r,o,i=this,a=i.c,l=i.s,s=i.e,c=L+4,u=new q("0.5");if(1!==l||!a||!a[0])return new q(!l||l<0&&(!a||a[0])?NaN:a?i:1/0);if(0==(l=Math.sqrt(+K(i)))||l==1/0?(((t=f(a)).length+s)%2==0&&(t+="0"),l=Math.sqrt(+t),s=p((s+1)/2)-(s<0||s%2),n=new q(t=l==1/0?"5e"+s:(t=l.toExponential()).slice(0,t.indexOf("e")+1)+s)):n=new q(l+""),n.c[0])for((l=(s=n.e)+c)<3&&(l=0);;)if(o=n,n=u.times(o.plus(y(i,o,c,1))),f(o.c).slice(0,l)===(t=f(n.c)).slice(0,l)){if(n.e<s&&--l,"9999"!=(t=t.slice(l-3,l+1))&&(r||"4999"!=t)){+t&&(+t.slice(1)||"5"!=t.charAt(0))||(G(n,n.e+L+2,1),e=!n.times(n).eq(i));break}if(!r&&(G(o,o.e+L+2,0),o.times(o).eq(i))){n=o;break}c+=4,l+=4,r=1}return G(n,n.e+L+1,T,e)},N.toExponential=function(e,t){return null!=e&&(v(e,0,h),e++),U(this,e,t,1)},N.toFixed=function(e,t){return null!=e&&(v(e,0,h),e=e+this.e+1),U(this,e,t)},N.toFormat=function(e,t,n){var r,o=this;if(null==n)null!=e&&t&&"object"==typeof t?(n=t,t=null):e&&"object"==typeof e?(n=e,e=t=null):n=j;else if("object"!=typeof n)throw Error(i+"Argument not an object: "+n);if(r=o.toFixed(e,t),o.c){var a,l=r.split("."),s=+n.groupSize,c=+n.secondaryGroupSize,u=n.groupSeparator||"",d=l[0],h=l[1],p=o.s<0,f=p?d.slice(1):d,m=f.length;if(c&&(a=s,s=c,c=a,m-=a),s>0&&m>0){for(a=m%s||s,d=f.substr(0,a);a<m;a+=s)d+=u+f.substr(a,s);c>0&&(d+=u+f.slice(a)),p&&(d="-"+d)}r=h?d+(n.decimalSeparator||"")+((c=+n.fractionGroupSize)?h.replace(new RegExp("\\d{"+c+"}\\B","g"),"$&"+(n.fractionGroupSeparator||"")):h):d}return(n.prefix||"")+r+(n.suffix||"")},N.toFraction=function(e){var t,n,r,o,a,l,c,d,h,p,m,v,g=this,w=g.c;if(null!=e&&(!(c=new q(e)).isInteger()&&(c.c||1!==c.s)||c.lt(V)))throw Error(i+"Argument "+(c.isInteger()?"out of range: ":"not an integer: ")+K(c));if(!w)return new q(g);for(t=new q(V),h=n=new q(V),r=d=new q(V),v=f(w),a=t.e=v.length-g.e-1,t.c[0]=u[(l=a%s)<0?s+l:l],e=!e||c.comparedTo(t)>0?a>0?t:h:c,l=D,D=1/0,c=new q(v),d.c[0]=0;p=y(c,t,0,1),1!=(o=n.plus(p.times(r))).comparedTo(e);)n=r,r=o,h=d.plus(p.times(o=h)),d=o,t=c.minus(p.times(o=t)),c=o;return o=y(e.minus(n),r,0,1),d=d.plus(o.times(h)),n=n.plus(o.times(r)),d.s=h.s=g.s,m=y(h,r,a*=2,T).minus(g).abs().comparedTo(y(d,n,a,T).minus(g).abs())<1?[h,r]:[d,n],D=l,m},N.toNumber=function(){return+K(this)},N.toPrecision=function(e,t){return null!=e&&v(e,1,h),U(this,e,t,2)},N.toString=function(e){var t,n=this,r=n.s,o=n.e;return null===o?r?(t="Infinity",r<0&&(t="-"+t)):t="NaN":(null==e?t=o<=I||o>=Z?w(f(n.c),o):b(f(n.c),o,"0"):10===e&&z?t=b(f((n=G(new q(n),L+o+1,T)).c),n.e,"0"):(v(e,2,F.length,"Base"),t=x(b(f(n.c),o,"0"),10,e,r,!0)),r<0&&n.c[0]&&(t="-"+t)),t},N.valueOf=N.toJSON=function(){return K(this)},N._isBigNumber=!0,null!=t&&q.set(t),q}(),t.default=t.BigNumber=t,y.exports?y.exports=t:(e||(e="undefined"!=typeof self&&self?self:window),e.BigNumber=t)}(c);var x=b.exports;const k=g(),E=p(),A=v,C=x,B={trillion:Math.pow(10,12),billion:Math.pow(10,9),million:Math.pow(10,6),thousand:Math.pow(10,3)},M={totalLength:0,characteristic:0,forceAverage:!1,average:!1,mantissa:-1,optionalMantissa:!0,thousandSeparated:!1,spaceSeparated:!1,negative:"sign",forceSign:!1,roundingFunction:Math.round,spaceSeparatedAbbreviation:!1},{binarySuffixes:_,decimalSuffixes:S}=k.currentBytes(),N={general:{scale:1024,suffixes:S,marker:"bd"},binary:{scale:1024,suffixes:_,marker:"b"},decimal:{scale:1e3,suffixes:S,marker:"d"}};function V(e,t={},n){if("string"==typeof t&&(t=A.parseFormat(t)),!E.validateFormat(t))return"ERROR: invalid format";let r=t.prefix||"",o=t.postfix||"",i=function(e,t,n){switch(t.output){case"currency":return function(e,t,n){const r=n.currentCurrency();let o,i=Object.assign({},t),a=Object.assign({},M,i),l="",s=!!a.totalLength||!!a.forceAverage||a.average,c=i.currencyPosition||r.position,u=i.currencySymbol||r.symbol;const d=void 0!==a.spaceSeparatedCurrency?a.spaceSeparatedCurrency:a.spaceSeparated;void 0===i.lowPrecision&&(i.lowPrecision=!1);d&&(l=" ");"infix"===c&&(o=l+u+l);let h=Z({instance:e,providedFormat:i,state:n,decimalSeparator:o});"prefix"===c&&(h=e._value<0&&"sign"===a.negative?`-${l}${u}${h.slice(1)}`:e._value>0&&a.forceSign?`+${l}${u}${h.slice(1)}`:u+l+h);c&&"postfix"!==c||(l=!a.spaceSeparatedAbbreviation&&s?"":l,h=h+l+u);return h}(e,t=O(t,k.currentCurrencyDefaultFormat()),k);case"percent":return function(e,t,n,r){let o=t.prefixSymbol,i=Z({instance:r(100*e._value),providedFormat:t,state:n}),a=Object.assign({},M,t);if(o)return`%${a.spaceSeparated?" ":""}${i}`;return`${i}${a.spaceSeparated?" ":""}%`}(e,t=O(t,k.currentPercentageDefaultFormat()),k,n);case"byte":return function(e,t,n,r){let o=t.base||"binary",i=Object.assign({},M,t);const{binarySuffixes:a,decimalSuffixes:l}=n.currentBytes();let s={general:{scale:1024,suffixes:l||S,marker:"bd"},binary:{scale:1024,suffixes:a||_,marker:"b"},decimal:{scale:1e3,suffixes:l||S,marker:"d"}}[o],{value:c,suffix:u}=L(e._value,s.suffixes,s.scale),d=Z({instance:r(c),providedFormat:t,state:n,defaults:n.currentByteDefaultFormat()});return`${d}${i.spaceSeparated?" ":""}${u}`}(e,t=O(t,k.currentByteDefaultFormat()),k,n);case"time":return t=O(t,k.currentTimeDefaultFormat()),function(e){let t=Math.floor(e._value/60/60),n=Math.floor((e._value-60*t*60)/60),r=Math.round(e._value-60*t*60-60*n);return`${t}:${n<10?"0":""}${n}:${r<10?"0":""}${r}`}(e);case"ordinal":return function(e,t,n){let r=n.currentOrdinal(),o=Object.assign({},M,t),i=Z({instance:e,providedFormat:t,state:n}),a=r(e._value);return`${i}${o.spaceSeparated?" ":""}${a}`}(e,t=O(t,k.currentOrdinalDefaultFormat()),k);default:return Z({instance:e,providedFormat:t,numbro:n})}}(e,t,n);return i=function(e,t){return t+e}(i,r),i=function(e,t){return e+t}(i,o),i}function L(e,t,n){let r=t[0],o=Math.abs(e);if(o>=n){for(let i=1;i<t.length;++i){let a=Math.pow(n,i),l=Math.pow(n,i+1);if(o>=a&&o<l){r=t[i],e/=a;break}}r===t[0]&&(e/=Math.pow(n,t.length-1),r=t[t.length-1])}return{value:e,suffix:r}}function T(e){let t="";for(let n=0;n<e;n++)t+="0";return t}function I(e,t,n=Math.round){if(-1!==e.toString().indexOf("e"))return function(e,t){let n=e.toString(),[r,o]=n.split("e"),[i,a=""]=r.split(".");if(+o>0)n=i+a+T(o-a.length);else{let e=".";e=+i<0?`-0${e}`:`0${e}`;let r=(T(-o-1)+Math.abs(i)+a).substr(0,t);r.length<t&&(r+=T(t-r.length)),n=e+r}return+o>0&&t>0&&(n+=`.${T(t)}`),n}(e,t);return new C(n(+`${e}e+${t}`)/Math.pow(10,t)).toFixed(t)}function Z({instance:e,providedFormat:t,state:n=k,decimalSeparator:r,defaults:o=n.currentDefaults()}){let i=e._value;if(0===i&&n.hasZeroFormat())return n.getZeroFormat();if(!isFinite(i))return i.toString();let a=Object.assign({},M,o,t),l=a.totalLength,s=l?0:a.characteristic,c=a.optionalCharacteristic,u=a.forceAverage,d=a.lowPrecision,h=!!l||!!u||a.average,p=l?-1:h&&void 0===t.mantissa?0:a.mantissa,f=!l&&(void 0===t.optionalMantissa?-1===p:a.optionalMantissa),m=a.trimMantissa,v=a.thousandSeparated,g=a.spaceSeparated,w=a.negative,y=a.forceSign,b=a.exponential,x=a.roundingFunction,E="";if(h){let e=function({value:e,forceAverage:t,lowPrecision:n=!0,abbreviations:r,spaceSeparated:o=!1,totalLength:i=0,roundingFunction:a=Math.round}){let l="",s=Math.abs(e),c=-1;if(t&&r[t]&&B[t]?(l=r[t],e/=B[t]):s>=B.trillion||n&&1===a(s/B.trillion)?(l=r.trillion,e/=B.trillion):s<B.trillion&&s>=B.billion||n&&1===a(s/B.billion)?(l=r.billion,e/=B.billion):s<B.billion&&s>=B.million||n&&1===a(s/B.million)?(l=r.million,e/=B.million):(s<B.million&&s>=B.thousand||n&&1===a(s/B.thousand))&&(l=r.thousand,e/=B.thousand),l&&(l=(o?" ":"")+l),i){let t=e<0,n=e.toString().split(".")[0],r=t?n.length-1:n.length;c=Math.max(i-r,0)}return{value:e,abbreviation:l,mantissaPrecision:c}}({value:i,forceAverage:u,lowPrecision:d,abbreviations:n.currentAbbreviations(),spaceSeparated:g,roundingFunction:x,totalLength:l});i=e.value,E+=e.abbreviation,l&&(p=e.mantissaPrecision)}if(b){let e=function({value:e,characteristicPrecision:t}){let[n,r]=e.toExponential().split("e"),o=+n;return t?(1<t&&(o*=Math.pow(10,t-1),r=+r-(t-1),r=r>=0?`+${r}`:r),{value:o,abbreviation:`e${r}`}):{value:o,abbreviation:`e${r}`}}({value:i,characteristicPrecision:s});i=e.value,E=e.abbreviation+E}let A=function(e,t,n,r,o,i){if(-1===r)return e;let a=I(t,r,i),[l,s=""]=a.toString().split(".");if(s.match(/^0+$/)&&(n||o))return l;let c=s.match(/0+$/);return o&&c?`${l}.${s.toString().slice(0,c.index)}`:a.toString()}(i.toString(),i,f,p,m,x);return A=function(e,t,n,r){let o=e,[i,a]=o.toString().split(".");if(i.match(/^-?0$/)&&n)return a?`${i.replace("0","")}.${a}`:i.replace("0","");const l=t<0&&0===i.indexOf("-");if(l&&(i=i.slice(1),o=o.slice(1)),i.length<r){let e=r-i.length;for(let t=0;t<e;t++)o=`0${o}`}return l&&(o=`-${o}`),o.toString()}(A,i,c,s),A=function(e,t,n,r,o){let i=r.currentDelimiters(),a=i.thousands;o=o||i.decimal;let l=i.thousandsSize||3,s=e.toString(),c=s.split(".")[0],u=s.split(".")[1];const d=t<0&&0===c.indexOf("-");if(n){d&&(c=c.slice(1));let e=function(e,t){let n=[],r=0;for(let o=e;o>0;o--)r===t&&(n.unshift(o),r=0),r++;return n}(c.length,l);e.forEach(((e,t)=>{c=c.slice(0,e+t)+a+c.slice(e+t)})),d&&(c=`-${c}`)}return s=u?c+o+u:c,s}(A,i,v,n,r),(h||b)&&(A=function(e,t){return e+t}(A,E)),(y||i<0)&&(A=function(e,t,n){return 0===t?e:0==+e?e.replace("-",""):t>0?`+${e}`:"sign"===n?e:`(${e.replace("-","")})`}(A,i,w)),A}function O(e,t){if(!e)return t;let n=Object.keys(e);return 1===n.length&&"output"===n[0]?t:e}const D=x;function R(e,t,n){let r=new D(e._value),o=t;return n.isNumbro(t)&&(o=t._value),o=new D(o),e._value=r.minus(o).toNumber(),e}const H=g(),P=p(),j=(e=>({loadLanguagesInNode:t=>w(t,e)}))(G),F=h();let z=(e=>({format:(...t)=>V(...t,e),getByteUnit:(...t)=>function(e){let t=N.general;return L(e._value,t.suffixes,t.scale).suffix}(...t,e),getBinaryByteUnit:(...t)=>function(e){let t=N.binary;return L(e._value,t.suffixes,t.scale).suffix}(...t,e),getDecimalByteUnit:(...t)=>function(e){let t=N.decimal;return L(e._value,t.suffixes,t.scale).suffix}(...t,e),formatOrDefault:O}))(G),q=(e=>({add:(t,n)=>function(e,t,n){let r=new D(e._value),o=t;return n.isNumbro(t)&&(o=t._value),o=new D(o),e._value=r.plus(o).toNumber(),e}(t,n,e),subtract:(t,n)=>R(t,n,e),multiply:(t,n)=>function(e,t,n){let r=new D(e._value),o=t;return n.isNumbro(t)&&(o=t._value),o=new D(o),e._value=r.times(o).toNumber(),e}(t,n,e),divide:(t,n)=>function(e,t,n){let r=new D(e._value),o=t;return n.isNumbro(t)&&(o=t._value),o=new D(o),e._value=r.dividedBy(o).toNumber(),e}(t,n,e),set:(t,n)=>function(e,t,n){let r=t;return n.isNumbro(t)&&(r=t._value),e._value=r,e}(t,n,e),difference:(t,n)=>function(e,t,n){let r=n(e._value);return R(r,t,n),Math.abs(r._value)}(t,n,e),BigNumber:D}))(G);const U=v;class ${constructor(e){this._value=e}clone(){return G(this._value)}format(e={}){return z.format(this,e)}formatCurrency(e){return"string"==typeof e&&(e=U.parseFormat(e)),(e=z.formatOrDefault(e,H.currentCurrencyDefaultFormat())).output="currency",z.format(this,e)}formatTime(e={}){return e.output="time",z.format(this,e)}binaryByteUnits(){return z.getBinaryByteUnit(this)}decimalByteUnits(){return z.getDecimalByteUnit(this)}byteUnits(){return z.getByteUnit(this)}difference(e){return q.difference(this,e)}add(e){return q.add(this,e)}subtract(e){return q.subtract(this,e)}multiply(e){return q.multiply(this,e)}divide(e){return q.divide(this,e)}set(e){return q.set(this,W(e))}value(){return this._value}valueOf(){return this._value}}function W(e){let t=e;return G.isNumbro(e)?t=e._value:"string"==typeof e?t=G.unformat(e):isNaN(e)&&(t=NaN),t}function G(e){return new $(W(e))}G.version="2.5.0",G.isNumbro=function(e){return e instanceof $},G.language=H.currentLanguage,G.registerLanguage=H.registerLanguage,G.setLanguage=H.setLanguage,G.languages=H.languages,G.languageData=H.languageData,G.zeroFormat=H.setZeroFormat,G.defaultFormat=H.currentDefaults,G.setDefaults=H.setDefaults,G.defaultCurrencyFormat=H.currentCurrencyDefaultFormat,G.validate=P.validate,G.loadLanguagesInNode=j.loadLanguagesInNode,G.unformat=F.unformat,G.BigNumber=q.BigNumber;var K=u(G)},13152:function(e,t,n){e.exports=function(){"use strict";function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}"undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:void 0!==n.g?n.g:"undefined"!=typeof self&&self;var t={},r={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"bg",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"И",million:"А",billion:"M",trillion:"T"},ordinal:()=>".",currency:{symbol:"лв.",code:"BGN"}})}()}(r);var o=r.exports,i={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"cs-CZ",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"tis.",million:"mil.",billion:"mld.",trillion:"bil."},ordinal:function(){return"."},spaceSeparated:!0,currency:{symbol:"Kč",position:"postfix",code:"CZK"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,spaceSeparatedAbbreviation:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(i);var a=i.exports,l={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"da-DK",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"t",million:"mio",billion:"mia",trillion:"b"},ordinal:function(){return"."},currency:{symbol:"kr",position:"postfix",code:"DKK"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(l);var s=l.exports,c={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"de-AT",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:function(){return"."},currency:{symbol:"€",code:"EUR"}})}()}(c);var u=c.exports,d={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"de-CH",delimiters:{thousands:"’",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:function(){return"."},currency:{symbol:"CHF",position:"postfix",code:"CHF"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(d);var h=d.exports,p={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"de-DE",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"k",million:"Mi",billion:"Ma",trillion:"Bi"},ordinal:function(){return"."},spaceSeparated:!0,currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{totalLength:4,thousandSeparated:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(p);var f=p.exports,m={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"de-LI",delimiters:{thousands:"'",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:function(){return"."},currency:{symbol:"CHF",position:"postfix",code:"CHF"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(m);var v=m.exports,g={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"el",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"χ",million:"ε",billion:"δ",trillion:"τ"},ordinal:function(){return"."},currency:{symbol:"€",code:"EUR"}})}()}(g);var w=g.exports,y={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"en-AU",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th"},currency:{symbol:"$",position:"prefix",code:"AUD"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{thousandSeparated:!0,mantissa:2},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,mantissa:0}}})}()}(y);var b=y.exports,x={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"en-GB",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th"},currency:{symbol:"£",position:"prefix",code:"GBP"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!1,spaceSeparatedCurrency:!1,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!1,average:!0},fullWithTwoDecimals:{output:"currency",thousandSeparated:!0,spaceSeparated:!1,mantissa:2},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,spaceSeparated:!1,mantissa:0}}})}()}(x);var k=x.exports,E={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"en-IE",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th"},currency:{symbol:"€",position:"prefix",code:"EUR"}})}()}(E);var A=E.exports,C={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"en-NZ",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th"},currency:{symbol:"$",position:"prefix",code:"NZD"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{thousandSeparated:!0,mantissa:2},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,mantissa:0}}})}()}(C);var B=C.exports,M={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"en-ZA",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th"},currency:{symbol:"R",position:"prefix",code:"ZAR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{thousandSeparated:!0,mantissa:2},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,mantissa:0}}})}()}(M);var _=M.exports,S={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-AR",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"$",position:"postfix",code:"ARS"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(S);var N=S.exports,V={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-CL",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"$",position:"prefix",code:"CLP"},currencyFormat:{output:"currency",thousandSeparated:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(V);var L=V.exports,T={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-CO",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(T);var I=T.exports,Z={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-CR",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"₡",position:"postfix",code:"CRC"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Z);var O=Z.exports,D={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-ES",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(D);var R=D.exports,H={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-MX",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:function(e){let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"$",position:"postfix",code:"MXN"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(H);var P=H.exports,j={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-NI",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"C$",position:"prefix",code:"NIO"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(j);var F=j.exports,z={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-PE",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"S/.",position:"prefix",code:"PEN"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(z);var q=z.exports,U={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-PR",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"$",position:"prefix",code:"USD"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(U);var $=U.exports,W={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-SV",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"$",position:"prefix",code:"SVC"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(W);var G=W.exports,K={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"et-EE",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"tuh",million:"mln",billion:"mld",trillion:"trl"},ordinal:function(){return"."},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(K);var Y=K.exports,X={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"fa-IR",delimiters:{thousands:"،",decimal:"."},abbreviations:{thousand:"هزار",million:"میلیون",billion:"میلیارد",trillion:"تریلیون"},ordinal:function(){return"ام"},currency:{symbol:"﷼",code:"IRR"}})}()}(X);var J=X.exports,Q={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"fi-FI",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"M",billion:"G",trillion:"T"},ordinal:function(){return"."},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Q);var ee=Q.exports,te={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"fil-PH",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th"},currency:{symbol:"₱",code:"PHP"}})}()}(te);var ne=te.exports,re={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"fr-CA",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"M",billion:"G",trillion:"T"},ordinal:e=>1===e?"er":"ème",spaceSeparated:!0,currency:{symbol:"$",position:"postfix",code:"USD"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{thousandSeparated:!0,mantissa:2},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,mantissa:0}}})}()}(re);var oe=re.exports,ie={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"fr-CH",delimiters:{thousands:" ",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:e=>1===e?"er":"ème",currency:{symbol:"CHF",position:"postfix",code:"CHF"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(ie);var ae=ie.exports,le={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"fr-FR",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"M",billion:"Mrd",trillion:"billion"},ordinal:e=>1===e?"er":"ème",bytes:{binarySuffixes:["o","Kio","Mio","Gio","Tio","Pio","Eio","Zio","Yio"],decimalSuffixes:["o","Ko","Mo","Go","To","Po","Eo","Zo","Yo"]},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(le);var se=le.exports,ce={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"he-IL",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"אלף",million:"מיליון",billion:"מיליארד",trillion:"טריליון"},currency:{symbol:"₪",position:"prefix",code:"ILS"},ordinal:()=>"",currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(ce);var ue=ce.exports,de={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"hu-HU",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"E",million:"M",billion:"Mrd",trillion:"T"},ordinal:function(){return"."},currency:{symbol:"Ft",position:"postfix",code:"HUF"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(de);var he=de.exports,pe={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"id",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"r",million:"j",billion:"m",trillion:"t"},ordinal:function(){return"."},currency:{symbol:"Rp",code:"IDR"}})}()}(pe);var fe=pe.exports,me={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"it-CH",delimiters:{thousands:"'",decimal:"."},abbreviations:{thousand:"mila",million:"mil",billion:"b",trillion:"t"},ordinal:function(){return"°"},currency:{symbol:"CHF",code:"CHF"}})}()}(me);var ve=me.exports,ge={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"it-IT",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"mila",million:"mil",billion:"b",trillion:"t"},ordinal:function(){return"º"},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(ge);var we=ge.exports,ye={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"ja-JP",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"千",million:"百万",billion:"十億",trillion:"兆"},ordinal:function(){return"."},currency:{symbol:"¥",position:"prefix",code:"JPY"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{thousandSeparated:!0,mantissa:2},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,mantissa:0}}})}()}(ye);var be=ye.exports,xe={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"ko-KR",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"천",million:"백만",billion:"십억",trillion:"일조"},ordinal:function(){return"."},currency:{symbol:"₩",code:"KPW"}})}()}(xe);var ke=xe.exports,Ee={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"lv-LV",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"tūkst.",million:"milj.",billion:"mljrd.",trillion:"trilj."},ordinal:function(){return"."},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Ee);var Ae=Ee.exports,Ce={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"nb-NO",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"t",million:"M",billion:"md",trillion:"b"},ordinal:()=>"",currency:{symbol:"kr",position:"postfix",code:"NOK"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Ce);var Be=Ce.exports,Me={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"nb",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"t",million:"mil",billion:"mia",trillion:"b"},ordinal:function(){return"."},currency:{symbol:"kr",code:"NOK"}})}()}(Me);var _e=Me.exports,Se={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"nl-BE",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"mln",billion:"mld",trillion:"bln"},ordinal:e=>{let t=e%100;return 0!==e&&t<=1||8===t||t>=20?"ste":"de"},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Se);var Ne=Se.exports,Ve={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"nl-NL",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"k",million:"mln",billion:"mrd",trillion:"bln"},ordinal:e=>{let t=e%100;return 0!==e&&t<=1||8===t||t>=20?"ste":"de"},currency:{symbol:"€",position:"prefix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Ve);var Le=Ve.exports,Te={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"nn",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"t",million:"mil",billion:"mia",trillion:"b"},ordinal:function(){return"."},currency:{symbol:"kr",code:"NOK"}})}()}(Te);var Ie=Te.exports,Ze={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"pl-PL",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"tys.",million:"mln",billion:"mld",trillion:"bln"},ordinal:()=>".",currency:{symbol:" zł",position:"postfix",code:"PLN"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Ze);var Oe=Ze.exports,De={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"pt-BR",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"mil",million:"milhões",billion:"b",trillion:"t"},ordinal:function(){return"º"},currency:{symbol:"R$",position:"prefix",code:"BRL"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(De);var Re=De.exports,He={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"pt-PT",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:function(){return"º"},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(He);var Pe=He.exports,je={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"ro-RO",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"mii",million:"mil",billion:"mld",trillion:"bln"},ordinal:function(){return"."},currency:{symbol:" lei",position:"postfix",code:"RON"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(je);var Fe=je.exports,ze={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"ro-RO",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"mii",million:"mil",billion:"mld",trillion:"bln"},ordinal:function(){return"."},currency:{symbol:" lei",position:"postfix",code:"RON"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(ze);var qe=ze.exports,Ue={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"ru-RU",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"тыс.",million:"млн",billion:"b",trillion:"t"},ordinal:function(){return"."},currency:{symbol:"руб.",position:"postfix",code:"RUB"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Ue);var $e=Ue.exports,We={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"ru-UA",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"тыс.",million:"млн",billion:"b",trillion:"t"},ordinal:function(){return"."},currency:{symbol:"₴",position:"postfix",code:"UAH"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(We);var Ge=We.exports,Ke={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"sk-SK",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"tis.",million:"mil.",billion:"mld.",trillion:"bil."},ordinal:function(){return"."},spaceSeparated:!0,currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Ke);var Ye=Ke.exports,Xe={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"sl",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"tis.",million:"mil.",billion:"b",trillion:"t"},ordinal:function(){return"."},currency:{symbol:"€",code:"EUR"}})}()}(Xe);var Je=Xe.exports,Qe={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"sr-Cyrl-RS",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"тыс.",million:"млн",billion:"b",trillion:"t"},ordinal:()=>".",currency:{symbol:"RSD",code:"RSD"}})}()}(Qe);var et=Qe.exports,tt={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"sv-SE",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"t",million:"M",billion:"md",trillion:"tmd"},ordinal:()=>"",currency:{symbol:"kr",position:"postfix",code:"SEK"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(tt);var nt=tt.exports,rt={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"th-TH",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"พัน",million:"ล้าน",billion:"พันล้าน",trillion:"ล้านล้าน"},ordinal:function(){return"."},currency:{symbol:"฿",position:"postfix",code:"THB"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(rt);var ot=rt.exports,it={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}const t={1:"'inci",5:"'inci",8:"'inci",70:"'inci",80:"'inci",2:"'nci",7:"'nci",20:"'nci",50:"'nci",3:"'üncü",4:"'üncü",100:"'üncü",6:"'ncı",9:"'uncu",10:"'uncu",30:"'uncu",40:"'ıncı",60:"'ıncı",90:"'ıncı"};return e({languageTag:"tr-TR",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"bin",million:"milyon",billion:"milyar",trillion:"trilyon"},ordinal:e=>{if(0===e)return"'ıncı";let n=e%10;return t[n]||t[e%100-n]||t[e>=100?100:null]},currency:{symbol:"₺",position:"postfix",code:"TRY"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(it);var at=it.exports,lt={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"uk-UA",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"тис.",million:"млн",billion:"млрд",trillion:"блн"},ordinal:()=>"",currency:{symbol:"₴",position:"postfix",code:"UAH"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(lt);var st=lt.exports,ct={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"zh-CN",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"千",million:"百万",billion:"十亿",trillion:"兆"},ordinal:function(){return"."},currency:{symbol:"¥",position:"prefix",code:"CNY"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{thousandSeparated:!0,mantissa:2},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,mantissa:0}}})}()}(ct);var ut=ct.exports,dt={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"zh-MO",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"千",million:"百萬",billion:"十億",trillion:"兆"},ordinal:function(){return"."},currency:{symbol:"MOP",code:"MOP"}})}()}(dt);var ht=dt.exports,pt={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"zh-SG",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"千",million:"百万",billion:"十亿",trillion:"兆"},ordinal:function(){return"."},currency:{symbol:"$",code:"SGD"}})}()}(pt);var ft=pt.exports,mt={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"zh-TW",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"千",million:"百萬",billion:"十億",trillion:"兆"},ordinal:function(){return"第"},currency:{symbol:"NT$",code:"TWD"}})}()}(mt);var vt=mt.exports;return function(e){e.bg=o,e["cs-CZ"]=a,e["da-DK"]=s,e["de-AT"]=u,e["de-CH"]=h,e["de-DE"]=f,e["de-LI"]=v,e.el=w,e["en-AU"]=b,e["en-GB"]=k,e["en-IE"]=A,e["en-NZ"]=B,e["en-ZA"]=_,e["es-AR"]=N,e["es-CL"]=L,e["es-CO"]=I,e["es-CR"]=O,e["es-ES"]=R,e["es-MX"]=P,e["es-NI"]=F,e["es-PE"]=q,e["es-PR"]=$,e["es-SV"]=G,e["et-EE"]=Y,e["fa-IR"]=J,e["fi-FI"]=ee,e["fil-PH"]=ne,e["fr-CA"]=oe,e["fr-CH"]=ae,e["fr-FR"]=se,e["he-IL"]=ue,e["hu-HU"]=he,e.id=fe,e["it-CH"]=ve,e["it-IT"]=we,e["ja-JP"]=be,e["ko-KR"]=ke,e["lv-LV"]=Ae,e["nb-NO"]=Be,e.nb=_e,e["nl-BE"]=Ne,e["nl-NL"]=Le,e.nn=Ie,e["pl-PL"]=Oe,e["pt-BR"]=Re,e["pt-PT"]=Pe,e["ro-RO"]=Fe,e.ro=qe,e["ru-RU"]=$e,e["ru-UA"]=Ge,e["sk-SK"]=Ye,e.sl=Je,e["sr-Cyrl-RS"]=et,e["sv-SE"]=nt,e["th-TH"]=ot,e["tr-TR"]=at,e["uk-UA"]=st,e["zh-CN"]=ut,e["zh-MO"]=ht,e["zh-SG"]=ft,e["zh-TW"]=vt}(t),e(t)}()},58859:(e,t,n)=>{var r="function"==typeof Map&&Map.prototype,o=Object.getOwnPropertyDescriptor&&r?Object.getOwnPropertyDescriptor(Map.prototype,"size"):null,i=r&&o&&"function"==typeof o.get?o.get:null,a=r&&Map.prototype.forEach,l="function"==typeof Set&&Set.prototype,s=Object.getOwnPropertyDescriptor&&l?Object.getOwnPropertyDescriptor(Set.prototype,"size"):null,c=l&&s&&"function"==typeof s.get?s.get:null,u=l&&Set.prototype.forEach,d="function"==typeof WeakMap&&WeakMap.prototype?WeakMap.prototype.has:null,h="function"==typeof WeakSet&&WeakSet.prototype?WeakSet.prototype.has:null,p="function"==typeof WeakRef&&WeakRef.prototype?WeakRef.prototype.deref:null,f=Boolean.prototype.valueOf,m=Object.prototype.toString,v=Function.prototype.toString,g=String.prototype.match,w=String.prototype.slice,y=String.prototype.replace,b=String.prototype.toUpperCase,x=String.prototype.toLowerCase,k=RegExp.prototype.test,E=Array.prototype.concat,A=Array.prototype.join,C=Array.prototype.slice,B=Math.floor,M="function"==typeof BigInt?BigInt.prototype.valueOf:null,_=Object.getOwnPropertySymbols,S="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?Symbol.prototype.toString:null,N="function"==typeof Symbol&&"object"==typeof Symbol.iterator,V="function"==typeof Symbol&&Symbol.toStringTag&&(typeof Symbol.toStringTag===N||"symbol")?Symbol.toStringTag:null,L=Object.prototype.propertyIsEnumerable,T=("function"==typeof Reflect?Reflect.getPrototypeOf:Object.getPrototypeOf)||([].__proto__===Array.prototype?function(e){return e.__proto__}:null);function I(e,t){if(e===1/0||e===-1/0||e!=e||e&&e>-1e3&&e<1e3||k.call(/e/,t))return t;var n=/[0-9](?=(?:[0-9]{3})+(?![0-9]))/g;if("number"==typeof e){var r=e<0?-B(-e):B(e);if(r!==e){var o=String(r),i=w.call(t,o.length+1);return y.call(o,n,"$&_")+"."+y.call(y.call(i,/([0-9]{3})/g,"$&_"),/_$/,"")}}return y.call(t,n,"$&_")}var Z=n(42634),O=Z.custom,D=q(O)?O:null,R={__proto__:null,double:'"',single:"'"},H={__proto__:null,double:/(["\\])/g,single:/(['\\])/g};function P(e,t,n){var r=n.quoteStyle||t,o=R[r];return o+e+o}function j(e){return y.call(String(e),/"/g,"&quot;")}function F(e){return!("[object Array]"!==W(e)||V&&"object"==typeof e&&V in e)}function z(e){return!("[object RegExp]"!==W(e)||V&&"object"==typeof e&&V in e)}function q(e){if(N)return e&&"object"==typeof e&&e instanceof Symbol;if("symbol"==typeof e)return!0;if(!e||"object"!=typeof e||!S)return!1;try{return S.call(e),!0}catch(e){}return!1}e.exports=function e(t,r,o,l){var s=r||{};if($(s,"quoteStyle")&&!$(R,s.quoteStyle))throw new TypeError('option "quoteStyle" must be "single" or "double"');if($(s,"maxStringLength")&&("number"==typeof s.maxStringLength?s.maxStringLength<0&&s.maxStringLength!==1/0:null!==s.maxStringLength))throw new TypeError('option "maxStringLength", if provided, must be a positive integer, Infinity, or `null`');var m=!$(s,"customInspect")||s.customInspect;if("boolean"!=typeof m&&"symbol"!==m)throw new TypeError("option \"customInspect\", if provided, must be `true`, `false`, or `'symbol'`");if($(s,"indent")&&null!==s.indent&&"\t"!==s.indent&&!(parseInt(s.indent,10)===s.indent&&s.indent>0))throw new TypeError('option "indent" must be "\\t", an integer > 0, or `null`');if($(s,"numericSeparator")&&"boolean"!=typeof s.numericSeparator)throw new TypeError('option "numericSeparator", if provided, must be `true` or `false`');var b=s.numericSeparator;if(void 0===t)return"undefined";if(null===t)return"null";if("boolean"==typeof t)return t?"true":"false";if("string"==typeof t)return K(t,s);if("number"==typeof t){if(0===t)return 1/0/t>0?"0":"-0";var k=String(t);return b?I(t,k):k}if("bigint"==typeof t){var B=String(t)+"n";return b?I(t,B):B}var _=void 0===s.depth?5:s.depth;if(void 0===o&&(o=0),o>=_&&_>0&&"object"==typeof t)return F(t)?"[Array]":"[Object]";var O=function(e,t){var n;if("\t"===e.indent)n="\t";else{if(!("number"==typeof e.indent&&e.indent>0))return null;n=A.call(Array(e.indent+1)," ")}return{base:n,prev:A.call(Array(t+1),n)}}(s,o);if(void 0===l)l=[];else if(G(l,t)>=0)return"[Circular]";function H(t,n,r){if(n&&(l=C.call(l)).push(n),r){var i={depth:s.depth};return $(s,"quoteStyle")&&(i.quoteStyle=s.quoteStyle),e(t,i,o+1,l)}return e(t,s,o+1,l)}if("function"==typeof t&&!z(t)){var U=function(e){if(e.name)return e.name;var t=g.call(v.call(e),/^function\s*([\w$]+)/);if(t)return t[1];return null}(t),Y=te(t,H);return"[Function"+(U?": "+U:" (anonymous)")+"]"+(Y.length>0?" { "+A.call(Y,", ")+" }":"")}if(q(t)){var ne=N?y.call(String(t),/^(Symbol\(.*\))_[^)]*$/,"$1"):S.call(t);return"object"!=typeof t||N?ne:X(ne)}if(function(e){if(!e||"object"!=typeof e)return!1;if("undefined"!=typeof HTMLElement&&e instanceof HTMLElement)return!0;return"string"==typeof e.nodeName&&"function"==typeof e.getAttribute}(t)){for(var re="<"+x.call(String(t.nodeName)),oe=t.attributes||[],ie=0;ie<oe.length;ie++)re+=" "+oe[ie].name+"="+P(j(oe[ie].value),"double",s);return re+=">",t.childNodes&&t.childNodes.length&&(re+="..."),re+="</"+x.call(String(t.nodeName))+">"}if(F(t)){if(0===t.length)return"[]";var ae=te(t,H);return O&&!function(e){for(var t=0;t<e.length;t++)if(G(e[t],"\n")>=0)return!1;return!0}(ae)?"["+ee(ae,O)+"]":"[ "+A.call(ae,", ")+" ]"}if(function(e){return!("[object Error]"!==W(e)||V&&"object"==typeof e&&V in e)}(t)){var le=te(t,H);return"cause"in Error.prototype||!("cause"in t)||L.call(t,"cause")?0===le.length?"["+String(t)+"]":"{ ["+String(t)+"] "+A.call(le,", ")+" }":"{ ["+String(t)+"] "+A.call(E.call("[cause]: "+H(t.cause),le),", ")+" }"}if("object"==typeof t&&m){if(D&&"function"==typeof t[D]&&Z)return Z(t,{depth:_-o});if("symbol"!==m&&"function"==typeof t.inspect)return t.inspect()}if(function(e){if(!i||!e||"object"!=typeof e)return!1;try{i.call(e);try{c.call(e)}catch(e){return!0}return e instanceof Map}catch(e){}return!1}(t)){var se=[];return a&&a.call(t,(function(e,n){se.push(H(n,t,!0)+" => "+H(e,t))})),Q("Map",i.call(t),se,O)}if(function(e){if(!c||!e||"object"!=typeof e)return!1;try{c.call(e);try{i.call(e)}catch(e){return!0}return e instanceof Set}catch(e){}return!1}(t)){var ce=[];return u&&u.call(t,(function(e){ce.push(H(e,t))})),Q("Set",c.call(t),ce,O)}if(function(e){if(!d||!e||"object"!=typeof e)return!1;try{d.call(e,d);try{h.call(e,h)}catch(e){return!0}return e instanceof WeakMap}catch(e){}return!1}(t))return J("WeakMap");if(function(e){if(!h||!e||"object"!=typeof e)return!1;try{h.call(e,h);try{d.call(e,d)}catch(e){return!0}return e instanceof WeakSet}catch(e){}return!1}(t))return J("WeakSet");if(function(e){if(!p||!e||"object"!=typeof e)return!1;try{return p.call(e),!0}catch(e){}return!1}(t))return J("WeakRef");if(function(e){return!("[object Number]"!==W(e)||V&&"object"==typeof e&&V in e)}(t))return X(H(Number(t)));if(function(e){if(!e||"object"!=typeof e||!M)return!1;try{return M.call(e),!0}catch(e){}return!1}(t))return X(H(M.call(t)));if(function(e){return!("[object Boolean]"!==W(e)||V&&"object"==typeof e&&V in e)}(t))return X(f.call(t));if(function(e){return!("[object String]"!==W(e)||V&&"object"==typeof e&&V in e)}(t))return X(H(String(t)));if("undefined"!=typeof window&&t===window)return"{ [object Window] }";if("undefined"!=typeof globalThis&&t===globalThis||void 0!==n.g&&t===n.g)return"{ [object globalThis] }";if(!function(e){return!("[object Date]"!==W(e)||V&&"object"==typeof e&&V in e)}(t)&&!z(t)){var ue=te(t,H),de=T?T(t)===Object.prototype:t instanceof Object||t.constructor===Object,he=t instanceof Object?"":"null prototype",pe=!de&&V&&Object(t)===t&&V in t?w.call(W(t),8,-1):he?"Object":"",fe=(de||"function"!=typeof t.constructor?"":t.constructor.name?t.constructor.name+" ":"")+(pe||he?"["+A.call(E.call([],pe||[],he||[]),": ")+"] ":"");return 0===ue.length?fe+"{}":O?fe+"{"+ee(ue,O)+"}":fe+"{ "+A.call(ue,", ")+" }"}return String(t)};var U=Object.prototype.hasOwnProperty||function(e){return e in this};function $(e,t){return U.call(e,t)}function W(e){return m.call(e)}function G(e,t){if(e.indexOf)return e.indexOf(t);for(var n=0,r=e.length;n<r;n++)if(e[n]===t)return n;return-1}function K(e,t){if(e.length>t.maxStringLength){var n=e.length-t.maxStringLength,r="... "+n+" more character"+(n>1?"s":"");return K(w.call(e,0,t.maxStringLength),t)+r}var o=H[t.quoteStyle||"single"];return o.lastIndex=0,P(y.call(y.call(e,o,"\\$1"),/[\x00-\x1f]/g,Y),"single",t)}function Y(e){var t=e.charCodeAt(0),n={8:"b",9:"t",10:"n",12:"f",13:"r"}[t];return n?"\\"+n:"\\x"+(t<16?"0":"")+b.call(t.toString(16))}function X(e){return"Object("+e+")"}function J(e){return e+" { ? }"}function Q(e,t,n,r){return e+" ("+t+") {"+(r?ee(n,r):A.call(n,", "))+"}"}function ee(e,t){if(0===e.length)return"";var n="\n"+t.prev+t.base;return n+A.call(e,","+n)+"\n"+t.prev}function te(e,t){var n=F(e),r=[];if(n){r.length=e.length;for(var o=0;o<e.length;o++)r[o]=$(e,o)?t(e[o],e):""}var i,a="function"==typeof _?_(e):[];if(N){i={};for(var l=0;l<a.length;l++)i["$"+a[l]]=a[l]}for(var s in e)$(e,s)&&(n&&String(Number(s))===s&&s<e.length||N&&i["$"+s]instanceof Symbol||(k.call(/[^\w$]/,s)?r.push(t(s,e)+": "+t(e[s],e)):r.push(s+": "+t(e[s],e))));if("function"==typeof _)for(var c=0;c<a.length;c++)L.call(e,a[c])&&r.push("["+t(a[c])+"]: "+t(e[a[c]],e));return r}},65606:e=>{var t,n,r=e.exports={};function o(){throw new Error("setTimeout has not been defined")}function i(){throw new Error("clearTimeout has not been defined")}function a(e){if(t===setTimeout)return setTimeout(e,0);if((t===o||!t)&&setTimeout)return t=setTimeout,setTimeout(e,0);try{return t(e,0)}catch(n){try{return t.call(null,e,0)}catch(n){return t.call(this,e,0)}}}!function(){try{t="function"==typeof setTimeout?setTimeout:o}catch(e){t=o}try{n="function"==typeof clearTimeout?clearTimeout:i}catch(e){n=i}}();var l,s=[],c=!1,u=-1;function d(){c&&l&&(c=!1,l.length?s=l.concat(s):u=-1,s.length&&h())}function h(){if(!c){var e=a(d);c=!0;for(var t=s.length;t;){for(l=s,s=[];++u<t;)l&&l[u].run();u=-1,t=s.length}l=null,c=!1,function(e){if(n===clearTimeout)return clearTimeout(e);if((n===i||!n)&&clearTimeout)return n=clearTimeout,clearTimeout(e);try{return n(e)}catch(t){try{return n.call(null,e)}catch(t){return n.call(this,e)}}}(e)}}function p(e,t){this.fun=e,this.array=t}function f(){}r.nextTick=function(e){var t=new Array(arguments.length-1);if(arguments.length>1)for(var n=1;n<arguments.length;n++)t[n-1]=arguments[n];s.push(new p(e,t)),1!==s.length||c||a(h)},p.prototype.run=function(){this.fun.apply(null,this.array)},r.title="browser",r.browser=!0,r.env={},r.argv=[],r.version="",r.versions={},r.on=f,r.addListener=f,r.once=f,r.off=f,r.removeListener=f,r.removeAllListeners=f,r.emit=f,r.prependListener=f,r.prependOnceListener=f,r.listeners=function(e){return[]},r.binding=function(e){throw new Error("process.binding is not supported")},r.cwd=function(){return"/"},r.chdir=function(e){throw new Error("process.chdir is not supported")},r.umask=function(){return 0}},74765:e=>{"use strict";var t=String.prototype.replace,n=/%20/g,r="RFC1738",o="RFC3986";e.exports={default:o,formatters:{RFC1738:function(e){return t.call(e,n,"+")},RFC3986:function(e){return String(e)}},RFC1738:r,RFC3986:o}},55373:(e,t,n)=>{"use strict";var r=n(98636),o=n(62642),i=n(74765);e.exports={formats:i,parse:o,stringify:r}},62642:(e,t,n)=>{"use strict";var r=n(37720),o=Object.prototype.hasOwnProperty,i=Array.isArray,a={allowDots:!1,allowEmptyArrays:!1,allowPrototypes:!1,allowSparse:!1,arrayLimit:20,charset:"utf-8",charsetSentinel:!1,comma:!1,decodeDotInKeys:!1,decoder:r.decode,delimiter:"&",depth:5,duplicates:"combine",ignoreQueryPrefix:!1,interpretNumericEntities:!1,parameterLimit:1e3,parseArrays:!0,plainObjects:!1,strictDepth:!1,strictNullHandling:!1},l=function(e){return e.replace(/&#(\d+);/g,(function(e,t){return String.fromCharCode(parseInt(t,10))}))},s=function(e,t){return e&&"string"==typeof e&&t.comma&&e.indexOf(",")>-1?e.split(","):e},c=function(e,t,n,r){if(e){var i=n.allowDots?e.replace(/\.([^.[]+)/g,"[$1]"):e,a=/(\[[^[\]]*])/g,l=n.depth>0&&/(\[[^[\]]*])/.exec(i),c=l?i.slice(0,l.index):i,u=[];if(c){if(!n.plainObjects&&o.call(Object.prototype,c)&&!n.allowPrototypes)return;u.push(c)}for(var d=0;n.depth>0&&null!==(l=a.exec(i))&&d<n.depth;){if(d+=1,!n.plainObjects&&o.call(Object.prototype,l[1].slice(1,-1))&&!n.allowPrototypes)return;u.push(l[1])}if(l){if(!0===n.strictDepth)throw new RangeError("Input depth exceeded depth option of "+n.depth+" and strictDepth is true");u.push("["+i.slice(l.index)+"]")}return function(e,t,n,r){for(var o=r?t:s(t,n),i=e.length-1;i>=0;--i){var a,l=e[i];if("[]"===l&&n.parseArrays)a=n.allowEmptyArrays&&(""===o||n.strictNullHandling&&null===o)?[]:[].concat(o);else{a=n.plainObjects?{__proto__:null}:{};var c="["===l.charAt(0)&&"]"===l.charAt(l.length-1)?l.slice(1,-1):l,u=n.decodeDotInKeys?c.replace(/%2E/g,"."):c,d=parseInt(u,10);n.parseArrays||""!==u?!isNaN(d)&&l!==u&&String(d)===u&&d>=0&&n.parseArrays&&d<=n.arrayLimit?(a=[])[d]=o:"__proto__"!==u&&(a[u]=o):a={0:o}}o=a}return o}(u,t,n,r)}};e.exports=function(e,t){var n=function(e){if(!e)return a;if(void 0!==e.allowEmptyArrays&&"boolean"!=typeof e.allowEmptyArrays)throw new TypeError("`allowEmptyArrays` option can only be `true` or `false`, when provided");if(void 0!==e.decodeDotInKeys&&"boolean"!=typeof e.decodeDotInKeys)throw new TypeError("`decodeDotInKeys` option can only be `true` or `false`, when provided");if(null!==e.decoder&&void 0!==e.decoder&&"function"!=typeof e.decoder)throw new TypeError("Decoder has to be a function.");if(void 0!==e.charset&&"utf-8"!==e.charset&&"iso-8859-1"!==e.charset)throw new TypeError("The charset option must be either utf-8, iso-8859-1, or undefined");var t=void 0===e.charset?a.charset:e.charset,n=void 0===e.duplicates?a.duplicates:e.duplicates;if("combine"!==n&&"first"!==n&&"last"!==n)throw new TypeError("The duplicates option must be either combine, first, or last");return{allowDots:void 0===e.allowDots?!0===e.decodeDotInKeys||a.allowDots:!!e.allowDots,allowEmptyArrays:"boolean"==typeof e.allowEmptyArrays?!!e.allowEmptyArrays:a.allowEmptyArrays,allowPrototypes:"boolean"==typeof e.allowPrototypes?e.allowPrototypes:a.allowPrototypes,allowSparse:"boolean"==typeof e.allowSparse?e.allowSparse:a.allowSparse,arrayLimit:"number"==typeof e.arrayLimit?e.arrayLimit:a.arrayLimit,charset:t,charsetSentinel:"boolean"==typeof e.charsetSentinel?e.charsetSentinel:a.charsetSentinel,comma:"boolean"==typeof e.comma?e.comma:a.comma,decodeDotInKeys:"boolean"==typeof e.decodeDotInKeys?e.decodeDotInKeys:a.decodeDotInKeys,decoder:"function"==typeof e.decoder?e.decoder:a.decoder,delimiter:"string"==typeof e.delimiter||r.isRegExp(e.delimiter)?e.delimiter:a.delimiter,depth:"number"==typeof e.depth||!1===e.depth?+e.depth:a.depth,duplicates:n,ignoreQueryPrefix:!0===e.ignoreQueryPrefix,interpretNumericEntities:"boolean"==typeof e.interpretNumericEntities?e.interpretNumericEntities:a.interpretNumericEntities,parameterLimit:"number"==typeof e.parameterLimit?e.parameterLimit:a.parameterLimit,parseArrays:!1!==e.parseArrays,plainObjects:"boolean"==typeof e.plainObjects?e.plainObjects:a.plainObjects,strictDepth:"boolean"==typeof e.strictDepth?!!e.strictDepth:a.strictDepth,strictNullHandling:"boolean"==typeof e.strictNullHandling?e.strictNullHandling:a.strictNullHandling}}(t);if(""===e||null==e)return n.plainObjects?{__proto__:null}:{};for(var u="string"==typeof e?function(e,t){var n={__proto__:null},c=t.ignoreQueryPrefix?e.replace(/^\?/,""):e;c=c.replace(/%5B/gi,"[").replace(/%5D/gi,"]");var u,d=t.parameterLimit===1/0?void 0:t.parameterLimit,h=c.split(t.delimiter,d),p=-1,f=t.charset;if(t.charsetSentinel)for(u=0;u<h.length;++u)0===h[u].indexOf("utf8=")&&("utf8=%E2%9C%93"===h[u]?f="utf-8":"utf8=%26%2310003%3B"===h[u]&&(f="iso-8859-1"),p=u,u=h.length);for(u=0;u<h.length;++u)if(u!==p){var m,v,g=h[u],w=g.indexOf("]="),y=-1===w?g.indexOf("="):w+1;-1===y?(m=t.decoder(g,a.decoder,f,"key"),v=t.strictNullHandling?null:""):(m=t.decoder(g.slice(0,y),a.decoder,f,"key"),v=r.maybeMap(s(g.slice(y+1),t),(function(e){return t.decoder(e,a.decoder,f,"value")}))),v&&t.interpretNumericEntities&&"iso-8859-1"===f&&(v=l(String(v))),g.indexOf("[]=")>-1&&(v=i(v)?[v]:v);var b=o.call(n,m);b&&"combine"===t.duplicates?n[m]=r.combine(n[m],v):b&&"last"!==t.duplicates||(n[m]=v)}return n}(e,n):e,d=n.plainObjects?{__proto__:null}:{},h=Object.keys(u),p=0;p<h.length;++p){var f=h[p],m=c(f,u[f],n,"string"==typeof e);d=r.merge(d,m,n)}return!0===n.allowSparse?d:r.compact(d)}},98636:(e,t,n)=>{"use strict";var r=n(920),o=n(37720),i=n(74765),a=Object.prototype.hasOwnProperty,l={brackets:function(e){return e+"[]"},comma:"comma",indices:function(e,t){return e+"["+t+"]"},repeat:function(e){return e}},s=Array.isArray,c=Array.prototype.push,u=function(e,t){c.apply(e,s(t)?t:[t])},d=Date.prototype.toISOString,h=i.default,p={addQueryPrefix:!1,allowDots:!1,allowEmptyArrays:!1,arrayFormat:"indices",charset:"utf-8",charsetSentinel:!1,commaRoundTrip:!1,delimiter:"&",encode:!0,encodeDotInKeys:!1,encoder:o.encode,encodeValuesOnly:!1,filter:void 0,format:h,formatter:i.formatters[h],indices:!1,serializeDate:function(e){return d.call(e)},skipNulls:!1,strictNullHandling:!1},f={},m=function e(t,n,i,a,l,c,d,h,m,v,g,w,y,b,x,k,E,A){for(var C,B=t,M=A,_=0,S=!1;void 0!==(M=M.get(f))&&!S;){var N=M.get(t);if(_+=1,void 0!==N){if(N===_)throw new RangeError("Cyclic object value");S=!0}void 0===M.get(f)&&(_=0)}if("function"==typeof v?B=v(n,B):B instanceof Date?B=y(B):"comma"===i&&s(B)&&(B=o.maybeMap(B,(function(e){return e instanceof Date?y(e):e}))),null===B){if(c)return m&&!k?m(n,p.encoder,E,"key",b):n;B=""}if("string"==typeof(C=B)||"number"==typeof C||"boolean"==typeof C||"symbol"==typeof C||"bigint"==typeof C||o.isBuffer(B))return m?[x(k?n:m(n,p.encoder,E,"key",b))+"="+x(m(B,p.encoder,E,"value",b))]:[x(n)+"="+x(String(B))];var V,L=[];if(void 0===B)return L;if("comma"===i&&s(B))k&&m&&(B=o.maybeMap(B,m)),V=[{value:B.length>0?B.join(",")||null:void 0}];else if(s(v))V=v;else{var T=Object.keys(B);V=g?T.sort(g):T}var I=h?String(n).replace(/\./g,"%2E"):String(n),Z=a&&s(B)&&1===B.length?I+"[]":I;if(l&&s(B)&&0===B.length)return Z+"[]";for(var O=0;O<V.length;++O){var D=V[O],R="object"==typeof D&&D&&void 0!==D.value?D.value:B[D];if(!d||null!==R){var H=w&&h?String(D).replace(/\./g,"%2E"):String(D),P=s(B)?"function"==typeof i?i(Z,H):Z:Z+(w?"."+H:"["+H+"]");A.set(t,_);var j=r();j.set(f,A),u(L,e(R,P,i,a,l,c,d,h,"comma"===i&&k&&s(B)?null:m,v,g,w,y,b,x,k,E,j))}}return L};e.exports=function(e,t){var n,o=e,c=function(e){if(!e)return p;if(void 0!==e.allowEmptyArrays&&"boolean"!=typeof e.allowEmptyArrays)throw new TypeError("`allowEmptyArrays` option can only be `true` or `false`, when provided");if(void 0!==e.encodeDotInKeys&&"boolean"!=typeof e.encodeDotInKeys)throw new TypeError("`encodeDotInKeys` option can only be `true` or `false`, when provided");if(null!==e.encoder&&void 0!==e.encoder&&"function"!=typeof e.encoder)throw new TypeError("Encoder has to be a function.");var t=e.charset||p.charset;if(void 0!==e.charset&&"utf-8"!==e.charset&&"iso-8859-1"!==e.charset)throw new TypeError("The charset option must be either utf-8, iso-8859-1, or undefined");var n=i.default;if(void 0!==e.format){if(!a.call(i.formatters,e.format))throw new TypeError("Unknown format option provided.");n=e.format}var r,o=i.formatters[n],c=p.filter;if(("function"==typeof e.filter||s(e.filter))&&(c=e.filter),r=e.arrayFormat in l?e.arrayFormat:"indices"in e?e.indices?"indices":"repeat":p.arrayFormat,"commaRoundTrip"in e&&"boolean"!=typeof e.commaRoundTrip)throw new TypeError("`commaRoundTrip` must be a boolean, or absent");var u=void 0===e.allowDots?!0===e.encodeDotInKeys||p.allowDots:!!e.allowDots;return{addQueryPrefix:"boolean"==typeof e.addQueryPrefix?e.addQueryPrefix:p.addQueryPrefix,allowDots:u,allowEmptyArrays:"boolean"==typeof e.allowEmptyArrays?!!e.allowEmptyArrays:p.allowEmptyArrays,arrayFormat:r,charset:t,charsetSentinel:"boolean"==typeof e.charsetSentinel?e.charsetSentinel:p.charsetSentinel,commaRoundTrip:!!e.commaRoundTrip,delimiter:void 0===e.delimiter?p.delimiter:e.delimiter,encode:"boolean"==typeof e.encode?e.encode:p.encode,encodeDotInKeys:"boolean"==typeof e.encodeDotInKeys?e.encodeDotInKeys:p.encodeDotInKeys,encoder:"function"==typeof e.encoder?e.encoder:p.encoder,encodeValuesOnly:"boolean"==typeof e.encodeValuesOnly?e.encodeValuesOnly:p.encodeValuesOnly,filter:c,format:n,formatter:o,serializeDate:"function"==typeof e.serializeDate?e.serializeDate:p.serializeDate,skipNulls:"boolean"==typeof e.skipNulls?e.skipNulls:p.skipNulls,sort:"function"==typeof e.sort?e.sort:null,strictNullHandling:"boolean"==typeof e.strictNullHandling?e.strictNullHandling:p.strictNullHandling}}(t);"function"==typeof c.filter?o=(0,c.filter)("",o):s(c.filter)&&(n=c.filter);var d=[];if("object"!=typeof o||null===o)return"";var h=l[c.arrayFormat],f="comma"===h&&c.commaRoundTrip;n||(n=Object.keys(o)),c.sort&&n.sort(c.sort);for(var v=r(),g=0;g<n.length;++g){var w=n[g],y=o[w];c.skipNulls&&null===y||u(d,m(y,w,h,f,c.allowEmptyArrays,c.strictNullHandling,c.skipNulls,c.encodeDotInKeys,c.encode?c.encoder:null,c.filter,c.sort,c.allowDots,c.serializeDate,c.format,c.formatter,c.encodeValuesOnly,c.charset,v))}var b=d.join(c.delimiter),x=!0===c.addQueryPrefix?"?":"";return c.charsetSentinel&&("iso-8859-1"===c.charset?x+="utf8=%26%2310003%3B&":x+="utf8=%E2%9C%93&"),b.length>0?x+b:""}},37720:(e,t,n)=>{"use strict";var r=n(74765),o=Object.prototype.hasOwnProperty,i=Array.isArray,a=function(){for(var e=[],t=0;t<256;++t)e.push("%"+((t<16?"0":"")+t.toString(16)).toUpperCase());return e}(),l=function(e,t){for(var n=t&&t.plainObjects?{__proto__:null}:{},r=0;r<e.length;++r)void 0!==e[r]&&(n[r]=e[r]);return n},s=1024;e.exports={arrayToObject:l,assign:function(e,t){return Object.keys(t).reduce((function(e,n){return e[n]=t[n],e}),e)},combine:function(e,t){return[].concat(e,t)},compact:function(e){for(var t=[{obj:{o:e},prop:"o"}],n=[],r=0;r<t.length;++r)for(var o=t[r],a=o.obj[o.prop],l=Object.keys(a),s=0;s<l.length;++s){var c=l[s],u=a[c];"object"==typeof u&&null!==u&&-1===n.indexOf(u)&&(t.push({obj:a,prop:c}),n.push(u))}return function(e){for(;e.length>1;){var t=e.pop(),n=t.obj[t.prop];if(i(n)){for(var r=[],o=0;o<n.length;++o)void 0!==n[o]&&r.push(n[o]);t.obj[t.prop]=r}}}(t),e},decode:function(e,t,n){var r=e.replace(/\+/g," ");if("iso-8859-1"===n)return r.replace(/%[0-9a-f]{2}/gi,unescape);try{return decodeURIComponent(r)}catch(e){return r}},encode:function(e,t,n,o,i){if(0===e.length)return e;var l=e;if("symbol"==typeof e?l=Symbol.prototype.toString.call(e):"string"!=typeof e&&(l=String(e)),"iso-8859-1"===n)return escape(l).replace(/%u[0-9a-f]{4}/gi,(function(e){return"%26%23"+parseInt(e.slice(2),16)+"%3B"}));for(var c="",u=0;u<l.length;u+=s){for(var d=l.length>=s?l.slice(u,u+s):l,h=[],p=0;p<d.length;++p){var f=d.charCodeAt(p);45===f||46===f||95===f||126===f||f>=48&&f<=57||f>=65&&f<=90||f>=97&&f<=122||i===r.RFC1738&&(40===f||41===f)?h[h.length]=d.charAt(p):f<128?h[h.length]=a[f]:f<2048?h[h.length]=a[192|f>>6]+a[128|63&f]:f<55296||f>=57344?h[h.length]=a[224|f>>12]+a[128|f>>6&63]+a[128|63&f]:(p+=1,f=65536+((1023&f)<<10|1023&d.charCodeAt(p)),h[h.length]=a[240|f>>18]+a[128|f>>12&63]+a[128|f>>6&63]+a[128|63&f])}c+=h.join("")}return c},isBuffer:function(e){return!(!e||"object"!=typeof e)&&!!(e.constructor&&e.constructor.isBuffer&&e.constructor.isBuffer(e))},isRegExp:function(e){return"[object RegExp]"===Object.prototype.toString.call(e)},maybeMap:function(e,t){if(i(e)){for(var n=[],r=0;r<e.length;r+=1)n.push(t(e[r]));return n}return t(e)},merge:function e(t,n,r){if(!n)return t;if("object"!=typeof n&&"function"!=typeof n){if(i(t))t.push(n);else{if(!t||"object"!=typeof t)return[t,n];(r&&(r.plainObjects||r.allowPrototypes)||!o.call(Object.prototype,n))&&(t[n]=!0)}return t}if(!t||"object"!=typeof t)return[t].concat(n);var a=t;return i(t)&&!i(n)&&(a=l(t,r)),i(t)&&i(n)?(n.forEach((function(n,i){if(o.call(t,i)){var a=t[i];a&&"object"==typeof a&&n&&"object"==typeof n?t[i]=e(a,n,r):t.push(n)}else t[i]=n})),t):Object.keys(n).reduce((function(t,i){var a=n[i];return o.call(t,i)?t[i]=e(t[i],a,r):t[i]=a,t}),a)}}},96897:(e,t,n)=>{"use strict";var r=n(70453),o=n(30041),i=n(30592)(),a=n(75795),l=n(69675),s=r("%Math.floor%");e.exports=function(e,t){if("function"!=typeof e)throw new l("`fn` is not a function");if("number"!=typeof t||t<0||t>4294967295||s(t)!==t)throw new l("`length` must be a positive 32-bit integer");var n=arguments.length>2&&!!arguments[2],r=!0,c=!0;if("length"in e&&a){var u=a(e,"length");u&&!u.configurable&&(r=!1),u&&!u.writable&&(c=!1)}return(r||c||!n)&&(i?o(e,"length",t,!0,!0):o(e,"length",t)),e}},65824:(e,t,n)=>{"use strict";e.exports=n(43276)},61897:(e,t,n)=>{"use strict";var r,o,i,a=n(81452),l="0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ_-";function s(){i=!1}function c(e){if(e){if(e!==r){if(64!==e.length)throw new Error("Custom alphabet for shortid must be 64 unique characters. You submitted "+e.length+" characters: "+e);var t=e.split("").filter((function(e,t,n){return t!==n.lastIndexOf(e)}));if(t.length)throw new Error("Custom alphabet for shortid must be 64 unique characters. These characters were not unique: "+t.join(", "));r=e,s()}}else r!==l&&(r=l,s())}function u(){return i||(i=function(){r||c(l);for(var e,t=r.split(""),n=[],o=a.nextValue();t.length>0;)o=a.nextValue(),e=Math.floor(o*t.length),n.push(t.splice(e,1)[0]);return n.join("")}())}e.exports={get:function(){return r||l},characters:function(e){return c(e),r},seed:function(e){a.seed(e),o!==e&&(s(),o=e)},lookup:function(e){return u()[e]},shuffled:u}},66852:(e,t,n)=>{"use strict";var r,o,i=n(85697);n(61897);e.exports=function(e){var t="",n=Math.floor(.001*(Date.now()-1567752802062));return n===o?r++:(r=0,o=n),t+=i(7),t+=i(e),r>0&&(t+=i(r)),t+=i(n)}},85697:(e,t,n)=>{"use strict";var r=n(61897),o=n(82659),i=n(98886);e.exports=function(e){for(var t,n=0,a="";!t;)a+=i(o,r.get(),1),t=e<Math.pow(16,n+1),n++;return a}},43276:(e,t,n)=>{"use strict";var r=n(61897),o=n(66852),i=n(48905),a=n(24263)||0;function l(){return o(a)}e.exports=l,e.exports.generate=l,e.exports.seed=function(t){return r.seed(t),e.exports},e.exports.worker=function(t){return a=t,e.exports},e.exports.characters=function(e){return void 0!==e&&r.characters(e),r.shuffled()},e.exports.isValid=i},48905:(e,t,n)=>{"use strict";var r=n(61897);e.exports=function(e){return!(!e||"string"!=typeof e||e.length<6)&&!new RegExp("[^"+r.get().replace(/[|\\{}()[\]^$+*?.-]/g,"\\$&")+"]").test(e)}},82659:e=>{"use strict";var t,n="object"==typeof window&&(window.crypto||window.msCrypto);t=n&&n.getRandomValues?function(e){return n.getRandomValues(new Uint8Array(e))}:function(e){for(var t=[],n=0;n<e;n++)t.push(Math.floor(256*Math.random()));return t},e.exports=t},81452:e=>{"use strict";var t=1;e.exports={nextValue:function(){return(t=(9301*t+49297)%233280)/233280},seed:function(e){t=e}}},24263:e=>{"use strict";e.exports=0},98886:e=>{e.exports=function(e,t,n){for(var r=(2<<Math.log(t.length-1)/Math.LN2)-1,o=-~(1.6*r*n/t.length),i="";;)for(var a=e(o),l=o;l--;)if((i+=t[a[l]&r]||"").length===+n)return i}},920:(e,t,n)=>{"use strict";var r=n(70453),o=n(38075),i=n(58859),a=n(69675),l=r("%WeakMap%",!0),s=r("%Map%",!0),c=o("WeakMap.prototype.get",!0),u=o("WeakMap.prototype.set",!0),d=o("WeakMap.prototype.has",!0),h=o("Map.prototype.get",!0),p=o("Map.prototype.set",!0),f=o("Map.prototype.has",!0),m=function(e,t){for(var n,r=e;null!==(n=r.next);r=n)if(n.key===t)return r.next=n.next,n.next=e.next,e.next=n,n};e.exports=function(){var e,t,n,r={assert:function(e){if(!r.has(e))throw new a("Side channel does not contain "+i(e))},get:function(r){if(l&&r&&("object"==typeof r||"function"==typeof r)){if(e)return c(e,r)}else if(s){if(t)return h(t,r)}else if(n)return function(e,t){var n=m(e,t);return n&&n.value}(n,r)},has:function(r){if(l&&r&&("object"==typeof r||"function"==typeof r)){if(e)return d(e,r)}else if(s){if(t)return f(t,r)}else if(n)return function(e,t){return!!m(e,t)}(n,r);return!1},set:function(r,o){l&&r&&("object"==typeof r||"function"==typeof r)?(e||(e=new l),u(e,r,o)):s?(t||(t=new s),p(t,r,o)):(n||(n={key:{},next:null}),function(e,t,n){var r=m(e,t);r?r.value=n:e.next={key:t,next:e.next,value:n}}(n,r,o))}};return r}},55809:(e,t,n)=>{"use strict";var r=n(85072),o=n.n(r),i=n(63700),a={insert:"head",singleton:!1};o()(i.A,a),i.A.locals},27554:(e,t,n)=>{"use strict";var r=n(85072),o=n.n(r),i=n(83467),a={insert:"head",singleton:!1};o()(i.A,a),i.A.locals},76486:(e,t,n)=>{"use strict";var r=n(85072),o=n.n(r),i=n(53743),a={insert:"head",singleton:!1};o()(i.A,a),i.A.locals},18028:(e,t,n)=>{"use strict";var r=n(85072),o=n.n(r),i=n(80859),a={insert:"head",singleton:!1};o()(i.A,a),i.A.locals},85072:(e,t,n)=>{"use strict";var r,o=function(){return void 0===r&&(r=Boolean(window&&document&&document.all&&!window.atob)),r},i=function(){var e={};return function(t){if(void 0===e[t]){var n=document.querySelector(t);if(window.HTMLIFrameElement&&n instanceof window.HTMLIFrameElement)try{n=n.contentDocument.head}catch(e){n=null}e[t]=n}return e[t]}}(),a=[];function l(e){for(var t=-1,n=0;n<a.length;n++)if(a[n].identifier===e){t=n;break}return t}function s(e,t){for(var n={},r=[],o=0;o<e.length;o++){var i=e[o],s=t.base?i[0]+t.base:i[0],c=n[s]||0,u="".concat(s," ").concat(c);n[s]=c+1;var d=l(u),h={css:i[1],media:i[2],sourceMap:i[3]};-1!==d?(a[d].references++,a[d].updater(h)):a.push({identifier:u,updater:v(h,t),references:1}),r.push(u)}return r}function c(e){var t=document.createElement("style"),r=e.attributes||{};if(void 0===r.nonce){var o=n.nc;o&&(r.nonce=o)}if(Object.keys(r).forEach((function(e){t.setAttribute(e,r[e])})),"function"==typeof e.insert)e.insert(t);else{var a=i(e.insert||"head");if(!a)throw new Error("Couldn't find a style target. This probably means that the value for the 'insert' parameter is invalid.");a.appendChild(t)}return t}var u,d=(u=[],function(e,t){return u[e]=t,u.filter(Boolean).join("\n")});function h(e,t,n,r){var o=n?"":r.media?"@media ".concat(r.media," {").concat(r.css,"}"):r.css;if(e.styleSheet)e.styleSheet.cssText=d(t,o);else{var i=document.createTextNode(o),a=e.childNodes;a[t]&&e.removeChild(a[t]),a.length?e.insertBefore(i,a[t]):e.appendChild(i)}}function p(e,t,n){var r=n.css,o=n.media,i=n.sourceMap;if(o?e.setAttribute("media",o):e.removeAttribute("media"),i&&"undefined"!=typeof btoa&&(r+="\n/*# sourceMappingURL=data:application/json;base64,".concat(btoa(unescape(encodeURIComponent(JSON.stringify(i))))," */")),e.styleSheet)e.styleSheet.cssText=r;else{for(;e.firstChild;)e.removeChild(e.firstChild);e.appendChild(document.createTextNode(r))}}var f=null,m=0;function v(e,t){var n,r,o;if(t.singleton){var i=m++;n=f||(f=c(t)),r=h.bind(null,n,i,!1),o=h.bind(null,n,i,!0)}else n=c(t),r=p.bind(null,n,t),o=function(){!function(e){if(null===e.parentNode)return!1;e.parentNode.removeChild(e)}(n)};return r(e),function(t){if(t){if(t.css===e.css&&t.media===e.media&&t.sourceMap===e.sourceMap)return;r(e=t)}else o()}}e.exports=function(e,t){(t=t||{}).singleton||"boolean"==typeof t.singleton||(t.singleton=o());var n=s(e=e||[],t);return function(e){if(e=e||[],"[object Array]"===Object.prototype.toString.call(e)){for(var r=0;r<n.length;r++){var o=l(n[r]);a[o].references--}for(var i=s(e,t),c=0;c<n.length;c++){var u=l(n[c]);0===a[u].references&&(a[u].updater(),a.splice(u,1))}n=i}}}},50098:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),function(e,t){for(var n in t)Object.defineProperty(e,n,{enumerable:!0,get:t[n]})}(t,{parseColor:function(){return p},formatColor:function(){return f}});const r=o(n(36568));function o(e){return e&&e.__esModule?e:{default:e}}let i=/^#([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})?$/i,a=/^#([a-f\d])([a-f\d])([a-f\d])([a-f\d])?$/i,l=/(?:\d+|\d*\.\d+)%?/,s=/(?:\s*,\s*|\s+)/,c=/\s*[,/]\s*/,u=/var\(--(?:[^ )]*?)(?:,(?:[^ )]*?|var\(--[^ )]*?\)))?\)/,d=new RegExp(`^(rgba?)\\(\\s*(${l.source}|${u.source})(?:${s.source}(${l.source}|${u.source}))?(?:${s.source}(${l.source}|${u.source}))?(?:${c.source}(${l.source}|${u.source}))?\\s*\\)$`),h=new RegExp(`^(hsla?)\\(\\s*((?:${l.source})(?:deg|rad|grad|turn)?|${u.source})(?:${s.source}(${l.source}|${u.source}))?(?:${s.source}(${l.source}|${u.source}))?(?:${c.source}(${l.source}|${u.source}))?\\s*\\)$`);function p(e,{loose:t=!1}={}){var n,o;if("string"!=typeof e)return null;if("transparent"===(e=e.trim()))return{mode:"rgb",color:["0","0","0"],alpha:"0"};if(e in r.default)return{mode:"rgb",color:r.default[e].map((e=>e.toString()))};let l=e.replace(a,((e,t,n,r,o)=>["#",t,t,n,n,r,r,o?o+o:""].join(""))).match(i);if(null!==l)return{mode:"rgb",color:[parseInt(l[1],16),parseInt(l[2],16),parseInt(l[3],16)].map((e=>e.toString())),alpha:l[4]?(parseInt(l[4],16)/255).toString():void 0};var s;let c=null!==(s=e.match(d))&&void 0!==s?s:e.match(h);if(null===c)return null;let u=[c[2],c[3],c[4]].filter(Boolean).map((e=>e.toString()));return 2===u.length&&u[0].startsWith("var(")?{mode:c[1],color:[u[0]],alpha:u[1]}:t||3===u.length?u.length<3&&!u.some((e=>/^var\(.*?\)$/.test(e)))?null:{mode:c[1],color:u,alpha:null===(n=c[5])||void 0===n||null===(o=n.toString)||void 0===o?void 0:o.call(n)}:null}function f({mode:e,color:t,alpha:n}){let r=void 0!==n;return"rgba"===e||"hsla"===e?`${e}(${t.join(", ")}${r?`, ${n}`:""})`:`${e}(${t.join(" ")}${r?` / ${n}`:""})`}},36568:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return n}});const n={aliceblue:[240,248,255],antiquewhite:[250,235,215],aqua:[0,255,255],aquamarine:[127,255,212],azure:[240,255,255],beige:[245,245,220],bisque:[255,228,196],black:[0,0,0],blanchedalmond:[255,235,205],blue:[0,0,255],blueviolet:[138,43,226],brown:[165,42,42],burlywood:[222,184,135],cadetblue:[95,158,160],chartreuse:[127,255,0],chocolate:[210,105,30],coral:[255,127,80],cornflowerblue:[100,149,237],cornsilk:[255,248,220],crimson:[220,20,60],cyan:[0,255,255],darkblue:[0,0,139],darkcyan:[0,139,139],darkgoldenrod:[184,134,11],darkgray:[169,169,169],darkgreen:[0,100,0],darkgrey:[169,169,169],darkkhaki:[189,183,107],darkmagenta:[139,0,139],darkolivegreen:[85,107,47],darkorange:[255,140,0],darkorchid:[153,50,204],darkred:[139,0,0],darksalmon:[233,150,122],darkseagreen:[143,188,143],darkslateblue:[72,61,139],darkslategray:[47,79,79],darkslategrey:[47,79,79],darkturquoise:[0,206,209],darkviolet:[148,0,211],deeppink:[255,20,147],deepskyblue:[0,191,255],dimgray:[105,105,105],dimgrey:[105,105,105],dodgerblue:[30,144,255],firebrick:[178,34,34],floralwhite:[255,250,240],forestgreen:[34,139,34],fuchsia:[255,0,255],gainsboro:[220,220,220],ghostwhite:[248,248,255],gold:[255,215,0],goldenrod:[218,165,32],gray:[128,128,128],green:[0,128,0],greenyellow:[173,255,47],grey:[128,128,128],honeydew:[240,255,240],hotpink:[255,105,180],indianred:[205,92,92],indigo:[75,0,130],ivory:[255,255,240],khaki:[240,230,140],lavender:[230,230,250],lavenderblush:[255,240,245],lawngreen:[124,252,0],lemonchiffon:[255,250,205],lightblue:[173,216,230],lightcoral:[240,128,128],lightcyan:[224,255,255],lightgoldenrodyellow:[250,250,210],lightgray:[211,211,211],lightgreen:[144,238,144],lightgrey:[211,211,211],lightpink:[255,182,193],lightsalmon:[255,160,122],lightseagreen:[32,178,170],lightskyblue:[135,206,250],lightslategray:[119,136,153],lightslategrey:[119,136,153],lightsteelblue:[176,196,222],lightyellow:[255,255,224],lime:[0,255,0],limegreen:[50,205,50],linen:[250,240,230],magenta:[255,0,255],maroon:[128,0,0],mediumaquamarine:[102,205,170],mediumblue:[0,0,205],mediumorchid:[186,85,211],mediumpurple:[147,112,219],mediumseagreen:[60,179,113],mediumslateblue:[123,104,238],mediumspringgreen:[0,250,154],mediumturquoise:[72,209,204],mediumvioletred:[199,21,133],midnightblue:[25,25,112],mintcream:[245,255,250],mistyrose:[255,228,225],moccasin:[255,228,181],navajowhite:[255,222,173],navy:[0,0,128],oldlace:[253,245,230],olive:[128,128,0],olivedrab:[107,142,35],orange:[255,165,0],orangered:[255,69,0],orchid:[218,112,214],palegoldenrod:[238,232,170],palegreen:[152,251,152],paleturquoise:[175,238,238],palevioletred:[219,112,147],papayawhip:[255,239,213],peachpuff:[255,218,185],peru:[205,133,63],pink:[255,192,203],plum:[221,160,221],powderblue:[176,224,230],purple:[128,0,128],rebeccapurple:[102,51,153],red:[255,0,0],rosybrown:[188,143,143],royalblue:[65,105,225],saddlebrown:[139,69,19],salmon:[250,128,114],sandybrown:[244,164,96],seagreen:[46,139,87],seashell:[255,245,238],sienna:[160,82,45],silver:[192,192,192],skyblue:[135,206,235],slateblue:[106,90,205],slategray:[112,128,144],slategrey:[112,128,144],snow:[255,250,250],springgreen:[0,255,127],steelblue:[70,130,180],tan:[210,180,140],teal:[0,128,128],thistle:[216,191,216],tomato:[255,99,71],turquoise:[64,224,208],violet:[238,130,238],wheat:[245,222,179],white:[255,255,255],whitesmoke:[245,245,245],yellow:[255,255,0],yellowgreen:[154,205,50]}},51504:e=>{function t(){}t.prototype={on:function(e,t,n){var r=this.e||(this.e={});return(r[e]||(r[e]=[])).push({fn:t,ctx:n}),this},once:function(e,t,n){var r=this;function o(){r.off(e,o),t.apply(n,arguments)}return o._=t,this.on(e,o,n)},emit:function(e){for(var t=[].slice.call(arguments,1),n=((this.e||(this.e={}))[e]||[]).slice(),r=0,o=n.length;r<o;r++)n[r].fn.apply(n[r].ctx,t);return this},off:function(e,t){var n=this.e||(this.e={}),r=n[e],o=[];if(r&&t)for(var i=0,a=r.length;i<a;i++)r[i].fn!==t&&r[i].fn._!==t&&o.push(r[i]);return o.length?n[e]=o:delete n[e],this}},e.exports=t,e.exports.TinyEmitter=t},52647:(e,t,n)=>{"use strict";n.d(t,{A:()=>x});var r=n(47168),o=n.n(r),i=n(17554),a=n.n(i);let l=300;const s=e=>{a()({targets:e,translateY:"-35px",opacity:1,duration:l,easing:"easeOutCubic"})},c=(e,t)=>{a()({targets:e,opacity:0,marginTop:"-40px",duration:l,easing:"easeOutExpo",complete:t})},u=e=>{a()({targets:e,left:0,opacity:1,duration:l,easing:"easeOutExpo"})},d=(e,t,n)=>{a()({targets:e,duration:10,easing:"easeOutQuad",left:t,opacity:n})},h=(e,t)=>{a()({targets:e,opacity:0,duration:l,easing:"easeOutExpo",complete:t})},p=e=>{let t=a().timeline();e.forEach((e=>{t.add({targets:e.el,opacity:0,right:"-40px",duration:300,offset:"-=150",easing:"easeOutExpo",complete:()=>{e.destroy()}})}))},f=n(65824),m=function(e){this.options={},this.id=f.generate(),this.toast=null;let t=!1;(()=>{e.toasts.push(this)})(),this.create=(e,o)=>{if(!e||t)return;o=i(o);let c=r();return this.toast=document.createElement("div"),this.toast.classList.add("toasted"),o.className&&o.className.forEach((e=>{this.toast.classList.add(e)})),n(e),a(),l(),m(),c.appendChild(this.toast),s(this.toast),v(),this.el=this.toast,t=!0,this};let n=e=>{e&&(("object"==typeof HTMLElement?e instanceof HTMLElement:e&&"object"==typeof e&&null!==e&&1===e.nodeType&&"string"==typeof e.nodeName)?this.toast.appendChild(e):this.toast.innerHTML=e)},r=()=>{let t=document.getElementById(e.id);return null===t&&(t=document.createElement("div"),t.id=e.id,document.body.appendChild(t)),t.className!==this.options.containerClass.join(" ")&&(t.className="",this.options.containerClass.forEach((e=>{t.classList.add(e)}))),t},i=e=>(e.position=e.position||"top-right",e.duration=e.duration||null,e.action=e.action||null,e.fullWidth=e.fullWidth||!1,e.fitToScreen=e.fitToScreen||null,e.className=e.className||null,e.containerClass=e.containerClass||null,e.icon=e.icon||null,e.type=e.type||"default",e.theme=e.theme||"material",e.color=e.color||null,e.iconColor=e.iconColor||null,e.onComplete=e.onComplete||null,e.className&&"string"==typeof e.className&&(e.className=e.className.split(" ")),e.className||(e.className=[]),e.theme&&e.className.push(e.theme.trim()),e.type&&e.className.push(e.type),e.containerClass&&"string"==typeof e.containerClass&&(e.containerClass=e.containerClass.split(" ")),e.containerClass||(e.containerClass=[]),e.position&&e.containerClass.push(e.position.trim()),e.fullWidth&&e.containerClass.push("full-width"),e.fitToScreen&&e.containerClass.push("fit-to-screen"),e.containerClass.unshift("toasted-container"),g.run("options",(t=>t(e,this.options))),this.options=e,e),a=()=>{let e=this.toast,t=new(o())(e,{prevent_default:!1});t.on("pan",(function(t){let n=t.deltaX;e.classList.contains("panning")||e.classList.add("panning");let r=1-Math.abs(n/80);r<0&&(r=0),d(e,n,r)})),t.on("panend",(t=>{let n=t.deltaX;Math.abs(n)>80?h(e,(()=>{"function"==typeof this.options.onComplete&&this.options.onComplete(),this.destroy()})):(e.classList.remove("panning"),u(e))}))},l=()=>{let e=this.options;if(e.icon){let t=document.createElement("i");t.classList.add("material-icons"),t.style.color=e.icon.color?e.icon.color:e.color,e.icon.after&&e.icon.name?(t.textContent=e.icon.name,t.classList.add("after"),this.toast.appendChild(t)):e.icon.name?(t.textContent=e.icon.name,this.toast.insertBefore(t,this.toast.firstChild)):(t.textContent=e.icon,this.toast.insertBefore(t,this.toast.firstChild))}},p=t=>{if(!t)return null;let n=document.createElement("a");if(n.style.color=t.color?t.color:this.options.color,n.classList.add("action"),t.text&&(n.text=t.text),t.href&&(n.href=t.href),t.icon){n.classList.add("icon");let e=document.createElement("i");e.classList.add("material-icons"),e.textContent=t.icon,n.appendChild(e)}if(t.class)switch(typeof t.class){case"string":t.class.split(" ").forEach((e=>{n.classList.add(e)}));break;case"array":t.class.forEach((e=>{n.classList.add(e)}))}return t.onClick&&"function"==typeof t.onClick&&n.addEventListener("click",(e=>{t.onClick&&(e.preventDefault(),t.onClick(e,this))})),g.run("actions",(r=>r(n,t,this,e))),n},m=()=>{let e=this.options,t=!1,n=document.createElement("span");if(n.classList.add("actions-wrapper"),Array.isArray(e.action))e.action.forEach((e=>{let r=p(e);r&&(n.appendChild(r),t=!0)}));else if("object"==typeof e.action){let r=p(e.action);r&&(n.appendChild(r),t=!0)}t&&this.toast.appendChild(n)},v=()=>{let e,t=this.options.duration;null!==t&&(e=setInterval((()=>{null===this.toast.parentNode&&window.clearInterval(e),this.toast.classList.contains("panning")||(t-=20),t<=0&&(c(this.toast,(()=>{"function"==typeof this.options.onComplete&&this.options.onComplete(),this.destroy()})),window.clearInterval(e))}),20))};return this.text=e=>(n(e),this),this.delete=(e=300)=>(setTimeout((()=>{c(this.toast,(()=>{this.destroy()}))}),e),!0),this.destroy=()=>{e.toasts=e.toasts.filter((e=>e.id!==this.id)),this.toast.parentNode&&this.toast.parentNode.removeChild(this.toast)},this.goAway=e=>this.delete(e),this.el=this.toast,this},v=n(65824);n(9491).polyfill();const g={hook:{options:[],actions:[]},run:function(e,t){Array.isArray(this.hook[e])?this.hook[e].forEach((e=>{(e||"function"==typeof e)&&t&&t(e)})):console.warn("[toasted] : hook not found")},utils:{warn:e=>{console.warn(`[toasted] : ${e}`)}}},w=function(e){e||(e={}),this.id=v.generate(),this.options=e,this.global={},this.groups=[],this.toasts=[],this.group=e=>{e||(e={}),e.globalToasts||(e.globalToasts={}),Object.assign(e.globalToasts,this.global);let t=new w(e);return this.groups.push(t),t};let t=(e,t)=>{let n=Object.assign({},this.options);return Object.assign(n,t),new m(this).create(e,n)},n=()=>{let e=this.options.globalToasts,n=(e,n)=>"string"==typeof n&&this[n]?this[n].apply(this,[e,{}]):t(e,n);e&&(this.global={},Object.keys(e).forEach((t=>{this.global[t]=(r={})=>e[t].apply(null,[r,n])})))};return this.register=(e,t,r)=>{r=r||{},!this.options.globalToasts&&(this.options.globalToasts={}),this.options.globalToasts[e]=function(e,n){return"function"==typeof t&&(t=t(e)),n(t,r)},n()},this.show=(e,n)=>t(e,n),this.success=(e,n)=>((n=n||{}).type="success",t(e,n)),this.info=(e,n)=>((n=n||{}).type="info",t(e,n)),this.error=(e,n)=>((n=n||{}).type="error",t(e,n)),this.clear=()=>{let e=this.toasts,t=e.slice(-1)[0];t&&t.options.position.includes("top")&&(e=e.reverse()),p(e),this.toasts=[]},n(),this};var y,b;e=n.hmd(e),w.extend=g.hook,w.utils=g.utils,y=window,b=function(){return w},"function"==typeof define&&n.amdO?define([],(function(){return y.Toasted=b()})):e.exports?e.exports=y.Toasted=b():y.Toasted=b();const x=w},8507:(e,t,n)=>{"use strict";const r="[data-trix-attachment]",o={preview:{presentation:"gallery",caption:{name:!0,size:!0}},file:{caption:{size:!0}}},i={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(e){return a(e.parentNode)===i[this.listAttribute].tagName}},numberList:{tagName:"ol",parse:!1},number:{tagName:"li",listAttribute:"numberList",group:!1,nestable:!0,test(e){return a(e.parentNode)===i[this.listAttribute].tagName}},attachmentGallery:{tagName:"div",exclusive:!0,terminal:!0,parse:!1,group:!1}},a=e=>{var t;return null==e||null===(t=e.tagName)||void 0===t?void 0:t.toLowerCase()},l=navigator.userAgent.match(/android\s([0-9]+.*Chrome)/i),s=l&&parseInt(l[1]);var c={composesExistingText:/Android.*Chrome/.test(navigator.userAgent),recentAndroid:s&&s>12,samsungAndroid:s&&navigator.userAgent.match(/Android.*SM-/),forcesObjectResizing:/Trident.*rv:11/.test(navigator.userAgent),supportsInputEvents:"undefined"!=typeof InputEvent&&["data","getTargetRanges","inputType"].every((e=>e in InputEvent.prototype))},u={attachFiles:"Attach Files",bold:"Bold",bullets:"Bullets",byte:"Byte",bytes:"Bytes",captionPlaceholder:"Add a caption…",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…",GB:"GB",KB:"KB",MB:"MB",PB:"PB",TB:"TB"};const d=[u.bytes,u.KB,u.MB,u.GB,u.TB,u.PB];var h={prefix:"IEC",precision:2,formatter(e){switch(e){case 0:return"0 ".concat(u.bytes);case 1:return"1 ".concat(u.byte);default:let t;"SI"===this.prefix?t=1e3:"IEC"===this.prefix&&(t=1024);const n=Math.floor(Math.log(e)/Math.log(t)),r=(e/Math.pow(t,n)).toFixed(this.precision).replace(/0*$/,"").replace(/\.$/,"");return"".concat(r," ").concat(d[n])}}};const p="\ufeff",f=" ",m=function(e){for(const t in e){const n=e[t];this[t]=n}return this},v=document.documentElement,g=v.matches,w=function(e){let{onElement:t,matchingSelector:n,withCallback:r,inPhase:o,preventDefault:i,times:a}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};const l=t||v,s=n,c="capturing"===o,u=function(e){null!=a&&0==--a&&u.destroy();const t=x(e.target,{matchingSelector:s});null!=t&&(null==r||r.call(t,e,t),i&&e.preventDefault())};return u.destroy=()=>l.removeEventListener(e,u,c),l.addEventListener(e,u,c),u},y=function(e){let{onElement:t,bubbles:n,cancelable:r,attributes:o}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};const i=null!=t?t:v;n=!1!==n,r=!1!==r;const a=document.createEvent("Events");return a.initEvent(e,n,r),null!=o&&m.call(a,o),i.dispatchEvent(a)},b=function(e,t){if(1===(null==e?void 0:e.nodeType))return g.call(e,t)},x=function(e){let{matchingSelector:t,untilNode:n}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};for(;e&&e.nodeType!==Node.ELEMENT_NODE;)e=e.parentNode;if(null!=e){if(null==t)return e;if(e.closest&&null==n)return e.closest(t);for(;e&&e!==n;){if(b(e,t))return e;e=e.parentNode}}},k=e=>document.activeElement!==e&&E(e,document.activeElement),E=function(e,t){if(e&&t)for(;t;){if(t===e)return!0;t=t.parentNode}},A=function(e){var t;if(null===(t=e)||void 0===t||!t.parentNode)return;let n=0;for(e=e.previousSibling;e;)n++,e=e.previousSibling;return n},C=e=>{var t;return null==e||null===(t=e.parentNode)||void 0===t?void 0:t.removeChild(e)},B=function(e){let{onlyNodesOfType:t,usingFilter:n,expandEntityReferences:r}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};const o=(()=>{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(e,o,null!=n?n:null,!0===r)},M=e=>{var t;return null==e||null===(t=e.tagName)||void 0===t?void 0:t.toLowerCase()},_=function(e){let t,n,r=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};"object"==typeof e?(r=e,e=r.tagName):r={attributes:r};const o=document.createElement(e);if(null!=r.editable&&(null==r.attributes&&(r.attributes={}),r.attributes.contenteditable=r.editable),r.attributes)for(t in r.attributes)n=r.attributes[t],o.setAttribute(t,n);if(r.style)for(t in r.style)n=r.style[t],o.style[t]=n;if(r.data)for(t in r.data)n=r.data[t],o.dataset[t]=n;return r.className&&r.className.split(" ").forEach((e=>{o.classList.add(e)})),r.textContent&&(o.textContent=r.textContent),r.childNodes&&[].concat(r.childNodes).forEach((e=>{o.appendChild(e)})),o};let S;const N=function(){if(null!=S)return S;S=[];for(const e in i){const t=i[e];t.tagName&&S.push(t.tagName)}return S},V=e=>T(null==e?void 0:e.firstChild),L=function(e){let{strict:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{strict:!0};return t?T(e):T(e)||!T(e.firstChild)&&function(e){return N().includes(M(e))&&!N().includes(M(e.firstChild))}(e)},T=e=>I(e)&&"block"===(null==e?void 0:e.data),I=e=>(null==e?void 0:e.nodeType)===Node.COMMENT_NODE,Z=function(e){let{name:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(e)return R(e)?e.data===p?!t||e.parentNode.dataset.trixCursorTarget===t:void 0:Z(e.firstChild)},O=e=>b(e,r),D=e=>R(e)&&""===(null==e?void 0:e.data),R=e=>(null==e?void 0:e.nodeType)===Node.TEXT_NODE,H={level2Enabled:!0,getLevel(){return this.level2Enabled&&c.supportsInputEvents?2:0},pickFiles(e){const t=_("input",{type:"file",multiple:!0,hidden:!0,id:this.fileInputId});t.addEventListener("change",(()=>{e(t.files),C(t)})),C(document.getElementById(this.fileInputId)),document.body.appendChild(t),t.click()}};var P={removeBlankTableCells:!1,tableCellSeparator:" | ",tableRowSeparator:"\n"},j={bold:{tagName:"strong",inheritable:!0,parser(e){const t=window.getComputedStyle(e);return"bold"===t.fontWeight||t.fontWeight>=600}},italic:{tagName:"em",inheritable:!0,parser:e=>"italic"===window.getComputedStyle(e).fontStyle},href:{groupTagName:"a",parser(e){const t="a:not(".concat(r,")"),n=e.closest(t);if(n)return n.getAttribute("href")}},strike:{tagName:"del",inheritable:!0},frozen:{style:{backgroundColor:"highlight"}}},F={getDefaultHTML:()=>'<div class="trix-button-row">\n      <span class="trix-button-group trix-button-group--text-tools" data-trix-button-group="text-tools">\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-bold" data-trix-attribute="bold" data-trix-key="b" title="'.concat(u.bold,'" tabindex="-1">').concat(u.bold,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-italic" data-trix-attribute="italic" data-trix-key="i" title="').concat(u.italic,'" tabindex="-1">').concat(u.italic,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-strike" data-trix-attribute="strike" title="').concat(u.strike,'" tabindex="-1">').concat(u.strike,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-link" data-trix-attribute="href" data-trix-action="link" data-trix-key="k" title="').concat(u.link,'" tabindex="-1">').concat(u.link,'</button>\n      </span>\n\n      <span class="trix-button-group trix-button-group--block-tools" data-trix-button-group="block-tools">\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-heading-1" data-trix-attribute="heading1" title="').concat(u.heading1,'" tabindex="-1">').concat(u.heading1,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-quote" data-trix-attribute="quote" title="').concat(u.quote,'" tabindex="-1">').concat(u.quote,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-code" data-trix-attribute="code" title="').concat(u.code,'" tabindex="-1">').concat(u.code,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-bullet-list" data-trix-attribute="bullet" title="').concat(u.bullets,'" tabindex="-1">').concat(u.bullets,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-number-list" data-trix-attribute="number" title="').concat(u.numbers,'" tabindex="-1">').concat(u.numbers,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-decrease-nesting-level" data-trix-action="decreaseNestingLevel" title="').concat(u.outdent,'" tabindex="-1">').concat(u.outdent,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-increase-nesting-level" data-trix-action="increaseNestingLevel" title="').concat(u.indent,'" tabindex="-1">').concat(u.indent,'</button>\n      </span>\n\n      <span class="trix-button-group trix-button-group--file-tools" data-trix-button-group="file-tools">\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-attach" data-trix-action="attachFiles" title="').concat(u.attachFiles,'" tabindex="-1">').concat(u.attachFiles,'</button>\n      </span>\n\n      <span class="trix-button-group-spacer"></span>\n\n      <span class="trix-button-group trix-button-group--history-tools" data-trix-button-group="history-tools">\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-undo" data-trix-action="undo" data-trix-key="z" title="').concat(u.undo,'" tabindex="-1">').concat(u.undo,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-redo" data-trix-action="redo" data-trix-key="shift+z" title="').concat(u.redo,'" tabindex="-1">').concat(u.redo,'</button>\n      </span>\n    </div>\n\n    <div class="trix-dialogs" data-trix-dialogs>\n      <div class="trix-dialog trix-dialog--link" data-trix-dialog="href" data-trix-dialog-attribute="href">\n        <div class="trix-dialog__link-fields">\n          <input type="url" name="href" class="trix-input trix-input--dialog" placeholder="').concat(u.urlPlaceholder,'" aria-label="').concat(u.url,'" required data-trix-input>\n          <div class="trix-button-group">\n            <input type="button" class="trix-button trix-button--dialog" value="').concat(u.link,'" data-trix-method="setAttribute">\n            <input type="button" class="trix-button trix-button--dialog" value="').concat(u.unlink,'" data-trix-method="removeAttribute">\n          </div>\n        </div>\n      </div>\n    </div>')};const z={interval:5e3};var q=Object.freeze({__proto__:null,attachments:o,blockAttributes:i,browser:c,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:h,input:H,keyNames:{8:"backspace",9:"tab",13:"return",27:"escape",37:"left",39:"right",46:"delete",68:"d",72:"h",79:"o"},lang:u,parser:P,textAttributes:j,toolbar:F,undo:z});class U{static proxyMethod(e){const{name:t,toMethod:n,toProperty:r,optional:o}=$(e);this.prototype[t]=function(){let e,i;var a,l;return n?i=o?null===(a=this[n])||void 0===a?void 0:a.call(this):this[n]():r&&(i=this[r]),o?(e=null===(l=i)||void 0===l?void 0:l[t],e?W.call(e,i,arguments):void 0):(e=i[t],W.call(e,i,arguments))}}}const $=function(e){const t=e.match(G);if(!t)throw new Error("can't parse @proxyMethod expression: ".concat(e));const n={name:t[4]};return null!=t[2]?n.toMethod=t[1]:n.toProperty=t[1],null!=t[3]&&(n.optional=!0),n},{apply:W}=Function.prototype,G=new RegExp("^(.+?)(\\(\\))?(\\?)?\\.(.+?)$");var K,Y,X;class J extends U{static box(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";return e instanceof this?e:this.fromUCS2String(null==e?void 0:e.toString())}static fromUCS2String(e){return new this(e,ne(e))}static fromCodepoints(e){return new this(re(e),e)}constructor(e,t){super(...arguments),this.ucs2String=e,this.codepoints=t,this.length=this.codepoints.length,this.ucs2Length=this.ucs2String.length}offsetToUCS2Offset(e){return re(this.codepoints.slice(0,Math.max(0,e))).length}offsetFromUCS2Offset(e){return ne(this.ucs2String.slice(0,Math.max(0,e))).length}slice(){return this.constructor.fromCodepoints(this.codepoints.slice(...arguments))}charAt(e){return this.slice(e,e+1)}isEqualTo(e){return this.constructor.box(e).ucs2String===this.ucs2String}toJSON(){return this.ucs2String}getCacheKey(){return this.ucs2String}toString(){return this.ucs2String}}const Q=1===(null===(K=Array.from)||void 0===K?void 0:K.call(Array,"👼").length),ee=null!=(null===(Y=" ".codePointAt)||void 0===Y?void 0:Y.call(" ",0)),te=" 👼"===(null===(X=String.fromCodePoint)||void 0===X?void 0:X.call(String,32,128124));let ne,re;ne=Q&&ee?e=>Array.from(e).map((e=>e.codePointAt(0))):function(e){const t=[];let n=0;const{length:r}=e;for(;n<r;){let o=e.charCodeAt(n++);if(55296<=o&&o<=56319&&n<r){const t=e.charCodeAt(n++);56320==(64512&t)?o=((1023&o)<<10)+(1023&t)+65536:n--}t.push(o)}return t},re=te?e=>String.fromCodePoint(...Array.from(e||[])):function(e){return(()=>{const t=[];return Array.from(e).forEach((e=>{let n="";e>65535&&(e-=65536,n+=String.fromCharCode(e>>>10&1023|55296),e=56320|1023&e),t.push(n+String.fromCharCode(e))})),t})().join("")};let oe=0;class ie extends U{static fromJSONString(e){return this.fromJSON(JSON.parse(e))}constructor(){super(...arguments),this.id=++oe}hasSameConstructorAs(e){return this.constructor===(null==e?void 0:e.constructor)}isEqualTo(e){return this===e}inspect(){const e=[],t=this.contentsForInspection()||{};for(const n in t){const r=t[n];e.push("".concat(n,"=").concat(r))}return"#<".concat(this.constructor.name,":").concat(this.id).concat(e.length?" ".concat(e.join(", ")):"",">")}contentsForInspection(){}toJSONString(){return JSON.stringify(this)}toUTF16String(){return J.box(this)}getCacheKey(){return this.id.toString()}}const ae=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];if(e.length!==t.length)return!1;for(let n=0;n<e.length;n++)if(e[n]!==t[n])return!1;return!0},le=function(e){const t=e.slice(0);for(var n=arguments.length,r=new Array(n>1?n-1:0),o=1;o<n;o++)r[o-1]=arguments[o];return t.splice(...r),t},se=/[\u05BE\u05C0\u05C3\u05D0-\u05EA\u05F0-\u05F4\u061B\u061F\u0621-\u063A\u0640-\u064A\u066D\u0671-\u06B7\u06BA-\u06BE\u06C0-\u06CE\u06D0-\u06D5\u06E5\u06E6\u200F\u202B\u202E\uFB1F-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE70-\uFE72\uFE74\uFE76-\uFEFC]/,ce=function(){const e=_("input",{dir:"auto",name:"x",dirName:"x.dir"}),t=_("textarea",{dir:"auto",name:"y",dirName:"y.dir"}),n=_("form");n.appendChild(e),n.appendChild(t);const r=function(){try{return new FormData(n).has(t.dirName)}catch(e){return!1}}(),o=function(){try{return e.matches(":dir(ltr),:dir(rtl)")}catch(e){return!1}}();return r?function(e){return t.value=e,new FormData(n).get(t.dirName)}:o?function(t){return e.value=t,e.matches(":dir(rtl)")?"rtl":"ltr"}:function(e){const t=e.trim().charAt(0);return se.test(t)?"rtl":"ltr"}}();let ue=null,de=null,he=null,pe=null;const fe=()=>(ue||(ue=we().concat(ve())),ue),me=e=>i[e],ve=()=>(de||(de=Object.keys(i)),de),ge=e=>j[e],we=()=>(he||(he=Object.keys(j)),he),ye=function(e,t){be(e).textContent=t.replace(/%t/g,e)},be=function(e){const t=document.createElement("style");t.setAttribute("type","text/css"),t.setAttribute("data-tag-name",e.toLowerCase());const n=xe();return n&&t.setAttribute("nonce",n),document.head.insertBefore(t,document.head.firstChild),t},xe=function(){const e=ke("trix-csp-nonce")||ke("csp-nonce");if(e){const{nonce:t,content:n}=e;return""==t?n:t}},ke=e=>document.head.querySelector("meta[name=".concat(e,"]")),Ee={"application/x-trix-feature-detection":"test"},Ae=function(e){const t=e.getData("text/plain"),n=e.getData("text/html");if(!t||!n)return null==t?void 0:t.length;{const{body:e}=(new DOMParser).parseFromString(n,"text/html");if(e.textContent===t)return!e.querySelector("*")}},Ce=/Mac|^iP/.test(navigator.platform)?e=>e.metaKey:e=>e.ctrlKey,Be=e=>setTimeout(e,1),Me=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};const t={};for(const n in e){const r=e[n];t[n]=r}return t},_e=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(Object.keys(e).length!==Object.keys(t).length)return!1;for(const n in e)if(e[n]!==t[n])return!1;return!0},Se=function(e){if(null!=e)return Array.isArray(e)||(e=[e,e]),[Le(e[0]),Le(null!=e[1]?e[1]:e[0])]},Ne=function(e){if(null==e)return;const[t,n]=Se(e);return Te(t,n)},Ve=function(e,t){if(null==e||null==t)return;const[n,r]=Se(e),[o,i]=Se(t);return Te(n,o)&&Te(r,i)},Le=function(e){return"number"==typeof e?e:Me(e)},Te=function(e,t){return"number"==typeof e?e===t:_e(e,t)};class Ie extends U{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(e){if(!this.selectionManagers.includes(e))return this.selectionManagers.push(e),this.start()}unregisterSelectionManager(e){if(this.selectionManagers=this.selectionManagers.filter((t=>t!==e)),0===this.selectionManagers.length)return this.stop()}notifySelectionManagersOfSelectionChange(){return this.selectionManagers.map((e=>e.selectionDidChange()))}update(){this.notifySelectionManagersOfSelectionChange()}reset(){this.update()}}const Ze=new Ie,Oe=function(){const e=window.getSelection();if(e.rangeCount>0)return e},De=function(){var e;const t=null===(e=Oe())||void 0===e?void 0:e.getRangeAt(0);if(t&&!He(t))return t},Re=function(e){const t=window.getSelection();return t.removeAllRanges(),t.addRange(e),Ze.update()},He=e=>Pe(e.startContainer)||Pe(e.endContainer),Pe=e=>!Object.getPrototypeOf(e),je=e=>e.replace(new RegExp("".concat(p),"g"),"").replace(new RegExp("".concat(f),"g")," "),Fe=new RegExp("[^\\S".concat(f,"]")),ze=e=>e.replace(new RegExp("".concat(Fe.source),"g")," ").replace(/\ {2,}/g," "),qe=function(e,t){if(e.isEqualTo(t))return["",""];const n=Ue(e,t),{length:r}=n.utf16String;let o;if(r){const{offset:i}=n,a=e.codepoints.slice(0,i).concat(e.codepoints.slice(i+r));o=Ue(t,J.fromCodepoints(a))}else o=Ue(t,e);return[n.utf16String.toString(),o.utf16String.toString()]},Ue=function(e,t){let n=0,r=e.length,o=t.length;for(;n<r&&e.charAt(n).isEqualTo(t.charAt(n));)n++;for(;r>n+1&&e.charAt(r-1).isEqualTo(t.charAt(o-1));)r--,o--;return{utf16String:e.slice(n,r),offset:n}};class $e extends ie{static fromCommonAttributesOfObjects(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];if(!e.length)return new this;let t=Ye(e[0]),n=t.getKeys();return e.slice(1).forEach((e=>{n=t.getKeysCommonToHash(Ye(e)),t=t.slice(n)})),t}static box(e){return Ye(e)}constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};super(...arguments),this.values=Ke(e)}add(e,t){return this.merge(We(e,t))}remove(e){return new $e(Ke(this.values,e))}get(e){return this.values[e]}has(e){return e in this.values}merge(e){return new $e(Ge(this.values,Xe(e)))}slice(e){const t={};return Array.from(e).forEach((e=>{this.has(e)&&(t[e]=this.values[e])})),new $e(t)}getKeys(){return Object.keys(this.values)}getKeysCommonToHash(e){return e=Ye(e),this.getKeys().filter((t=>this.values[t]===e.values[t]))}isEqualTo(e){return ae(this.toArray(),Ye(e).toArray())}isEmpty(){return 0===this.getKeys().length}toArray(){if(!this.array){const e=[];for(const t in this.values){const n=this.values[t];e.push(e.push(t,n))}this.array=e.slice(0)}return this.array}toObject(){return Ke(this.values)}toJSON(){return this.toObject()}contentsForInspection(){return{values:JSON.stringify(this.values)}}}const We=function(e,t){const n={};return n[e]=t,n},Ge=function(e,t){const n=Ke(e);for(const e in t){const r=t[e];n[e]=r}return n},Ke=function(e,t){const n={};return Object.keys(e).sort().forEach((r=>{r!==t&&(n[r]=e[r])})),n},Ye=function(e){return e instanceof $e?e:new $e(e)},Xe=function(e){return e instanceof $e?e.values:e};class Je{static groupObjects(){let e,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],{depth:n,asTree:r}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};r&&null==n&&(n=0);const o=[];return Array.from(t).forEach((t=>{var i;if(e){var a,l,s;if(null!==(a=t.canBeGrouped)&&void 0!==a&&a.call(t,n)&&null!==(l=(s=e[e.length-1]).canBeGroupedWith)&&void 0!==l&&l.call(s,t,n))return void e.push(t);o.push(new this(e,{depth:n,asTree:r})),e=null}null!==(i=t.canBeGrouped)&&void 0!==i&&i.call(t,n)?e=[t]:o.push(t)})),e&&o.push(new this(e,{depth:n,asTree:r})),o}constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],{depth:t,asTree:n}=arguments.length>1?arguments[1]:void 0;this.objects=e,n&&(this.depth=t,this.objects=this.constructor.groupObjects(this.objects,{asTree:n,depth:this.depth+1}))}getObjects(){return this.objects}getDepth(){return this.depth}getCacheKey(){const e=["objectGroup"];return Array.from(this.getObjects()).forEach((t=>{e.push(t.getCacheKey())})),e.join("/")}}class Qe extends U{constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];super(...arguments),this.objects={},Array.from(e).forEach((e=>{const t=JSON.stringify(e);null==this.objects[t]&&(this.objects[t]=e)}))}find(e){const t=JSON.stringify(e);return this.objects[t]}}class et{constructor(e){this.reset(e)}add(e){const t=tt(e);this.elements[t]=e}remove(e){const t=tt(e),n=this.elements[t];if(n)return delete this.elements[t],n}reset(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];return this.elements={},Array.from(e).forEach((e=>{this.add(e)})),e}}const tt=e=>e.dataset.trixStoreKey;class nt extends U{isPerforming(){return!0===this.performing}hasPerformed(){return!0===this.performed}hasSucceeded(){return this.performed&&this.succeeded}hasFailed(){return this.performed&&!this.succeeded}getPromise(){return this.promise||(this.promise=new Promise(((e,t)=>(this.performing=!0,this.perform(((n,r)=>{this.succeeded=n,this.performing=!1,this.performed=!0,this.succeeded?e(r):t(r)})))))),this.promise}perform(e){return e(!1)}release(){var e,t;null===(e=this.promise)||void 0===e||null===(t=e.cancel)||void 0===t||t.call(e),this.promise=null,this.performing=null,this.performed=null,this.succeeded=null}}nt.proxyMethod("getPromise().then"),nt.proxyMethod("getPromise().catch");class rt extends U{constructor(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};super(...arguments),this.object=e,this.options=t,this.childViews=[],this.rootView=this}getNodes(){return this.nodes||(this.nodes=this.createNodes()),this.nodes.map((e=>e.cloneNode(!0)))}invalidate(){var e;return this.nodes=null,this.childViews=[],null===(e=this.parentView)||void 0===e?void 0:e.invalidate()}invalidateViewForObject(e){var t;return null===(t=this.findViewForObject(e))||void 0===t?void 0:t.invalidate()}findOrCreateCachedChildView(e,t,n){let r=this.getCachedViewForObject(t);return r?this.recordChildView(r):(r=this.createChildView(...arguments),this.cacheViewForObject(r,t)),r}createChildView(e,t){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};t instanceof Je&&(n.viewClass=e,e=ot);const r=new e(t,n);return this.recordChildView(r)}recordChildView(e){return e.parentView=this,e.rootView=this.rootView,this.childViews.push(e),e}getAllChildViews(){let e=[];return this.childViews.forEach((t=>{e.push(t),e=e.concat(t.getAllChildViews())})),e}findElement(){return this.findElementForObject(this.object)}findElementForObject(e){const t=null==e?void 0:e.id;if(t)return this.rootView.element.querySelector("[data-trix-id='".concat(t,"']"))}findViewForObject(e){for(const t of this.getAllChildViews())if(t.object===e)return t}getViewCache(){return this.rootView!==this?this.rootView.getViewCache():this.isViewCachingEnabled()?(this.viewCache||(this.viewCache={}),this.viewCache):void 0}isViewCachingEnabled(){return!1!==this.shouldCacheViews}enableViewCaching(){this.shouldCacheViews=!0}disableViewCaching(){this.shouldCacheViews=!1}getCachedViewForObject(e){var t;return null===(t=this.getViewCache())||void 0===t?void 0:t[e.getCacheKey()]}cacheViewForObject(e,t){const n=this.getViewCache();n&&(n[t.getCacheKey()]=e)}garbageCollectCachedViews(){const e=this.getViewCache();if(e){const t=this.getAllChildViews().concat(this).map((e=>e.object.getCacheKey()));for(const n in e)t.includes(n)||delete e[n]}}}class ot extends rt{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((e=>{this.findOrCreateCachedChildView(this.viewClass,e,this.options)})),this.childViews}createNodes(){const e=this.createContainerElement();return this.getChildViews().forEach((t=>{Array.from(t.getNodes()).forEach((t=>{e.appendChild(t)}))})),[e]}createContainerElement(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:this.objectGroup.getDepth();return this.getChildViews()[0].createContainerElement(e)}}const{entries:it,setPrototypeOf:at,isFrozen:lt,getPrototypeOf:st,getOwnPropertyDescriptor:ct}=Object;let{freeze:ut,seal:dt,create:ht}=Object,{apply:pt,construct:ft}="undefined"!=typeof Reflect&&Reflect;ut||(ut=function(e){return e}),dt||(dt=function(e){return e}),pt||(pt=function(e,t,n){return e.apply(t,n)}),ft||(ft=function(e,t){return new e(...t)});const mt=_t(Array.prototype.forEach),vt=_t(Array.prototype.pop),gt=_t(Array.prototype.push),wt=_t(String.prototype.toLowerCase),yt=_t(String.prototype.toString),bt=_t(String.prototype.match),xt=_t(String.prototype.replace),kt=_t(String.prototype.indexOf),Et=_t(String.prototype.trim),At=_t(Object.prototype.hasOwnProperty),Ct=_t(RegExp.prototype.test),Bt=(Mt=TypeError,function(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return ft(Mt,t)});var Mt;function _t(e){return function(t){for(var n=arguments.length,r=new Array(n>1?n-1:0),o=1;o<n;o++)r[o-1]=arguments[o];return pt(e,t,r)}}function St(e,t){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:wt;at&&at(e,null);let r=t.length;for(;r--;){let o=t[r];if("string"==typeof o){const e=n(o);e!==o&&(lt(t)||(t[r]=e),o=e)}e[o]=!0}return e}function Nt(e){for(let t=0;t<e.length;t++)At(e,t)||(e[t]=null);return e}function Vt(e){const t=ht(null);for(const[n,r]of it(e))At(e,n)&&(Array.isArray(r)?t[n]=Nt(r):r&&"object"==typeof r&&r.constructor===Object?t[n]=Vt(r):t[n]=r);return t}function Lt(e,t){for(;null!==e;){const n=ct(e,t);if(n){if(n.get)return _t(n.get);if("function"==typeof n.value)return _t(n.value)}e=st(e)}return function(){return null}}const Tt=ut(["a","abbr","acronym","address","area","article","aside","audio","b","bdi","bdo","big","blink","blockquote","body","br","button","canvas","caption","center","cite","code","col","colgroup","content","data","datalist","dd","decorator","del","details","dfn","dialog","dir","div","dl","dt","element","em","fieldset","figcaption","figure","font","footer","form","h1","h2","h3","h4","h5","h6","head","header","hgroup","hr","html","i","img","input","ins","kbd","label","legend","li","main","map","mark","marquee","menu","menuitem","meter","nav","nobr","ol","optgroup","option","output","p","picture","pre","progress","q","rp","rt","ruby","s","samp","section","select","shadow","small","source","spacer","span","strike","strong","style","sub","summary","sup","table","tbody","td","template","textarea","tfoot","th","thead","time","tr","track","tt","u","ul","var","video","wbr"]),It=ut(["svg","a","altglyph","altglyphdef","altglyphitem","animatecolor","animatemotion","animatetransform","circle","clippath","defs","desc","ellipse","filter","font","g","glyph","glyphref","hkern","image","line","lineargradient","marker","mask","metadata","mpath","path","pattern","polygon","polyline","radialgradient","rect","stop","style","switch","symbol","text","textpath","title","tref","tspan","view","vkern"]),Zt=ut(["feBlend","feColorMatrix","feComponentTransfer","feComposite","feConvolveMatrix","feDiffuseLighting","feDisplacementMap","feDistantLight","feDropShadow","feFlood","feFuncA","feFuncB","feFuncG","feFuncR","feGaussianBlur","feImage","feMerge","feMergeNode","feMorphology","feOffset","fePointLight","feSpecularLighting","feSpotLight","feTile","feTurbulence"]),Ot=ut(["animate","color-profile","cursor","discard","font-face","font-face-format","font-face-name","font-face-src","font-face-uri","foreignobject","hatch","hatchpath","mesh","meshgradient","meshpatch","meshrow","missing-glyph","script","set","solidcolor","unknown","use"]),Dt=ut(["math","menclose","merror","mfenced","mfrac","mglyph","mi","mlabeledtr","mmultiscripts","mn","mo","mover","mpadded","mphantom","mroot","mrow","ms","mspace","msqrt","mstyle","msub","msup","msubsup","mtable","mtd","mtext","mtr","munder","munderover","mprescripts"]),Rt=ut(["maction","maligngroup","malignmark","mlongdiv","mscarries","mscarry","msgroup","mstack","msline","msrow","semantics","annotation","annotation-xml","mprescripts","none"]),Ht=ut(["#text"]),Pt=ut(["accept","action","align","alt","autocapitalize","autocomplete","autopictureinpicture","autoplay","background","bgcolor","border","capture","cellpadding","cellspacing","checked","cite","class","clear","color","cols","colspan","controls","controlslist","coords","crossorigin","datetime","decoding","default","dir","disabled","disablepictureinpicture","disableremoteplayback","download","draggable","enctype","enterkeyhint","face","for","headers","height","hidden","high","href","hreflang","id","inputmode","integrity","ismap","kind","label","lang","list","loading","loop","low","max","maxlength","media","method","min","minlength","multiple","muted","name","nonce","noshade","novalidate","nowrap","open","optimum","pattern","placeholder","playsinline","popover","popovertarget","popovertargetaction","poster","preload","pubdate","radiogroup","readonly","rel","required","rev","reversed","role","rows","rowspan","spellcheck","scope","selected","shape","size","sizes","span","srclang","start","src","srcset","step","style","summary","tabindex","title","translate","type","usemap","valign","value","width","wrap","xmlns","slot"]),jt=ut(["accent-height","accumulate","additive","alignment-baseline","amplitude","ascent","attributename","attributetype","azimuth","basefrequency","baseline-shift","begin","bias","by","class","clip","clippathunits","clip-path","clip-rule","color","color-interpolation","color-interpolation-filters","color-profile","color-rendering","cx","cy","d","dx","dy","diffuseconstant","direction","display","divisor","dur","edgemode","elevation","end","exponent","fill","fill-opacity","fill-rule","filter","filterunits","flood-color","flood-opacity","font-family","font-size","font-size-adjust","font-stretch","font-style","font-variant","font-weight","fx","fy","g1","g2","glyph-name","glyphref","gradientunits","gradienttransform","height","href","id","image-rendering","in","in2","intercept","k","k1","k2","k3","k4","kerning","keypoints","keysplines","keytimes","lang","lengthadjust","letter-spacing","kernelmatrix","kernelunitlength","lighting-color","local","marker-end","marker-mid","marker-start","markerheight","markerunits","markerwidth","maskcontentunits","maskunits","max","mask","media","method","mode","min","name","numoctaves","offset","operator","opacity","order","orient","orientation","origin","overflow","paint-order","path","pathlength","patterncontentunits","patterntransform","patternunits","points","preservealpha","preserveaspectratio","primitiveunits","r","rx","ry","radius","refx","refy","repeatcount","repeatdur","restart","result","rotate","scale","seed","shape-rendering","slope","specularconstant","specularexponent","spreadmethod","startoffset","stddeviation","stitchtiles","stop-color","stop-opacity","stroke-dasharray","stroke-dashoffset","stroke-linecap","stroke-linejoin","stroke-miterlimit","stroke-opacity","stroke","stroke-width","style","surfacescale","systemlanguage","tabindex","tablevalues","targetx","targety","transform","transform-origin","text-anchor","text-decoration","text-rendering","textlength","type","u1","u2","unicode","values","viewbox","visibility","version","vert-adv-y","vert-origin-x","vert-origin-y","width","word-spacing","wrap","writing-mode","xchannelselector","ychannelselector","x","x1","x2","xmlns","y","y1","y2","z","zoomandpan"]),Ft=ut(["accent","accentunder","align","bevelled","close","columnsalign","columnlines","columnspan","denomalign","depth","dir","display","displaystyle","encoding","fence","frame","height","href","id","largeop","length","linethickness","lspace","lquote","mathbackground","mathcolor","mathsize","mathvariant","maxsize","minsize","movablelimits","notation","numalign","open","rowalign","rowlines","rowspacing","rowspan","rspace","rquote","scriptlevel","scriptminsize","scriptsizemultiplier","selection","separator","separators","stretchy","subscriptshift","supscriptshift","symmetric","voffset","width","xmlns"]),zt=ut(["xlink:href","xml:id","xlink:title","xml:space","xmlns:xlink"]),qt=dt(/\{\{[\w\W]*|[\w\W]*\}\}/gm),Ut=dt(/<%[\w\W]*|[\w\W]*%>/gm),$t=dt(/\${[\w\W]*}/gm),Wt=dt(/^data-[\-\w.\u00B7-\uFFFF]/),Gt=dt(/^aria-[\-\w]+$/),Kt=dt(/^(?:(?:(?:f|ht)tps?|mailto|tel|callto|sms|cid|xmpp):|[^a-z]|[a-z+.\-]+(?:[^a-z+.\-:]|$))/i),Yt=dt(/^(?:\w+script|data):/i),Xt=dt(/[\u0000-\u0020\u00A0\u1680\u180E\u2000-\u2029\u205F\u3000]/g),Jt=dt(/^html$/i),Qt=dt(/^[a-z][.\w]*(-[.\w]+)+$/i);var en=Object.freeze({__proto__:null,ARIA_ATTR:Gt,ATTR_WHITESPACE:Xt,CUSTOM_ELEMENT:Qt,DATA_ATTR:Wt,DOCTYPE_NAME:Jt,ERB_EXPR:Ut,IS_ALLOWED_URI:Kt,IS_SCRIPT_OR_DATA:Yt,MUSTACHE_EXPR:qt,TMPLIT_EXPR:$t});var tn=function e(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"undefined"==typeof window?null:window;const n=t=>e(t);if(n.version="3.2.0",n.removed=[],!t||!t.document||9!==t.document.nodeType)return n.isSupported=!1,n;let{document:r}=t;const o=r,i=o.currentScript,{DocumentFragment:a,HTMLTemplateElement:l,Node:s,Element:c,NodeFilter:u,NamedNodeMap:d=t.NamedNodeMap||t.MozNamedAttrMap,HTMLFormElement:h,DOMParser:p,trustedTypes:f}=t,m=c.prototype,v=Lt(m,"cloneNode"),g=Lt(m,"remove"),w=Lt(m,"nextSibling"),y=Lt(m,"childNodes"),b=Lt(m,"parentNode");if("function"==typeof l){const e=r.createElement("template");e.content&&e.content.ownerDocument&&(r=e.content.ownerDocument)}let x,k="";const{implementation:E,createNodeIterator:A,createDocumentFragment:C,getElementsByTagName:B}=r,{importNode:M}=o;let _={};n.isSupported="function"==typeof it&&"function"==typeof b&&E&&void 0!==E.createHTMLDocument;const{MUSTACHE_EXPR:S,ERB_EXPR:N,TMPLIT_EXPR:V,DATA_ATTR:L,ARIA_ATTR:T,IS_SCRIPT_OR_DATA:I,ATTR_WHITESPACE:Z,CUSTOM_ELEMENT:O}=en;let{IS_ALLOWED_URI:D}=en,R=null;const H=St({},[...Tt,...It,...Zt,...Dt,...Ht]);let P=null;const j=St({},[...Pt,...jt,...Ft,...zt]);let F=Object.seal(ht(null,{tagNameCheck:{writable:!0,configurable:!1,enumerable:!0,value:null},attributeNameCheck:{writable:!0,configurable:!1,enumerable:!0,value:null},allowCustomizedBuiltInElements:{writable:!0,configurable:!1,enumerable:!0,value:!1}})),z=null,q=null,U=!0,$=!0,W=!1,G=!0,K=!1,Y=!0,X=!1,J=!1,Q=!1,ee=!1,te=!1,ne=!1,re=!0,oe=!1,ie=!0,ae=!1,le={},se=null;const ce=St({},["annotation-xml","audio","colgroup","desc","foreignobject","head","iframe","math","mi","mn","mo","ms","mtext","noembed","noframes","noscript","plaintext","script","style","svg","template","thead","title","video","xmp"]);let ue=null;const de=St({},["audio","video","img","source","image","track"]);let he=null;const pe=St({},["alt","class","for","id","label","name","pattern","placeholder","role","summary","title","value","style","xmlns"]),fe="http://www.w3.org/1998/Math/MathML",me="http://www.w3.org/2000/svg",ve="http://www.w3.org/1999/xhtml";let ge=ve,we=!1,ye=null;const be=St({},[fe,me,ve],yt);let xe=St({},["mi","mo","mn","ms","mtext"]),ke=St({},["annotation-xml"]);const Ee=St({},["title","style","font","a","script"]);let Ae=null;const Ce=["application/xhtml+xml","text/html"];let Be=null,Me=null;const _e=r.createElement("form"),Se=function(e){return e instanceof RegExp||e instanceof Function},Ne=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};if(!Me||Me!==e){if(e&&"object"==typeof e||(e={}),e=Vt(e),Ae=-1===Ce.indexOf(e.PARSER_MEDIA_TYPE)?"text/html":e.PARSER_MEDIA_TYPE,Be="application/xhtml+xml"===Ae?yt:wt,R=At(e,"ALLOWED_TAGS")?St({},e.ALLOWED_TAGS,Be):H,P=At(e,"ALLOWED_ATTR")?St({},e.ALLOWED_ATTR,Be):j,ye=At(e,"ALLOWED_NAMESPACES")?St({},e.ALLOWED_NAMESPACES,yt):be,he=At(e,"ADD_URI_SAFE_ATTR")?St(Vt(pe),e.ADD_URI_SAFE_ATTR,Be):pe,ue=At(e,"ADD_DATA_URI_TAGS")?St(Vt(de),e.ADD_DATA_URI_TAGS,Be):de,se=At(e,"FORBID_CONTENTS")?St({},e.FORBID_CONTENTS,Be):ce,z=At(e,"FORBID_TAGS")?St({},e.FORBID_TAGS,Be):{},q=At(e,"FORBID_ATTR")?St({},e.FORBID_ATTR,Be):{},le=!!At(e,"USE_PROFILES")&&e.USE_PROFILES,U=!1!==e.ALLOW_ARIA_ATTR,$=!1!==e.ALLOW_DATA_ATTR,W=e.ALLOW_UNKNOWN_PROTOCOLS||!1,G=!1!==e.ALLOW_SELF_CLOSE_IN_ATTR,K=e.SAFE_FOR_TEMPLATES||!1,Y=!1!==e.SAFE_FOR_XML,X=e.WHOLE_DOCUMENT||!1,ee=e.RETURN_DOM||!1,te=e.RETURN_DOM_FRAGMENT||!1,ne=e.RETURN_TRUSTED_TYPE||!1,Q=e.FORCE_BODY||!1,re=!1!==e.SANITIZE_DOM,oe=e.SANITIZE_NAMED_PROPS||!1,ie=!1!==e.KEEP_CONTENT,ae=e.IN_PLACE||!1,D=e.ALLOWED_URI_REGEXP||Kt,ge=e.NAMESPACE||ve,xe=e.MATHML_TEXT_INTEGRATION_POINTS||xe,ke=e.HTML_INTEGRATION_POINTS||ke,F=e.CUSTOM_ELEMENT_HANDLING||{},e.CUSTOM_ELEMENT_HANDLING&&Se(e.CUSTOM_ELEMENT_HANDLING.tagNameCheck)&&(F.tagNameCheck=e.CUSTOM_ELEMENT_HANDLING.tagNameCheck),e.CUSTOM_ELEMENT_HANDLING&&Se(e.CUSTOM_ELEMENT_HANDLING.attributeNameCheck)&&(F.attributeNameCheck=e.CUSTOM_ELEMENT_HANDLING.attributeNameCheck),e.CUSTOM_ELEMENT_HANDLING&&"boolean"==typeof e.CUSTOM_ELEMENT_HANDLING.allowCustomizedBuiltInElements&&(F.allowCustomizedBuiltInElements=e.CUSTOM_ELEMENT_HANDLING.allowCustomizedBuiltInElements),K&&($=!1),te&&(ee=!0),le&&(R=St({},Ht),P=[],!0===le.html&&(St(R,Tt),St(P,Pt)),!0===le.svg&&(St(R,It),St(P,jt),St(P,zt)),!0===le.svgFilters&&(St(R,Zt),St(P,jt),St(P,zt)),!0===le.mathMl&&(St(R,Dt),St(P,Ft),St(P,zt))),e.ADD_TAGS&&(R===H&&(R=Vt(R)),St(R,e.ADD_TAGS,Be)),e.ADD_ATTR&&(P===j&&(P=Vt(P)),St(P,e.ADD_ATTR,Be)),e.ADD_URI_SAFE_ATTR&&St(he,e.ADD_URI_SAFE_ATTR,Be),e.FORBID_CONTENTS&&(se===ce&&(se=Vt(se)),St(se,e.FORBID_CONTENTS,Be)),ie&&(R["#text"]=!0),X&&St(R,["html","head","body"]),R.table&&(St(R,["tbody"]),delete z.tbody),e.TRUSTED_TYPES_POLICY){if("function"!=typeof e.TRUSTED_TYPES_POLICY.createHTML)throw Bt('TRUSTED_TYPES_POLICY configuration option must provide a "createHTML" hook.');if("function"!=typeof e.TRUSTED_TYPES_POLICY.createScriptURL)throw Bt('TRUSTED_TYPES_POLICY configuration option must provide a "createScriptURL" hook.');x=e.TRUSTED_TYPES_POLICY,k=x.createHTML("")}else void 0===x&&(x=function(e,t){if("object"!=typeof e||"function"!=typeof e.createPolicy)return null;let n=null;const r="data-tt-policy-suffix";t&&t.hasAttribute(r)&&(n=t.getAttribute(r));const o="dompurify"+(n?"#"+n:"");try{return e.createPolicy(o,{createHTML:e=>e,createScriptURL:e=>e})}catch(e){return console.warn("TrustedTypes policy "+o+" could not be created."),null}}(f,i)),null!==x&&"string"==typeof k&&(k=x.createHTML(""));ut&&ut(e),Me=e}},Ve=St({},[...It,...Zt,...Ot]),Le=St({},[...Dt,...Rt]),Te=function(e){gt(n.removed,{element:e});try{b(e).removeChild(e)}catch(t){g(e)}},Ie=function(e,t){try{gt(n.removed,{attribute:t.getAttributeNode(e),from:t})}catch(e){gt(n.removed,{attribute:null,from:t})}if(t.removeAttribute(e),"is"===e&&!P[e])if(ee||te)try{Te(t)}catch(e){}else try{t.setAttribute(e,"")}catch(e){}},Ze=function(e){let t=null,n=null;if(Q)e="<remove></remove>"+e;else{const t=bt(e,/^[\r\n\t ]+/);n=t&&t[0]}"application/xhtml+xml"===Ae&&ge===ve&&(e='<html xmlns="http://www.w3.org/1999/xhtml"><head></head><body>'+e+"</body></html>");const o=x?x.createHTML(e):e;if(ge===ve)try{t=(new p).parseFromString(o,Ae)}catch(e){}if(!t||!t.documentElement){t=E.createDocument(ge,"template",null);try{t.documentElement.innerHTML=we?k:o}catch(e){}}const i=t.body||t.documentElement;return e&&n&&i.insertBefore(r.createTextNode(n),i.childNodes[0]||null),ge===ve?B.call(t,X?"html":"body")[0]:X?t.documentElement:i},Oe=function(e){return A.call(e.ownerDocument||e,e,u.SHOW_ELEMENT|u.SHOW_COMMENT|u.SHOW_TEXT|u.SHOW_PROCESSING_INSTRUCTION|u.SHOW_CDATA_SECTION,null)},De=function(e){return e instanceof h&&("string"!=typeof e.nodeName||"string"!=typeof e.textContent||"function"!=typeof e.removeChild||!(e.attributes instanceof d)||"function"!=typeof e.removeAttribute||"function"!=typeof e.setAttribute||"string"!=typeof e.namespaceURI||"function"!=typeof e.insertBefore||"function"!=typeof e.hasChildNodes)},Re=function(e){return"function"==typeof s&&e instanceof s};function He(e,t,r){_[e]&&mt(_[e],(e=>{e.call(n,t,r,Me)}))}const Pe=function(e){let t=null;if(He("beforeSanitizeElements",e,null),De(e))return Te(e),!0;const r=Be(e.nodeName);if(He("uponSanitizeElement",e,{tagName:r,allowedTags:R}),e.hasChildNodes()&&!Re(e.firstElementChild)&&Ct(/<[/\w]/g,e.innerHTML)&&Ct(/<[/\w]/g,e.textContent))return Te(e),!0;if(7===e.nodeType)return Te(e),!0;if(Y&&8===e.nodeType&&Ct(/<[/\w]/g,e.data))return Te(e),!0;if(!R[r]||z[r]){if(!z[r]&&Fe(r)){if(F.tagNameCheck instanceof RegExp&&Ct(F.tagNameCheck,r))return!1;if(F.tagNameCheck instanceof Function&&F.tagNameCheck(r))return!1}if(ie&&!se[r]){const t=b(e)||e.parentNode,n=y(e)||e.childNodes;if(n&&t)for(let r=n.length-1;r>=0;--r){const o=v(n[r],!0);o.__removalCount=(e.__removalCount||0)+1,t.insertBefore(o,w(e))}}return Te(e),!0}return e instanceof c&&!function(e){let t=b(e);t&&t.tagName||(t={namespaceURI:ge,tagName:"template"});const n=wt(e.tagName),r=wt(t.tagName);return!!ye[e.namespaceURI]&&(e.namespaceURI===me?t.namespaceURI===ve?"svg"===n:t.namespaceURI===fe?"svg"===n&&("annotation-xml"===r||xe[r]):Boolean(Ve[n]):e.namespaceURI===fe?t.namespaceURI===ve?"math"===n:t.namespaceURI===me?"math"===n&&ke[r]:Boolean(Le[n]):e.namespaceURI===ve?!(t.namespaceURI===me&&!ke[r])&&!(t.namespaceURI===fe&&!xe[r])&&!Le[n]&&(Ee[n]||!Ve[n]):!("application/xhtml+xml"!==Ae||!ye[e.namespaceURI]))}(e)?(Te(e),!0):"noscript"!==r&&"noembed"!==r&&"noframes"!==r||!Ct(/<\/no(script|embed|frames)/i,e.innerHTML)?(K&&3===e.nodeType&&(t=e.textContent,mt([S,N,V],(e=>{t=xt(t,e," ")})),e.textContent!==t&&(gt(n.removed,{element:e.cloneNode()}),e.textContent=t)),He("afterSanitizeElements",e,null),!1):(Te(e),!0)},je=function(e,t,n){if(re&&("id"===t||"name"===t)&&(n in r||n in _e))return!1;if($&&!q[t]&&Ct(L,t));else if(U&&Ct(T,t));else if(!P[t]||q[t]){if(!(Fe(e)&&(F.tagNameCheck instanceof RegExp&&Ct(F.tagNameCheck,e)||F.tagNameCheck instanceof Function&&F.tagNameCheck(e))&&(F.attributeNameCheck instanceof RegExp&&Ct(F.attributeNameCheck,t)||F.attributeNameCheck instanceof Function&&F.attributeNameCheck(t))||"is"===t&&F.allowCustomizedBuiltInElements&&(F.tagNameCheck instanceof RegExp&&Ct(F.tagNameCheck,n)||F.tagNameCheck instanceof Function&&F.tagNameCheck(n))))return!1}else if(he[t]);else if(Ct(D,xt(n,Z,"")));else if("src"!==t&&"xlink:href"!==t&&"href"!==t||"script"===e||0!==kt(n,"data:")||!ue[e])if(W&&!Ct(I,xt(n,Z,"")));else if(n)return!1;return!0},Fe=function(e){return"annotation-xml"!==e&&bt(e,O)},ze=function(e){He("beforeSanitizeAttributes",e,null);const{attributes:t}=e;if(!t)return;const r={attrName:"",attrValue:"",keepAttr:!0,allowedAttributes:P,forceKeepAttr:void 0};let o=t.length;for(;o--;){const i=t[o],{name:a,namespaceURI:l,value:s}=i,c=Be(a);let u="value"===a?s:Et(s);if(r.attrName=c,r.attrValue=u,r.keepAttr=!0,r.forceKeepAttr=void 0,He("uponSanitizeAttribute",e,r),u=r.attrValue,!oe||"id"!==c&&"name"!==c||(Ie(a,e),u="user-content-"+u),Y&&Ct(/((--!?|])>)|<\/(style|title)/i,u)){Ie(a,e);continue}if(r.forceKeepAttr)continue;if(Ie(a,e),!r.keepAttr)continue;if(!G&&Ct(/\/>/i,u)){Ie(a,e);continue}K&&mt([S,N,V],(e=>{u=xt(u,e," ")}));const d=Be(e.nodeName);if(je(d,c,u)){if(x&&"object"==typeof f&&"function"==typeof f.getAttributeType)if(l);else switch(f.getAttributeType(d,c)){case"TrustedHTML":u=x.createHTML(u);break;case"TrustedScriptURL":u=x.createScriptURL(u)}try{l?e.setAttributeNS(l,a,u):e.setAttribute(a,u),De(e)?Te(e):vt(n.removed)}catch(e){}}}He("afterSanitizeAttributes",e,null)},qe=function e(t){let n=null;const r=Oe(t);for(He("beforeSanitizeShadowDOM",t,null);n=r.nextNode();)He("uponSanitizeShadowNode",n,null),Pe(n)||(n.content instanceof a&&e(n.content),ze(n));He("afterSanitizeShadowDOM",t,null)};return n.sanitize=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},r=null,i=null,l=null,c=null;if(we=!e,we&&(e="\x3c!--\x3e"),"string"!=typeof e&&!Re(e)){if("function"!=typeof e.toString)throw Bt("toString is not a function");if("string"!=typeof(e=e.toString()))throw Bt("dirty is not a string, aborting")}if(!n.isSupported)return e;if(J||Ne(t),n.removed=[],"string"==typeof e&&(ae=!1),ae){if(e.nodeName){const t=Be(e.nodeName);if(!R[t]||z[t])throw Bt("root node is forbidden and cannot be sanitized in-place")}}else if(e instanceof s)r=Ze("\x3c!----\x3e"),i=r.ownerDocument.importNode(e,!0),1===i.nodeType&&"BODY"===i.nodeName||"HTML"===i.nodeName?r=i:r.appendChild(i);else{if(!ee&&!K&&!X&&-1===e.indexOf("<"))return x&&ne?x.createHTML(e):e;if(r=Ze(e),!r)return ee?null:ne?k:""}r&&Q&&Te(r.firstChild);const u=Oe(ae?e:r);for(;l=u.nextNode();)Pe(l)||(l.content instanceof a&&qe(l.content),ze(l));if(ae)return e;if(ee){if(te)for(c=C.call(r.ownerDocument);r.firstChild;)c.appendChild(r.firstChild);else c=r;return(P.shadowroot||P.shadowrootmode)&&(c=M.call(o,c,!0)),c}let d=X?r.outerHTML:r.innerHTML;return X&&R["!doctype"]&&r.ownerDocument&&r.ownerDocument.doctype&&r.ownerDocument.doctype.name&&Ct(Jt,r.ownerDocument.doctype.name)&&(d="<!DOCTYPE "+r.ownerDocument.doctype.name+">\n"+d),K&&mt([S,N,V],(e=>{d=xt(d,e," ")})),x&&ne?x.createHTML(d):d},n.setConfig=function(){Ne(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}),J=!0},n.clearConfig=function(){Me=null,J=!1},n.isValidAttribute=function(e,t,n){Me||Ne({});const r=Be(e),o=Be(t);return je(r,o,n)},n.addHook=function(e,t){"function"==typeof t&&(_[e]=_[e]||[],gt(_[e],t))},n.removeHook=function(e){if(_[e])return vt(_[e])},n.removeHooks=function(e){_[e]&&(_[e]=[])},n.removeAllHooks=function(){_={}},n}();const nn="style href src width height language class".split(" "),rn="javascript:".split(" "),on="script iframe form noscript".split(" ");class an extends U{static setHTML(e,t){const n=new this(t).sanitize(),r=n.getHTML?n.getHTML():n.outerHTML;e.innerHTML=r}static sanitize(e,t){const n=new this(e,t);return n.sanitize(),n}constructor(e){let{allowedAttributes:t,forbiddenProtocols:n,forbiddenElements:r}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};super(...arguments),this.allowedAttributes=t||nn,this.forbiddenProtocols=n||rn,this.forbiddenElements=r||on,this.body=ln(e)}sanitize(){return this.sanitizeElements(),this.normalizeListElementNesting(),tn.sanitize(this.body,{ADD_ATTR:["language"],RETURN_DOM:!0})}getHTML(){return this.body.innerHTML}getBody(){return this.body}sanitizeElements(){const e=B(this.body),t=[];for(;e.nextNode();){const n=e.currentNode;switch(n.nodeType){case Node.ELEMENT_NODE:this.elementIsRemovable(n)?t.push(n):this.sanitizeElement(n);break;case Node.COMMENT_NODE:t.push(n)}}return t.forEach((e=>C(e))),this.body}sanitizeElement(e){return e.hasAttribute("href")&&this.forbiddenProtocols.includes(e.protocol)&&e.removeAttribute("href"),Array.from(e.attributes).forEach((t=>{let{name:n}=t;this.allowedAttributes.includes(n)||0===n.indexOf("data-trix")||e.removeAttribute(n)})),e}normalizeListElementNesting(){return Array.from(this.body.querySelectorAll("ul,ol")).forEach((e=>{const t=e.previousElementSibling;t&&"li"===M(t)&&t.appendChild(e)})),this.body}elementIsRemovable(e){if((null==e?void 0:e.nodeType)===Node.ELEMENT_NODE)return this.elementIsForbidden(e)||this.elementIsntSerializable(e)}elementIsForbidden(e){return this.forbiddenElements.includes(M(e))}elementIsntSerializable(e){return"false"===e.getAttribute("data-trix-serialize")&&!O(e)}}const ln=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";e=e.replace(/<\/html[^>]*>[^]*$/i,"</html>");const t=document.implementation.createHTMLDocument("");return t.documentElement.innerHTML=e,Array.from(t.head.querySelectorAll("style")).forEach((e=>{t.body.appendChild(e)})),t.body},{css:sn}=q;class cn extends rt{constructor(){super(...arguments),this.attachment=this.object,this.attachment.uploadProgressDelegate=this,this.attachmentPiece=this.options.piece}createContentNodes(){return[]}createNodes(){let e;const t=e=_({tagName:"figure",className:this.getClassName(),data:this.getData(),editable:!1}),n=this.getHref();return n&&(e=_({tagName:"a",editable:!1,attributes:{href:n,tabindex:-1}}),t.appendChild(e)),this.attachment.hasContent()?an.setHTML(e,this.attachment.getContent()):this.createContentNodes().forEach((t=>{e.appendChild(t)})),e.appendChild(this.createCaptionElement()),this.attachment.isPending()&&(this.progressElement=_({tagName:"progress",attributes:{class:sn.attachmentProgress,value:this.attachment.getUploadProgress(),max:100},data:{trixMutable:!0,trixStoreKey:["progressElement",this.attachment.id].join("/")}}),t.appendChild(this.progressElement)),[un("left"),t,un("right")]}createCaptionElement(){const e=_({tagName:"figcaption",className:sn.attachmentCaption}),t=this.attachmentPiece.getCaption();if(t)e.classList.add("".concat(sn.attachmentCaption,"--edited")),e.textContent=t;else{let t,n;const r=this.getCaptionConfig();if(r.name&&(t=this.attachment.getFilename()),r.size&&(n=this.attachment.getFormattedFilesize()),t){const n=_({tagName:"span",className:sn.attachmentName,textContent:t});e.appendChild(n)}if(n){t&&e.appendChild(document.createTextNode(" "));const r=_({tagName:"span",className:sn.attachmentSize,textContent:n});e.appendChild(r)}}return e}getClassName(){const e=[sn.attachment,"".concat(sn.attachment,"--").concat(this.attachment.getType())],t=this.attachment.getExtension();return t&&e.push("".concat(sn.attachment,"--").concat(t)),e.join(" ")}getData(){const e={trixAttachment:JSON.stringify(this.attachment),trixContentType:this.attachment.getContentType(),trixId:this.attachment.id},{attributes:t}=this.attachmentPiece;return t.isEmpty()||(e.trixAttributes=JSON.stringify(t)),this.attachment.isPending()&&(e.trixSerialize=!1),e}getHref(){if(!dn(this.attachment.getContent(),"a"))return this.attachment.getHref()}getCaptionConfig(){var e;const t=this.attachment.getType(),n=Me(null===(e=o[t])||void 0===e?void 0:e.caption);return"file"===t&&(n.name=!0),n}findProgressElement(){var e;return null===(e=this.findElement())||void 0===e?void 0:e.querySelector("progress")}attachmentDidChangeUploadProgress(){const e=this.attachment.getUploadProgress(),t=this.findProgressElement();t&&(t.value=e)}}const un=e=>_({tagName:"span",textContent:p,data:{trixCursorTarget:e,trixSerialize:!1}}),dn=function(e,t){const n=_("div");return an.setHTML(n,e||""),n.querySelector(t)};class hn extends cn{constructor(){super(...arguments),this.attachment.previewDelegate=this}createContentNodes(){return this.image=_({tagName:"img",attributes:{src:""},data:{trixMutable:!0}}),this.refresh(this.image),[this.image]}createCaptionElement(){const e=super.createCaptionElement(...arguments);return e.textContent||e.setAttribute("data-trix-placeholder",u.captionPlaceholder),e}refresh(e){var t;if(e||(e=null===(t=this.findElement())||void 0===t?void 0:t.querySelector("img")),e)return this.updateAttributesForImage(e)}updateAttributesForImage(e){const t=this.attachment.getURL(),n=this.attachment.getPreviewURL();if(e.src=n||t,n===t)e.removeAttribute("data-trix-serialized-attributes");else{const n=JSON.stringify({src:t});e.setAttribute("data-trix-serialized-attributes",n)}const r=this.attachment.getWidth(),o=this.attachment.getHeight();null!=r&&(e.width=r),null!=o&&(e.height=o);const i=["imageElement",this.attachment.id,e.src,e.width,e.height].join("/");e.dataset.trixStoreKey=i}attachmentDidChangeAttributes(){return this.refresh(this.image),this.refresh()}}class pn extends rt{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 e=this.attachment?this.createAttachmentNodes():this.createStringNodes();const t=this.createElement();if(t){const n=function(e){for(;null!==(t=e)&&void 0!==t&&t.firstElementChild;){var t;e=e.firstElementChild}return e}(t);Array.from(e).forEach((e=>{n.appendChild(e)})),e=[t]}return e}createAttachmentNodes(){const e=this.attachment.isPreviewable()?hn:cn;return this.createChildView(e,this.piece.attachment,{piece:this.piece}).getNodes()}createStringNodes(){var e;if(null!==(e=this.textConfig)&&void 0!==e&&e.plaintext)return[document.createTextNode(this.string)];{const e=[],t=this.string.split("\n");for(let n=0;n<t.length;n++){const r=t[n];if(n>0){const t=_("br");e.push(t)}if(r.length){const t=document.createTextNode(this.preserveSpaces(r));e.push(t)}}return e}}createElement(){let e,t,n;const r={};for(t in this.attributes){n=this.attributes[t];const i=ge(t);if(i){if(i.tagName){var o;const t=_(i.tagName);o?(o.appendChild(t),o=t):e=o=t}if(i.styleProperty&&(r[i.styleProperty]=n),i.style)for(t in i.style)n=i.style[t],r[t]=n}}if(Object.keys(r).length)for(t in e||(e=_("span")),r)n=r[t],e.style[t]=n;return e}createContainerElement(){for(const e in this.attributes){const t=this.attributes[e],n=ge(e);if(n&&n.groupTagName){const r={};return r[e]=t,_(n.groupTagName,r)}}}preserveSpaces(e){return this.context.isLast&&(e=e.replace(/\ $/,f)),e=e.replace(/(\S)\ {3}(\S)/g,"$1 ".concat(f," $2")).replace(/\ {2}/g,"".concat(f," ")).replace(/\ {2}/g," ".concat(f)),(this.context.isFirst||this.context.followsWhitespace)&&(e=e.replace(/^\ /,f)),e}}class fn extends rt{constructor(){super(...arguments),this.text=this.object,this.textConfig=this.options.textConfig}createNodes(){const e=[],t=Je.groupObjects(this.getPieces()),n=t.length-1;for(let o=0;o<t.length;o++){const i=t[o],a={};0===o&&(a.isFirst=!0),o===n&&(a.isLast=!0),mn(r)&&(a.followsWhitespace=!0);const l=this.findOrCreateCachedChildView(pn,i,{textConfig:this.textConfig,context:a});e.push(...Array.from(l.getNodes()||[]));var r=i}return e}getPieces(){return Array.from(this.text.getPieces()).filter((e=>!e.hasAttribute("blockBreak")))}}const mn=e=>/\s$/.test(null==e?void 0:e.toString()),{css:vn}=q;class gn extends rt{constructor(){super(...arguments),this.block=this.object,this.attributes=this.block.getAttributes()}createNodes(){const e=[document.createComment("block")];if(this.block.isEmpty())e.push(_("br"));else{var t;const n=null===(t=me(this.block.getLastAttribute()))||void 0===t?void 0:t.text,r=this.findOrCreateCachedChildView(fn,this.block.text,{textConfig:n});e.push(...Array.from(r.getNodes()||[])),this.shouldAddExtraNewlineElement()&&e.push(_("br"))}if(this.attributes.length)return e;{let t;const{tagName:n}=i.default;this.block.isRTL()&&(t={dir:"rtl"});const r=_({tagName:n,attributes:t});return e.forEach((e=>r.appendChild(e))),[r]}}createContainerElement(e){const t={};let n;const r=this.attributes[e],{tagName:o,htmlAttributes:i=[]}=me(r);if(0===e&&this.block.isRTL()&&Object.assign(t,{dir:"rtl"}),"attachmentGallery"===r){const e=this.block.getBlockBreakPosition();n="".concat(vn.attachmentGallery," ").concat(vn.attachmentGallery,"--").concat(e)}return Object.entries(this.block.htmlAttributes).forEach((e=>{let[n,r]=e;i.includes(n)&&(t[n]=r)})),_({tagName:o,className:n,attributes:t})}shouldAddExtraNewlineElement(){return/\n\n$/.test(this.block.toString())}}class wn extends rt{static render(e){const t=_("div"),n=new this(e,{element:t});return n.render(),n.sync(),t}constructor(){super(...arguments),this.element=this.options.element,this.elementStore=new et,this.setDocument(this.object)}setDocument(e){e.isEqualTo(this.document)||(this.document=this.object=e)}render(){if(this.childViews=[],this.shadowElement=_("div"),!this.document.isEmpty()){const e=Je.groupObjects(this.document.getBlocks(),{asTree:!0});Array.from(e).forEach((e=>{const t=this.findOrCreateCachedChildView(gn,e);Array.from(t.getNodes()).map((e=>this.shadowElement.appendChild(e)))}))}}isSynced(){return bn(this.shadowElement,this.element)}sync(){const e=this.createDocumentFragmentForSync();for(;this.element.lastChild;)this.element.removeChild(this.element.lastChild);return this.element.appendChild(e),this.didSync()}didSync(){return this.elementStore.reset(yn(this.element)),Be((()=>this.garbageCollectCachedViews()))}createDocumentFragmentForSync(){const e=document.createDocumentFragment();return Array.from(this.shadowElement.childNodes).forEach((t=>{e.appendChild(t.cloneNode(!0))})),Array.from(yn(e)).forEach((e=>{const t=this.elementStore.remove(e);t&&e.parentNode.replaceChild(t,e)})),e}}const yn=e=>e.querySelectorAll("[data-trix-store-key]"),bn=(e,t)=>xn(e.innerHTML)===xn(t.innerHTML),xn=e=>e.replace(/&nbsp;/g," ");function kn(e){var t,n;function r(t,n){try{var i=e[t](n),a=i.value,l=a instanceof En;Promise.resolve(l?a.v:a).then((function(n){if(l){var s="return"===t?"return":"next";if(!a.k||n.done)return r(s,n);n=e[s](n).value}o(i.done?"return":"normal",n)}),(function(e){r("throw",e)}))}catch(e){o("throw",e)}}function o(e,o){switch(e){case"return":t.resolve({value:o,done:!0});break;case"throw":t.reject(o);break;default:t.resolve({value:o,done:!1})}(t=t.next)?r(t.key,t.arg):n=null}this._invoke=function(e,o){return new Promise((function(i,a){var l={key:e,arg:o,resolve:i,reject:a,next:null};n?n=n.next=l:(t=n=l,r(e,o))}))},"function"!=typeof e.return&&(this.return=void 0)}function En(e,t){this.v=e,this.k=t}function An(e,t,n){return(t=function(e){var t=function(e,t){if("object"!=typeof e||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!=typeof r)return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"==typeof t?t:String(t)}(t))in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function Cn(e,t){return function(e,t){return t.get?t.get.call(e):t.value}(e,Mn(e,t,"get"))}function Bn(e,t,n){return function(e,t,n){if(t.set)t.set.call(e,n);else{if(!t.writable)throw new TypeError("attempted to set read only private field");t.value=n}}(e,Mn(e,t,"set"),n),n}function Mn(e,t,n){if(!t.has(e))throw new TypeError("attempted to "+n+" private field on non-instance");return t.get(e)}function _n(e,t,n){if(!t.has(e))throw new TypeError("attempted to get private field on non-instance");return n}function Sn(e,t){if(t.has(e))throw new TypeError("Cannot initialize the same private elements twice on an object")}function Nn(e,t,n){Sn(e,t),t.set(e,n)}kn.prototype["function"==typeof Symbol&&Symbol.asyncIterator||"@@asyncIterator"]=function(){return this},kn.prototype.next=function(e){return this._invoke("next",e)},kn.prototype.throw=function(e){return this._invoke("throw",e)},kn.prototype.return=function(e){return this._invoke("return",e)};class Vn extends ie{static registerType(e,t){t.type=e,this.types[e]=t}static fromJSON(e){const t=this.types[e.type];if(t)return t.fromJSON(e)}constructor(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};super(...arguments),this.attributes=$e.box(t)}copyWithAttributes(e){return new this.constructor(this.getValue(),e)}copyWithAdditionalAttributes(e){return this.copyWithAttributes(this.attributes.merge(e))}copyWithoutAttribute(e){return this.copyWithAttributes(this.attributes.remove(e))}copy(){return this.copyWithAttributes(this.attributes)}getAttribute(e){return this.attributes.get(e)}getAttributesHash(){return this.attributes}getAttributes(){return this.attributes.toObject()}hasAttribute(e){return this.attributes.has(e)}hasSameStringValueAsPiece(e){return e&&this.toString()===e.toString()}hasSameAttributesAsPiece(e){return e&&(this.attributes===e.attributes||this.attributes.isEqualTo(e.attributes))}isBlockBreak(){return!1}isEqualTo(e){return super.isEqualTo(...arguments)||this.hasSameConstructorAs(e)&&this.hasSameStringValueAsPiece(e)&&this.hasSameAttributesAsPiece(e)}isEmpty(){return 0===this.length}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(e){return this.getAttribute("href")===e.getAttribute("href")}getLength(){return this.length}canBeConsolidatedWith(e){return!1}}An(Vn,"types",{});class Ln extends nt{constructor(e){super(...arguments),this.url=e}perform(e){const t=new Image;t.onload=()=>(t.width=this.width=t.naturalWidth,t.height=this.height=t.naturalHeight,e(!0,t)),t.onerror=()=>e(!1),t.src=this.url}}class Tn extends ie{static attachmentForFile(e){const t=new this(this.attributesForFile(e));return t.setFile(e),t}static attributesForFile(e){return new $e({filename:e.name,filesize:e.size,contentType:e.type})}static fromJSON(e){return new this(e)}constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};super(e),this.releaseFile=this.releaseFile.bind(this),this.attributes=$e.box(e),this.didChangeAttributes()}getAttribute(e){return this.attributes.get(e)}hasAttribute(e){return this.attributes.has(e)}getAttributes(){return this.attributes.toObject()}setAttributes(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};const t=this.attributes.merge(e);var n,r,o,i;if(!this.attributes.isEqualTo(t))return this.attributes=t,this.didChangeAttributes(),null===(n=this.previewDelegate)||void 0===n||null===(r=n.attachmentDidChangeAttributes)||void 0===r||r.call(n,this),null===(o=this.delegate)||void 0===o||null===(i=o.attachmentDidChangeAttributes)||void 0===i?void 0:i.call(o,this)}didChangeAttributes(){if(this.isPreviewable())return this.preloadURL()}isPending(){return null!=this.file&&!(this.getURL()||this.getHref())}isPreviewable(){return this.attributes.has("previewable")?this.attributes.get("previewable"):Tn.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(){const e=this.attributes.get("filesize");return"number"==typeof e?h.formatter(e):""}getExtension(){var e;return null===(e=this.getFilename().match(/\.(\w+)$/))||void 0===e?void 0:e[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(e){if(this.file=e,this.isPreviewable())return this.preloadFile()}releaseFile(){this.releasePreloadedFile(),this.file=null}getUploadProgress(){return null!=this.uploadProgress?this.uploadProgress:0}setUploadProgress(e){var t,n;if(this.uploadProgress!==e)return this.uploadProgress=e,null===(t=this.uploadProgressDelegate)||void 0===t||null===(n=t.attachmentDidChangeUploadProgress)||void 0===n?void 0:n.call(t,this)}toJSON(){return this.getAttributes()}getCacheKey(){return[super.getCacheKey(...arguments),this.attributes.getCacheKey(),this.getPreviewURL()].join("/")}getPreviewURL(){return this.previewURL||this.preloadingURL}setPreviewURL(e){var t,n,r,o;if(e!==this.getPreviewURL())return this.previewURL=e,null===(t=this.previewDelegate)||void 0===t||null===(n=t.attachmentDidChangeAttributes)||void 0===n||n.call(t,this),null===(r=this.delegate)||void 0===r||null===(o=r.attachmentDidChangePreviewURL)||void 0===o?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(e,t){if(e&&e!==this.getPreviewURL())return this.preloadingURL=e,new Ln(e).then((n=>{let{width:r,height:o}=n;return this.getWidth()&&this.getHeight()||this.setAttributes({width:r,height:o}),this.preloadingURL=null,this.setPreviewURL(e),null==t?void 0:t()})).catch((()=>(this.preloadingURL=null,null==t?void 0:t())))}}An(Tn,"previewablePattern",/^image(\/(gif|png|webp|jpe?g)|$)/);class In extends Vn{static fromJSON(e){return new this(Tn.fromJSON(e.attachment),e.attributes)}constructor(e){super(...arguments),this.attachment=e,this.length=1,this.ensureAttachmentExclusivelyHasAttribute("href"),this.attachment.hasContent()||this.removeProhibitedAttributes()}ensureAttachmentExclusivelyHasAttribute(e){this.hasAttribute(e)&&(this.attachment.hasAttribute(e)||this.attachment.setAttributes(this.attributes.slice([e])),this.attributes=this.attributes.remove(e))}removeProhibitedAttributes(){const e=this.attributes.slice(In.permittedAttributes);e.isEqualTo(this.attributes)||(this.attributes=e)}getValue(){return this.attachment}isSerializable(){return!this.attachment.isPending()}getCaption(){return this.attributes.get("caption")||""}isEqualTo(e){var t;return super.isEqualTo(e)&&this.attachment.id===(null==e||null===(t=e.attachment)||void 0===t?void 0:t.id)}toString(){return""}toJSON(){const e=super.toJSON(...arguments);return e.attachment=this.attachment,e}getCacheKey(){return[super.getCacheKey(...arguments),this.attachment.getCacheKey()].join("/")}toConsole(){return JSON.stringify(this.toString())}}An(In,"permittedAttributes",["caption","presentation"]),Vn.registerType("attachment",In);class Zn extends Vn{static fromJSON(e){return new this(e.string,e.attributes)}constructor(e){super(...arguments),this.string=(e=>e.replace(/\r\n?/g,"\n"))(e),this.length=this.string.length}getValue(){return this.string}toString(){return this.string.toString()}isBlockBreak(){return"\n"===this.toString()&&!0===this.getAttribute("blockBreak")}toJSON(){const e=super.toJSON(...arguments);return e.string=this.string,e}canBeConsolidatedWith(e){return e&&this.hasSameConstructorAs(e)&&this.hasSameAttributesAsPiece(e)}consolidateWith(e){return new this.constructor(this.toString()+e.toString(),this.attributes)}splitAtOffset(e){let t,n;return 0===e?(t=null,n=this):e===this.length?(t=this,n=null):(t=new this.constructor(this.string.slice(0,e),this.attributes),n=new this.constructor(this.string.slice(e),this.attributes)),[t,n]}toConsole(){let{string:e}=this;return e.length>15&&(e=e.slice(0,14)+"…"),JSON.stringify(e.toString())}}Vn.registerType("string",Zn);class On extends ie{static box(e){return e instanceof this?e:new this(e)}constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];super(...arguments),this.objects=e.slice(0),this.length=this.objects.length}indexOf(e){return this.objects.indexOf(e)}splice(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return new this.constructor(le(this.objects,...t))}eachObject(e){return this.objects.map(((t,n)=>e(t,n)))}insertObjectAtIndex(e,t){return this.splice(t,0,e)}insertSplittableListAtIndex(e,t){return this.splice(t,0,...e.objects)}insertSplittableListAtPosition(e,t){const[n,r]=this.splitObjectAtPosition(t);return new this.constructor(n).insertSplittableListAtIndex(e,r)}editObjectAtIndex(e,t){return this.replaceObjectAtIndex(t(this.objects[e]),e)}replaceObjectAtIndex(e,t){return this.splice(t,1,e)}removeObjectAtIndex(e){return this.splice(e,1)}getObjectAtIndex(e){return this.objects[e]}getSplittableListInRange(e){const[t,n,r]=this.splitObjectsAtRange(e);return new this.constructor(t.slice(n,r+1))}selectSplittableList(e){const t=this.objects.filter((t=>e(t)));return new this.constructor(t)}removeObjectsInRange(e){const[t,n,r]=this.splitObjectsAtRange(e);return new this.constructor(t).splice(n,r-n+1)}transformObjectsInRange(e,t){const[n,r,o]=this.splitObjectsAtRange(e),i=n.map(((e,n)=>r<=n&&n<=o?t(e):e));return new this.constructor(i)}splitObjectsAtRange(e){let t,[n,r,o]=this.splitObjectAtPosition(Rn(e));return[n,t]=new this.constructor(n).splitObjectAtPosition(Hn(e)+o),[n,r,t-1]}getObjectAtPosition(e){const{index:t}=this.findIndexAndOffsetAtPosition(e);return this.objects[t]}splitObjectAtPosition(e){let t,n;const{index:r,offset:o}=this.findIndexAndOffsetAtPosition(e),i=this.objects.slice(0);if(null!=r)if(0===o)t=r,n=0;else{const e=this.getObjectAtIndex(r),[a,l]=e.splitAtOffset(o);i.splice(r,1,a,l),t=r+1,n=a.getLength()-o}else t=i.length,n=0;return[i,t,n]}consolidate(){const e=[];let t=this.objects[0];return this.objects.slice(1).forEach((n=>{var r,o;null!==(r=(o=t).canBeConsolidatedWith)&&void 0!==r&&r.call(o,n)?t=t.consolidateWith(n):(e.push(t),t=n)})),t&&e.push(t),new this.constructor(e)}consolidateFromIndexToIndex(e,t){const n=this.objects.slice(0).slice(e,t+1),r=new this.constructor(n).consolidate().toArray();return this.splice(e,n.length,...r)}findIndexAndOffsetAtPosition(e){let t,n=0;for(t=0;t<this.objects.length;t++){const r=n+this.objects[t].getLength();if(n<=e&&e<r)return{index:t,offset:e-n};n=r}return{index:null,offset:null}}findPositionAtIndexAndOffset(e,t){let n=0;for(let r=0;r<this.objects.length;r++){const o=this.objects[r];if(r<e)n+=o.getLength();else if(r===e){n+=t;break}}return n}getEndPosition(){return null==this.endPosition&&(this.endPosition=0,this.objects.forEach((e=>this.endPosition+=e.getLength()))),this.endPosition}toString(){return this.objects.join("")}toArray(){return this.objects.slice(0)}toJSON(){return this.toArray()}isEqualTo(e){return super.isEqualTo(...arguments)||Dn(this.objects,null==e?void 0:e.objects)}contentsForInspection(){return{objects:"[".concat(this.objects.map((e=>e.inspect())).join(", "),"]")}}}const Dn=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];if(e.length!==t.length)return!1;let n=!0;for(let r=0;r<e.length;r++){const o=e[r];n&&!o.isEqualTo(t[r])&&(n=!1)}return n},Rn=e=>e[0],Hn=e=>e[1];class Pn extends ie{static textForAttachmentWithAttributes(e,t){return new this([new In(e,t)])}static textForStringWithAttributes(e,t){return new this([new Zn(e,t)])}static fromJSON(e){return new this(Array.from(e).map((e=>Vn.fromJSON(e))))}constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];super(...arguments);const t=e.filter((e=>!e.isEmpty()));this.pieceList=new On(t)}copy(){return this.copyWithPieceList(this.pieceList)}copyWithPieceList(e){return new this.constructor(e.consolidate().toArray())}copyUsingObjectMap(e){const t=this.getPieces().map((t=>e.find(t)||t));return new this.constructor(t)}appendText(e){return this.insertTextAtPosition(e,this.getLength())}insertTextAtPosition(e,t){return this.copyWithPieceList(this.pieceList.insertSplittableListAtPosition(e.pieceList,t))}removeTextAtRange(e){return this.copyWithPieceList(this.pieceList.removeObjectsInRange(e))}replaceTextAtRange(e,t){return this.removeTextAtRange(t).insertTextAtPosition(e,t[0])}moveTextFromRangeToPosition(e,t){if(e[0]<=t&&t<=e[1])return;const n=this.getTextAtRange(e),r=n.getLength();return e[0]<t&&(t-=r),this.removeTextAtRange(e).insertTextAtPosition(n,t)}addAttributeAtRange(e,t,n){const r={};return r[e]=t,this.addAttributesAtRange(r,n)}addAttributesAtRange(e,t){return this.copyWithPieceList(this.pieceList.transformObjectsInRange(t,(t=>t.copyWithAdditionalAttributes(e))))}removeAttributeAtRange(e,t){return this.copyWithPieceList(this.pieceList.transformObjectsInRange(t,(t=>t.copyWithoutAttribute(e))))}setAttributesAtRange(e,t){return this.copyWithPieceList(this.pieceList.transformObjectsInRange(t,(t=>t.copyWithAttributes(e))))}getAttributesAtPosition(e){var t;return(null===(t=this.pieceList.getObjectAtPosition(e))||void 0===t?void 0:t.getAttributes())||{}}getCommonAttributes(){const e=Array.from(this.pieceList.toArray()).map((e=>e.getAttributes()));return $e.fromCommonAttributesOfObjects(e).toObject()}getCommonAttributesAtRange(e){return this.getTextAtRange(e).getCommonAttributes()||{}}getExpandedRangeForAttributeAtOffset(e,t){let n,r=n=t;const o=this.getLength();for(;r>0&&this.getCommonAttributesAtRange([r-1,n])[e];)r--;for(;n<o&&this.getCommonAttributesAtRange([t,n+1])[e];)n++;return[r,n]}getTextAtRange(e){return this.copyWithPieceList(this.pieceList.getSplittableListInRange(e))}getStringAtRange(e){return this.pieceList.getSplittableListInRange(e).toString()}getStringAtPosition(e){return this.getStringAtRange([e,e+1])}startsWithString(e){return this.getStringAtRange([0,e.length])===e}endsWithString(e){const t=this.getLength();return this.getStringAtRange([t-e.length,t])===e}getAttachmentPieces(){return this.pieceList.toArray().filter((e=>!!e.attachment))}getAttachments(){return this.getAttachmentPieces().map((e=>e.attachment))}getAttachmentAndPositionById(e){let t=0;for(const r of this.pieceList.toArray()){var n;if((null===(n=r.attachment)||void 0===n?void 0:n.id)===e)return{attachment:r.attachment,position:t};t+=r.length}return{attachment:null,position:null}}getAttachmentById(e){const{attachment:t}=this.getAttachmentAndPositionById(e);return t}getRangeOfAttachment(e){const t=this.getAttachmentAndPositionById(e.id),n=t.position;if(e=t.attachment)return[n,n+1]}updateAttributesForAttachment(e,t){const n=this.getRangeOfAttachment(t);return n?this.addAttributesAtRange(e,n):this}getLength(){return this.pieceList.getEndPosition()}isEmpty(){return 0===this.getLength()}isEqualTo(e){var t;return super.isEqualTo(e)||(null==e||null===(t=e.pieceList)||void 0===t?void 0:t.isEqualTo(this.pieceList))}isBlockBreak(){return 1===this.getLength()&&this.pieceList.getObjectAtIndex(0).isBlockBreak()}eachPiece(e){return this.pieceList.eachObject(e)}getPieces(){return this.pieceList.toArray()}getPieceAtPosition(e){return this.pieceList.getObjectAtPosition(e)}contentsForInspection(){return{pieceList:this.pieceList.inspect()}}toSerializableText(){const e=this.pieceList.selectSplittableList((e=>e.isSerializable()));return this.copyWithPieceList(e)}toString(){return this.pieceList.toString()}toJSON(){return this.pieceList.toJSON()}toConsole(){return JSON.stringify(this.pieceList.toArray().map((e=>JSON.parse(e.toConsole()))))}getDirection(){return ce(this.toString())}isRTL(){return"rtl"===this.getDirection()}}class jn extends ie{static fromJSON(e){return new this(Pn.fromJSON(e.text),e.attributes,e.htmlAttributes)}constructor(e,t,n){super(...arguments),this.text=Fn(e||new Pn),this.attributes=t||[],this.htmlAttributes=n||{}}isEmpty(){return this.text.isBlockBreak()}isEqualTo(e){return!!super.isEqualTo(e)||this.text.isEqualTo(null==e?void 0:e.text)&&ae(this.attributes,null==e?void 0:e.attributes)&&_e(this.htmlAttributes,null==e?void 0:e.htmlAttributes)}copyWithText(e){return new jn(e,this.attributes,this.htmlAttributes)}copyWithoutText(){return this.copyWithText(null)}copyWithAttributes(e){return new jn(this.text,e,this.htmlAttributes)}copyWithoutAttributes(){return this.copyWithAttributes(null)}copyUsingObjectMap(e){const t=e.find(this.text);return t?this.copyWithText(t):this.copyWithText(this.text.copyUsingObjectMap(e))}addAttribute(e){const t=this.attributes.concat(Gn(e));return this.copyWithAttributes(t)}addHTMLAttribute(e,t){const n=Object.assign({},this.htmlAttributes,{[e]:t});return new jn(this.text,this.attributes,n)}removeAttribute(e){const{listAttribute:t}=me(e),n=Yn(Yn(this.attributes,e),t);return this.copyWithAttributes(n)}removeLastAttribute(){return this.removeAttribute(this.getLastAttribute())}getLastAttribute(){return Kn(this.attributes)}getAttributes(){return this.attributes.slice(0)}getAttributeLevel(){return this.attributes.length}getAttributeAtLevel(e){return this.attributes[e-1]}hasAttribute(e){return this.attributes.includes(e)}hasAttributes(){return this.getAttributeLevel()>0}getLastNestableAttribute(){return Kn(this.getNestableAttributes())}getNestableAttributes(){return this.attributes.filter((e=>me(e).nestable))}getNestingLevel(){return this.getNestableAttributes().length}decreaseNestingLevel(){const e=this.getLastNestableAttribute();return e?this.removeAttribute(e):this}increaseNestingLevel(){const e=this.getLastNestableAttribute();if(e){const t=this.attributes.lastIndexOf(e),n=le(this.attributes,t+1,0,...Gn(e));return this.copyWithAttributes(n)}return this}getListItemAttributes(){return this.attributes.filter((e=>me(e).listAttribute))}isListItem(){var e;return null===(e=me(this.getLastAttribute()))||void 0===e?void 0:e.listAttribute}isTerminalBlock(){var e;return null===(e=me(this.getLastAttribute()))||void 0===e?void 0:e.terminal}breaksOnReturn(){var e;return null===(e=me(this.getLastAttribute()))||void 0===e?void 0:e.breakOnReturn}findLineBreakInDirectionFromPosition(e,t){const n=this.toString();let r;switch(e){case"forward":r=n.indexOf("\n",t);break;case"backward":r=n.slice(0,t).lastIndexOf("\n")}if(-1!==r)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(e){return!this.hasAttributes()&&!e.hasAttributes()&&this.getDirection()===e.getDirection()}consolidateWith(e){const t=Pn.textForStringWithAttributes("\n"),n=this.getTextWithoutBlockBreak().appendText(t);return this.copyWithText(n.appendText(e.text))}splitAtOffset(e){let t,n;return 0===e?(t=null,n=this):e===this.getLength()?(t=this,n=null):(t=this.copyWithText(this.text.getTextAtRange([0,e])),n=this.copyWithText(this.text.getTextAtRange([e,this.getLength()]))),[t,n]}getBlockBreakPosition(){return this.text.getLength()-1}getTextWithoutBlockBreak(){return $n(this.text)?this.text.getTextAtRange([0,this.getBlockBreakPosition()]):this.text.copy()}canBeGrouped(e){return this.attributes[e]}canBeGroupedWith(e,t){const n=e.getAttributes(),r=n[t],o=this.attributes[t];return o===r&&!(!1===me(o).group&&!(()=>{if(!pe){pe=[];for(const e in i){const{listAttribute:t}=i[e];null!=t&&pe.push(t)}}return pe})().includes(n[t+1]))&&(this.getDirection()===e.getDirection()||e.isEmpty())}}const Fn=function(e){return e=zn(e),Un(e)},zn=function(e){let t=!1;const n=e.getPieces();let r=n.slice(0,n.length-1);const o=n[n.length-1];return o?(r=r.map((e=>e.isBlockBreak()?(t=!0,Wn(e)):e)),t?new Pn([...r,o]):e):e},qn=Pn.textForStringWithAttributes("\n",{blockBreak:!0}),Un=function(e){return $n(e)?e:e.appendText(qn)},$n=function(e){const t=e.getLength();return 0!==t&&e.getTextAtRange([t-1,t]).isBlockBreak()},Wn=e=>e.copyWithoutAttribute("blockBreak"),Gn=function(e){const{listAttribute:t}=me(e);return t?[t,e]:[e]},Kn=e=>e.slice(-1)[0],Yn=function(e,t){const n=e.lastIndexOf(t);return-1===n?e:le(e,n,1)};class Xn extends ie{static fromJSON(e){return new this(Array.from(e).map((e=>jn.fromJSON(e))))}static fromString(e,t){const n=Pn.textForStringWithAttributes(e,t);return new this([new jn(n)])}constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];super(...arguments),0===e.length&&(e=[new jn]),this.blockList=On.box(e)}isEmpty(){const e=this.getBlockAtIndex(0);return 1===this.blockList.length&&e.isEmpty()&&!e.hasAttributes()}copy(){const e=(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).consolidateBlocks?this.blockList.consolidate().toArray():this.blockList.toArray();return new this.constructor(e)}copyUsingObjectsFromDocument(e){const t=new Qe(e.getObjects());return this.copyUsingObjectMap(t)}copyUsingObjectMap(e){const t=this.getBlocks().map((t=>e.find(t)||t.copyUsingObjectMap(e)));return new this.constructor(t)}copyWithBaseBlockAttributes(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];const t=this.getBlocks().map((t=>{const n=e.concat(t.getAttributes());return t.copyWithAttributes(n)}));return new this.constructor(t)}replaceBlock(e,t){const n=this.blockList.indexOf(e);return-1===n?this:new this.constructor(this.blockList.replaceObjectAtIndex(t,n))}insertDocumentAtRange(e,t){const{blockList:n}=e;t=Se(t);let[r]=t;const{index:o,offset:i}=this.locationFromPosition(r);let a=this;const l=this.getBlockAtPosition(r);return Ne(t)&&l.isEmpty()&&!l.hasAttributes()?a=new this.constructor(a.blockList.removeObjectAtIndex(o)):l.getBlockBreakPosition()===i&&r++,a=a.removeTextAtRange(t),new this.constructor(a.blockList.insertSplittableListAtPosition(n,r))}mergeDocumentAtRange(e,t){let n,r;t=Se(t);const[o]=t,i=this.locationFromPosition(o),a=this.getBlockAtIndex(i.index).getAttributes(),l=e.getBaseBlockAttributes(),s=a.slice(-l.length);if(ae(l,s)){const t=a.slice(0,-l.length);n=e.copyWithBaseBlockAttributes(t)}else n=e.copy({consolidateBlocks:!0}).copyWithBaseBlockAttributes(a);const c=n.getBlockCount(),u=n.getBlockAtIndex(0);if(ae(a,u.getAttributes())){const e=u.getTextWithoutBlockBreak();if(r=this.insertTextAtRange(e,t),c>1){n=new this.constructor(n.getBlocks().slice(1));const t=o+e.getLength();r=r.insertDocumentAtRange(n,t)}}else r=this.insertDocumentAtRange(n,t);return r}insertTextAtRange(e,t){t=Se(t);const[n]=t,{index:r,offset:o}=this.locationFromPosition(n),i=this.removeTextAtRange(t);return new this.constructor(i.blockList.editObjectAtIndex(r,(t=>t.copyWithText(t.text.insertTextAtPosition(e,o)))))}removeTextAtRange(e){let t;e=Se(e);const[n,r]=e;if(Ne(e))return this;const[o,i]=Array.from(this.locationRangeFromRange(e)),a=o.index,l=o.offset,s=this.getBlockAtIndex(a),c=i.index,u=i.offset,d=this.getBlockAtIndex(c);if(r-n==1&&s.getBlockBreakPosition()===l&&d.getBlockBreakPosition()!==u&&"\n"===d.text.getStringAtPosition(u))t=this.blockList.editObjectAtIndex(c,(e=>e.copyWithText(e.text.removeTextAtRange([u,u+1]))));else{let e;const n=s.text.getTextAtRange([0,l]),r=d.text.getTextAtRange([u,d.getLength()]),o=n.appendText(r);e=a!==c&&0===l&&s.getAttributeLevel()>=d.getAttributeLevel()?d.copyWithText(o):s.copyWithText(o);const i=c+1-a;t=this.blockList.splice(a,i,e)}return new this.constructor(t)}moveTextFromRangeToPosition(e,t){let n;e=Se(e);const[r,o]=e;if(r<=t&&t<=o)return this;let i=this.getDocumentAtRange(e),a=this.removeTextAtRange(e);const l=r<t;l&&(t-=i.getLength());const[s,...c]=i.getBlocks();return 0===c.length?(n=s.getTextWithoutBlockBreak(),l&&(t+=1)):n=s.text,a=a.insertTextAtRange(n,t),0===c.length?a:(i=new this.constructor(c),t+=n.getLength(),a.insertDocumentAtRange(i,t))}addAttributeAtRange(e,t,n){let{blockList:r}=this;return this.eachBlockAtRange(n,((n,o,i)=>r=r.editObjectAtIndex(i,(function(){return me(e)?n.addAttribute(e,t):o[0]===o[1]?n:n.copyWithText(n.text.addAttributeAtRange(e,t,o))})))),new this.constructor(r)}addAttribute(e,t){let{blockList:n}=this;return this.eachBlock(((r,o)=>n=n.editObjectAtIndex(o,(()=>r.addAttribute(e,t))))),new this.constructor(n)}removeAttributeAtRange(e,t){let{blockList:n}=this;return this.eachBlockAtRange(t,(function(t,r,o){me(e)?n=n.editObjectAtIndex(o,(()=>t.removeAttribute(e))):r[0]!==r[1]&&(n=n.editObjectAtIndex(o,(()=>t.copyWithText(t.text.removeAttributeAtRange(e,r)))))})),new this.constructor(n)}updateAttributesForAttachment(e,t){const n=this.getRangeOfAttachment(t),[r]=Array.from(n),{index:o}=this.locationFromPosition(r),i=this.getTextAtIndex(o);return new this.constructor(this.blockList.editObjectAtIndex(o,(n=>n.copyWithText(i.updateAttributesForAttachment(e,t)))))}removeAttributeForAttachment(e,t){const n=this.getRangeOfAttachment(t);return this.removeAttributeAtRange(e,n)}setHTMLAttributeAtPosition(e,t,n){const r=this.getBlockAtPosition(e),o=r.addHTMLAttribute(t,n);return this.replaceBlock(r,o)}insertBlockBreakAtRange(e){let t;e=Se(e);const[n]=e,{offset:r}=this.locationFromPosition(n),o=this.removeTextAtRange(e);return 0===r&&(t=[new jn]),new this.constructor(o.blockList.insertSplittableListAtPosition(new On(t),n))}applyBlockAttributeAtRange(e,t,n){const r=this.expandRangeToLineBreaksAndSplitBlocks(n);let o=r.document;n=r.range;const i=me(e);if(i.listAttribute){o=o.removeLastListAttributeAtRange(n,{exceptAttributeName:e});const t=o.convertLineBreaksToBlockBreaksInRange(n);o=t.document,n=t.range}else o=i.exclusive?o.removeBlockAttributesAtRange(n):i.terminal?o.removeLastTerminalAttributeAtRange(n):o.consolidateBlocksAtRange(n);return o.addAttributeAtRange(e,t,n)}removeLastListAttributeAtRange(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},{blockList:n}=this;return this.eachBlockAtRange(e,(function(e,r,o){const i=e.getLastAttribute();i&&me(i).listAttribute&&i!==t.exceptAttributeName&&(n=n.editObjectAtIndex(o,(()=>e.removeAttribute(i))))})),new this.constructor(n)}removeLastTerminalAttributeAtRange(e){let{blockList:t}=this;return this.eachBlockAtRange(e,(function(e,n,r){const o=e.getLastAttribute();o&&me(o).terminal&&(t=t.editObjectAtIndex(r,(()=>e.removeAttribute(o))))})),new this.constructor(t)}removeBlockAttributesAtRange(e){let{blockList:t}=this;return this.eachBlockAtRange(e,(function(e,n,r){e.hasAttributes()&&(t=t.editObjectAtIndex(r,(()=>e.copyWithoutAttributes())))})),new this.constructor(t)}expandRangeToLineBreaksAndSplitBlocks(e){let t;e=Se(e);let[n,r]=e;const o=this.locationFromPosition(n),i=this.locationFromPosition(r);let a=this;const l=a.getBlockAtIndex(o.index);if(o.offset=l.findLineBreakInDirectionFromPosition("backward",o.offset),null!=o.offset&&(t=a.positionFromLocation(o),a=a.insertBlockBreakAtRange([t,t+1]),i.index+=1,i.offset-=a.getBlockAtIndex(o.index).getLength(),o.index+=1),o.offset=0,0===i.offset&&i.index>o.index)i.index-=1,i.offset=a.getBlockAtIndex(i.index).getBlockBreakPosition();else{const e=a.getBlockAtIndex(i.index);"\n"===e.text.getStringAtRange([i.offset-1,i.offset])?i.offset-=1:i.offset=e.findLineBreakInDirectionFromPosition("forward",i.offset),i.offset!==e.getBlockBreakPosition()&&(t=a.positionFromLocation(i),a=a.insertBlockBreakAtRange([t,t+1]))}return n=a.positionFromLocation(o),r=a.positionFromLocation(i),{document:a,range:e=Se([n,r])}}convertLineBreaksToBlockBreaksInRange(e){e=Se(e);let[t]=e;const n=this.getStringAtRange(e).slice(0,-1);let r=this;return n.replace(/.*?\n/g,(function(e){t+=e.length,r=r.insertBlockBreakAtRange([t-1,t])})),{document:r,range:e}}consolidateBlocksAtRange(e){e=Se(e);const[t,n]=e,r=this.locationFromPosition(t).index,o=this.locationFromPosition(n).index;return new this.constructor(this.blockList.consolidateFromIndexToIndex(r,o))}getDocumentAtRange(e){e=Se(e);const t=this.blockList.getSplittableListInRange(e).toArray();return new this.constructor(t)}getStringAtRange(e){let t;const n=e=Se(e);return n[n.length-1]!==this.getLength()&&(t=-1),this.getDocumentAtRange(e).toString().slice(0,t)}getBlockAtIndex(e){return this.blockList.getObjectAtIndex(e)}getBlockAtPosition(e){const{index:t}=this.locationFromPosition(e);return this.getBlockAtIndex(t)}getTextAtIndex(e){var t;return null===(t=this.getBlockAtIndex(e))||void 0===t?void 0:t.text}getTextAtPosition(e){const{index:t}=this.locationFromPosition(e);return this.getTextAtIndex(t)}getPieceAtPosition(e){const{index:t,offset:n}=this.locationFromPosition(e);return this.getTextAtIndex(t).getPieceAtPosition(n)}getCharacterAtPosition(e){const{index:t,offset:n}=this.locationFromPosition(e);return this.getTextAtIndex(t).getStringAtRange([n,n+1])}getLength(){return this.blockList.getEndPosition()}getBlocks(){return this.blockList.toArray()}getBlockCount(){return this.blockList.length}getEditCount(){return this.editCount}eachBlock(e){return this.blockList.eachObject(e)}eachBlockAtRange(e,t){let n,r;e=Se(e);const[o,i]=e,a=this.locationFromPosition(o),l=this.locationFromPosition(i);if(a.index===l.index)return n=this.getBlockAtIndex(a.index),r=[a.offset,l.offset],t(n,r,a.index);for(let e=a.index;e<=l.index;e++)if(n=this.getBlockAtIndex(e),n){switch(e){case a.index:r=[a.offset,n.text.getLength()];break;case l.index:r=[0,l.offset];break;default:r=[0,n.text.getLength()]}t(n,r,e)}}getCommonAttributesAtRange(e){e=Se(e);const[t]=e;if(Ne(e))return this.getCommonAttributesAtPosition(t);{const t=[],n=[];return this.eachBlockAtRange(e,(function(e,r){if(r[0]!==r[1])return t.push(e.text.getCommonAttributesAtRange(r)),n.push(Jn(e))})),$e.fromCommonAttributesOfObjects(t).merge($e.fromCommonAttributesOfObjects(n)).toObject()}}getCommonAttributesAtPosition(e){let t,n;const{index:r,offset:o}=this.locationFromPosition(e),i=this.getBlockAtIndex(r);if(!i)return{};const a=Jn(i),l=i.text.getAttributesAtPosition(o),s=i.text.getAttributesAtPosition(o-1),c=Object.keys(j).filter((e=>j[e].inheritable));for(t in s)n=s[t],(n===l[t]||c.includes(t))&&(a[t]=n);return a}getRangeOfCommonAttributeAtPosition(e,t){const{index:n,offset:r}=this.locationFromPosition(t),o=this.getTextAtIndex(n),[i,a]=Array.from(o.getExpandedRangeForAttributeAtOffset(e,r)),l=this.positionFromLocation({index:n,offset:i}),s=this.positionFromLocation({index:n,offset:a});return Se([l,s])}getBaseBlockAttributes(){let e=this.getBlockAtIndex(0).getAttributes();for(let t=1;t<this.getBlockCount();t++){const n=this.getBlockAtIndex(t).getAttributes(),r=Math.min(e.length,n.length);e=(()=>{const t=[];for(let o=0;o<r&&n[o]===e[o];o++)t.push(n[o]);return t})()}return e}getAttachmentById(e){for(const t of this.getAttachments())if(t.id===e)return t}getAttachmentPieces(){let e=[];return this.blockList.eachObject((t=>{let{text:n}=t;return e=e.concat(n.getAttachmentPieces())})),e}getAttachments(){return this.getAttachmentPieces().map((e=>e.attachment))}getRangeOfAttachment(e){let t=0;const n=this.blockList.toArray();for(let r=0;r<n.length;r++){const{text:o}=n[r],i=o.getRangeOfAttachment(e);if(i)return Se([t+i[0],t+i[1]]);t+=o.getLength()}}getLocationRangeOfAttachment(e){const t=this.getRangeOfAttachment(e);return this.locationRangeFromRange(t)}getAttachmentPieceForAttachment(e){for(const t of this.getAttachmentPieces())if(t.attachment===e)return t}findRangesForBlockAttribute(e){let t=0;const n=[];return this.getBlocks().forEach((r=>{const o=r.getLength();r.hasAttribute(e)&&n.push([t,t+o]),t+=o})),n}findRangesForTextAttribute(e){let{withValue:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=0,r=[];const o=[];return this.getPieces().forEach((i=>{const a=i.getLength();(function(n){return t?n.getAttribute(e)===t:n.hasAttribute(e)})(i)&&(r[1]===n?r[1]=n+a:o.push(r=[n,n+a])),n+=a})),o}locationFromPosition(e){const t=this.blockList.findIndexAndOffsetAtPosition(Math.max(0,e));if(null!=t.index)return t;{const e=this.getBlocks();return{index:e.length-1,offset:e[e.length-1].getLength()}}}positionFromLocation(e){return this.blockList.findPositionAtIndexAndOffset(e.index,e.offset)}locationRangeFromPosition(e){return Se(this.locationFromPosition(e))}locationRangeFromRange(e){if(!(e=Se(e)))return;const[t,n]=Array.from(e),r=this.locationFromPosition(t),o=this.locationFromPosition(n);return Se([r,o])}rangeFromLocationRange(e){let t;e=Se(e);const n=this.positionFromLocation(e[0]);return Ne(e)||(t=this.positionFromLocation(e[1])),Se([n,t])}isEqualTo(e){return this.blockList.isEqualTo(null==e?void 0:e.blockList)}getTexts(){return this.getBlocks().map((e=>e.text))}getPieces(){const e=[];return Array.from(this.getTexts()).forEach((t=>{e.push(...Array.from(t.getPieces()||[]))})),e}getObjects(){return this.getBlocks().concat(this.getTexts()).concat(this.getPieces())}toSerializableDocument(){const e=[];return this.blockList.eachObject((t=>e.push(t.copyWithText(t.text.toSerializableText())))),new this.constructor(e)}toString(){return this.blockList.toString()}toJSON(){return this.blockList.toJSON()}toConsole(){return JSON.stringify(this.blockList.toArray().map((e=>JSON.parse(e.text.toConsole()))))}}const Jn=function(e){const t={},n=e.getLastAttribute();return n&&(t[n]=!0),t},Qn=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return{string:e=je(e),attributes:t,type:"string"}},er=(e,t)=>{try{return JSON.parse(e.getAttribute("data-trix-".concat(t)))}catch(e){return{}}};class tr extends U{static parse(e,t){const n=new this(e,t);return n.parse(),n}constructor(e){let{referenceElement:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};super(...arguments),this.html=e,this.referenceElement=t,this.blocks=[],this.blockElements=[],this.processedElements=[]}getDocument(){return Xn.fromJSON(this.blocks)}parse(){try{this.createHiddenContainer(),an.setHTML(this.containerElement,this.html);const e=B(this.containerElement,{usingFilter:ir});for(;e.nextNode();)this.processNode(e.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=_({tagName:"div",style:{display:"none"}}),document.body.appendChild(this.containerElement))}removeHiddenContainer(){return C(this.containerElement)}processNode(e){switch(e.nodeType){case Node.TEXT_NODE:if(!this.isInsignificantTextNode(e))return this.appendBlockForTextNode(e),this.processTextNode(e);break;case Node.ELEMENT_NODE:return this.appendBlockForElement(e),this.processElement(e)}}appendBlockForTextNode(e){const t=e.parentNode;if(t===this.currentBlockElement&&this.isBlockElement(e.previousSibling))return this.appendStringWithAttributes("\n");if(t===this.containerElement||this.isBlockElement(t)){var n;const e=this.getBlockAttributes(t),r=this.getBlockHTMLAttributes(t);ae(e,null===(n=this.currentBlock)||void 0===n?void 0:n.attributes)||(this.currentBlock=this.appendBlockForAttributesWithElement(e,t,r),this.currentBlockElement=t)}}appendBlockForElement(e){const t=this.isBlockElement(e),n=E(this.currentBlockElement,e);if(t&&!this.isBlockElement(e.firstChild)){if(!this.isInsignificantTextNode(e.firstChild)||!this.isBlockElement(e.firstElementChild)){const t=this.getBlockAttributes(e),r=this.getBlockHTMLAttributes(e);if(e.firstChild){if(n&&ae(t,this.currentBlock.attributes))return this.appendStringWithAttributes("\n");this.currentBlock=this.appendBlockForAttributesWithElement(t,e,r),this.currentBlockElement=e}}}else if(this.currentBlockElement&&!n&&!t){const t=this.findParentBlockElement(e);if(t)return this.appendBlockForElement(t);this.currentBlock=this.appendEmptyBlock(),this.currentBlockElement=null}}findParentBlockElement(e){let{parentElement:t}=e;for(;t&&t!==this.containerElement;){if(this.isBlockElement(t)&&this.blockElements.includes(t))return t;t=t.parentElement}return null}processTextNode(e){let t=e.data;var n;return nr(e.parentNode)||(t=ze(t),sr(null===(n=e.previousSibling)||void 0===n?void 0:n.textContent)&&(t=ar(t))),this.appendStringWithAttributes(t,this.getTextAttributes(e.parentNode))}processElement(e){let t;if(O(e)){if(t=er(e,"attachment"),Object.keys(t).length){const n=this.getTextAttributes(e);this.appendAttachmentWithAttributes(t,n),e.innerHTML=""}return this.processedElements.push(e)}switch(M(e)){case"br":return this.isExtraBR(e)||this.isBlockElement(e.nextSibling)||this.appendStringWithAttributes("\n",this.getTextAttributes(e)),this.processedElements.push(e);case"img":t={url:e.getAttribute("src"),contentType:"image"};const n=(e=>{const t=e.getAttribute("width"),n=e.getAttribute("height"),r={};return t&&(r.width=parseInt(t,10)),n&&(r.height=parseInt(n,10)),r})(e);for(const e in n){const r=n[e];t[e]=r}return this.appendAttachmentWithAttributes(t,this.getTextAttributes(e)),this.processedElements.push(e);case"tr":if(this.needsTableSeparator(e))return this.appendStringWithAttributes(P.tableRowSeparator);break;case"td":if(this.needsTableSeparator(e))return this.appendStringWithAttributes(P.tableCellSeparator)}}appendBlockForAttributesWithElement(e,t){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};this.blockElements.push(t);const r=function(){return{text:[],attributes:arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},htmlAttributes:arguments.length>1&&void 0!==arguments[1]?arguments[1]:{}}}(e,n);return this.blocks.push(r),r}appendEmptyBlock(){return this.appendBlockForAttributesWithElement([],null)}appendStringWithAttributes(e,t){return this.appendPiece(Qn(e,t))}appendAttachmentWithAttributes(e,t){return this.appendPiece(function(e){return{attachment:e,attributes:arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},type:"attachment"}}(e,t))}appendPiece(e){return 0===this.blocks.length&&this.appendEmptyBlock(),this.blocks[this.blocks.length-1].text.push(e)}appendStringToTextAtIndex(e,t){const{text:n}=this.blocks[t],r=n[n.length-1];if("string"!==(null==r?void 0:r.type))return n.push(Qn(e));r.string+=e}prependStringToTextAtIndex(e,t){const{text:n}=this.blocks[t],r=n[0];if("string"!==(null==r?void 0:r.type))return n.unshift(Qn(e));r.string=e+r.string}getTextAttributes(e){let t;const n={};for(const r in j){const o=j[r];if(o.tagName&&x(e,{matchingSelector:o.tagName,untilNode:this.containerElement}))n[r]=!0;else if(o.parser){if(t=o.parser(e),t){let i=!1;for(const n of this.findBlockElementAncestors(e))if(o.parser(n)===t){i=!0;break}i||(n[r]=t)}}else o.styleProperty&&(t=e.style[o.styleProperty],t&&(n[r]=t))}if(O(e)){const r=er(e,"attributes");for(const e in r)t=r[e],n[e]=t}return n}getBlockAttributes(e){const t=[];for(;e&&e!==this.containerElement;){for(const r in i){const o=i[r];var n;!1!==o.parse&&M(e)===o.tagName&&(null!==(n=o.test)&&void 0!==n&&n.call(o,e)||!o.test)&&(t.push(r),o.listAttribute&&t.push(o.listAttribute))}e=e.parentNode}return t.reverse()}getBlockHTMLAttributes(e){const t={},n=Object.values(i).find((t=>t.tagName===M(e)));return((null==n?void 0:n.htmlAttributes)||[]).forEach((n=>{e.hasAttribute(n)&&(t[n]=e.getAttribute(n))})),t}findBlockElementAncestors(e){const t=[];for(;e&&e!==this.containerElement;){const n=M(e);N().includes(n)&&t.push(e),e=e.parentNode}return t}isBlockElement(e){if((null==e?void 0:e.nodeType)===Node.ELEMENT_NODE&&!O(e)&&!x(e,{matchingSelector:"td",untilNode:this.containerElement}))return N().includes(M(e))||"block"===window.getComputedStyle(e).display}isInsignificantTextNode(e){if((null==e?void 0:e.nodeType)!==Node.TEXT_NODE)return;if(!lr(e.data))return;const{parentNode:t,previousSibling:n,nextSibling:r}=e;return rr(t.previousSibling)&&!this.isBlockElement(t.previousSibling)||nr(t)?void 0:!n||this.isBlockElement(n)||!r||this.isBlockElement(r)}isExtraBR(e){return"br"===M(e)&&this.isBlockElement(e.parentNode)&&e.parentNode.lastChild===e}needsTableSeparator(e){if(P.removeBlankTableCells){var t;const n=null===(t=e.previousSibling)||void 0===t?void 0:t.textContent;return n&&/\S/.test(n)}return e.previousSibling}translateBlockElementMarginsToNewlines(){const e=this.getMarginOfDefaultBlockElement();for(let t=0;t<this.blocks.length;t++){const n=this.getMarginOfBlockElementAtIndex(t);n&&(n.top>2*e.top&&this.prependStringToTextAtIndex("\n",t),n.bottom>2*e.bottom&&this.appendStringToTextAtIndex("\n",t))}}getMarginOfBlockElementAtIndex(e){const t=this.blockElements[e];if(t&&t.textContent&&!N().includes(M(t))&&!this.processedElements.includes(t))return or(t)}getMarginOfDefaultBlockElement(){const e=_(i.default.tagName);return this.containerElement.appendChild(e),or(e)}}const nr=function(e){const{whiteSpace:t}=window.getComputedStyle(e);return["pre","pre-wrap","pre-line"].includes(t)},rr=e=>e&&!sr(e.textContent),or=function(e){const t=window.getComputedStyle(e);if("block"===t.display)return{top:parseInt(t.marginTop),bottom:parseInt(t.marginBottom)}},ir=function(e){return"style"===M(e)?NodeFilter.FILTER_REJECT:NodeFilter.FILTER_ACCEPT},ar=e=>e.replace(new RegExp("^".concat(Fe.source,"+")),""),lr=e=>new RegExp("^".concat(Fe.source,"*$")).test(e),sr=e=>/\s$/.test(e),cr=["contenteditable","data-trix-id","data-trix-store-key","data-trix-mutable","data-trix-placeholder","tabindex"],ur="data-trix-serialized-attributes",dr="[".concat(ur,"]"),hr=new RegExp("\x3c!--block--\x3e","g"),pr={"application/json":function(e){let t;if(e instanceof Xn)t=e;else{if(!(e instanceof HTMLElement))throw new Error("unserializable object");t=tr.parse(e.innerHTML).getDocument()}return t.toSerializableDocument().toJSONString()},"text/html":function(e){let t;if(e instanceof Xn)t=wn.render(e);else{if(!(e instanceof HTMLElement))throw new Error("unserializable object");t=e.cloneNode(!0)}return Array.from(t.querySelectorAll("[data-trix-serialize=false]")).forEach((e=>{C(e)})),cr.forEach((e=>{Array.from(t.querySelectorAll("[".concat(e,"]"))).forEach((t=>{t.removeAttribute(e)}))})),Array.from(t.querySelectorAll(dr)).forEach((e=>{try{const t=JSON.parse(e.getAttribute(ur));e.removeAttribute(ur);for(const n in t){const r=t[n];e.setAttribute(n,r)}}catch(e){}})),t.innerHTML.replace(hr,"")}};var fr=Object.freeze({__proto__:null});class mr extends U{constructor(e,t){super(...arguments),this.attachmentManager=e,this.attachment=t,this.id=this.attachment.id,this.file=this.attachment.file}remove(){return this.attachmentManager.requestRemovalOfAttachment(this.attachment)}}mr.proxyMethod("attachment.getAttribute"),mr.proxyMethod("attachment.hasAttribute"),mr.proxyMethod("attachment.setAttribute"),mr.proxyMethod("attachment.getAttributes"),mr.proxyMethod("attachment.setAttributes"),mr.proxyMethod("attachment.isPending"),mr.proxyMethod("attachment.isPreviewable"),mr.proxyMethod("attachment.getURL"),mr.proxyMethod("attachment.getHref"),mr.proxyMethod("attachment.getFilename"),mr.proxyMethod("attachment.getFilesize"),mr.proxyMethod("attachment.getFormattedFilesize"),mr.proxyMethod("attachment.getExtension"),mr.proxyMethod("attachment.getContentType"),mr.proxyMethod("attachment.getFile"),mr.proxyMethod("attachment.setFile"),mr.proxyMethod("attachment.releaseFile"),mr.proxyMethod("attachment.getUploadProgress"),mr.proxyMethod("attachment.setUploadProgress");class vr extends U{constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];super(...arguments),this.managedAttachments={},Array.from(e).forEach((e=>{this.manageAttachment(e)}))}getAttachments(){const e=[];for(const t in this.managedAttachments){const n=this.managedAttachments[t];e.push(n)}return e}manageAttachment(e){return this.managedAttachments[e.id]||(this.managedAttachments[e.id]=new mr(this,e)),this.managedAttachments[e.id]}attachmentIsManaged(e){return e.id in this.managedAttachments}requestRemovalOfAttachment(e){var t,n;if(this.attachmentIsManaged(e))return null===(t=this.delegate)||void 0===t||null===(n=t.attachmentManagerDidRequestRemovalOfAttachment)||void 0===n?void 0:n.call(t,e)}unmanageAttachment(e){const t=this.managedAttachments[e.id];return delete this.managedAttachments[e.id],t}}class gr{constructor(e){this.composition=e,this.document=this.composition.document;const t=this.composition.getSelectedRange();this.startPosition=t[0],this.endPosition=t[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()?0!==this.startLocation.offset:this.breaksOnReturn&&"\n"!==this.nextCharacter}shouldBreakFormattedBlock(){return this.block.hasAttributes()&&!this.block.isListItem()&&(this.breaksOnReturn&&"\n"===this.nextCharacter||"\n"===this.previousCharacter)}shouldDecreaseListLevel(){return this.block.hasAttributes()&&this.block.isListItem()&&this.block.isEmpty()}shouldPrependListItem(){return this.block.isListItem()&&0===this.startLocation.offset&&!this.block.isEmpty()}shouldRemoveLastBlockAttribute(){return this.block.hasAttributes()&&!this.block.isListItem()&&this.block.isEmpty()}}class wr extends U{constructor(){super(...arguments),this.document=new Xn,this.attachments=[],this.currentAttributes={},this.revision=0}setDocument(e){var t,n;if(!e.isEqualTo(this.document))return this.document=e,this.refreshAttachments(),this.revision++,null===(t=this.delegate)||void 0===t||null===(n=t.compositionDidChangeDocument)||void 0===n?void 0:n.call(t,e)}getSnapshot(){return{document:this.document,selectedRange:this.getSelectedRange()}}loadSnapshot(e){var t,n,r,o;let{document:i,selectedRange:a}=e;return null===(t=this.delegate)||void 0===t||null===(n=t.compositionWillLoadSnapshot)||void 0===n||n.call(t),this.setDocument(null!=i?i:new Xn),this.setSelection(null!=a?a:[0,0]),null===(r=this.delegate)||void 0===r||null===(o=r.compositionDidLoadSnapshot)||void 0===o?void 0:o.call(r)}insertText(e){let{updatePosition:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{updatePosition:!0};const n=this.getSelectedRange();this.setDocument(this.document.insertTextAtRange(e,n));const r=n[0],o=r+e.getLength();return t&&this.setSelection(o),this.notifyDelegateOfInsertionAtRange([r,o])}insertBlock(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:new jn;const t=new Xn([e]);return this.insertDocument(t)}insertDocument(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:new Xn;const t=this.getSelectedRange();this.setDocument(this.document.insertDocumentAtRange(e,t));const n=t[0],r=n+e.getLength();return this.setSelection(r),this.notifyDelegateOfInsertionAtRange([n,r])}insertString(e,t){const n=this.getCurrentTextAttributes(),r=Pn.textForStringWithAttributes(e,n);return this.insertText(r,t)}insertBlockBreak(){const e=this.getSelectedRange();this.setDocument(this.document.insertBlockBreakAtRange(e));const t=e[0],n=t+1;return this.setSelection(n),this.notifyDelegateOfInsertionAtRange([t,n])}insertLineBreak(){const e=new gr(this);if(e.shouldDecreaseListLevel())return this.decreaseListLevel(),this.setSelection(e.startPosition);if(e.shouldPrependListItem()){const t=new Xn([e.block.copyWithoutText()]);return this.insertDocument(t)}return e.shouldInsertBlockBreak()?this.insertBlockBreak():e.shouldRemoveLastBlockAttribute()?this.removeLastBlockAttribute():e.shouldBreakFormattedBlock()?this.breakFormattedBlock(e):this.insertString("\n")}insertHTML(e){const t=tr.parse(e).getDocument(),n=this.getSelectedRange();this.setDocument(this.document.mergeDocumentAtRange(t,n));const r=n[0],o=r+t.getLength()-1;return this.setSelection(o),this.notifyDelegateOfInsertionAtRange([r,o])}replaceHTML(e){const t=tr.parse(e).getDocument().copyUsingObjectsFromDocument(this.document),n=this.getLocationRange({strict:!1}),r=this.document.rangeFromLocationRange(n);return this.setDocument(t),this.setSelection(r)}insertFile(e){return this.insertFiles([e])}insertFiles(e){const t=[];return Array.from(e).forEach((e=>{var n;if(null!==(n=this.delegate)&&void 0!==n&&n.compositionShouldAcceptFile(e)){const n=Tn.attachmentForFile(e);t.push(n)}})),this.insertAttachments(t)}insertAttachment(e){return this.insertAttachments([e])}insertAttachments(e){let t=new Pn;return Array.from(e).forEach((e=>{var n;const r=e.getType(),i=null===(n=o[r])||void 0===n?void 0:n.presentation,a=this.getCurrentTextAttributes();i&&(a.presentation=i);const l=Pn.textForAttachmentWithAttributes(e,a);t=t.appendText(l)})),this.insertText(t)}shouldManageDeletingInDirection(e){const t=this.getLocationRange();if(Ne(t)){if("backward"===e&&0===t[0].offset)return!0;if(this.shouldManageMovingCursorInDirection(e))return!0}else if(t[0].index!==t[1].index)return!0;return!1}deleteInDirection(e){let t,n,r,{length:o}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};const i=this.getLocationRange();let a=this.getSelectedRange();const l=Ne(a);if(l?n="backward"===e&&0===i[0].offset:r=i[0].index!==i[1].index,n&&this.canDecreaseBlockAttributeLevel()){const e=this.getBlock();if(e.isListItem()?this.decreaseListLevel():this.decreaseBlockAttributeLevel(),this.setSelection(a[0]),e.isEmpty())return!1}return l&&(a=this.getExpandedRangeInDirection(e,{length:o}),"backward"===e&&(t=this.getAttachmentAtRange(a))),t?(this.editAttachment(t),!1):(this.setDocument(this.document.removeTextAtRange(a)),this.setSelection(a[0]),!n&&!r&&void 0)}moveTextFromRange(e){const[t]=Array.from(this.getSelectedRange());return this.setDocument(this.document.moveTextFromRangeToPosition(e,t)),this.setSelection(t)}removeAttachment(e){const t=this.document.getRangeOfAttachment(e);if(t)return this.stopEditingAttachment(),this.setDocument(this.document.removeTextAtRange(t)),this.setSelection(t[0])}removeLastBlockAttribute(){const[e,t]=Array.from(this.getSelectedRange()),n=this.document.getBlockAtPosition(t);return this.removeCurrentAttribute(n.getLastAttribute()),this.setSelection(e)}insertPlaceholder(){return this.placeholderPosition=this.getPosition(),this.insertString(" ")}selectPlaceholder(){if(null!=this.placeholderPosition)return this.setSelectedRange([this.placeholderPosition,this.placeholderPosition+1]),this.getSelectedRange()}forgetPlaceholder(){this.placeholderPosition=null}hasCurrentAttribute(e){const t=this.currentAttributes[e];return null!=t&&!1!==t}toggleCurrentAttribute(e){const t=!this.currentAttributes[e];return t?this.setCurrentAttribute(e,t):this.removeCurrentAttribute(e)}canSetCurrentAttribute(e){return me(e)?this.canSetCurrentBlockAttribute(e):this.canSetCurrentTextAttribute(e)}canSetCurrentTextAttribute(e){const t=this.getSelectedDocument();if(t){for(const e of Array.from(t.getAttachments()))if(!e.hasContent())return!1;return!0}}canSetCurrentBlockAttribute(e){const t=this.getBlock();if(t)return!t.isTerminalBlock()}setCurrentAttribute(e,t){return me(e)?this.setBlockAttribute(e,t):(this.setTextAttribute(e,t),this.currentAttributes[e]=t,this.notifyDelegateOfCurrentAttributesChange())}setHTMLAtributeAtPosition(e,t,n){var r;const o=this.document.getBlockAtPosition(e),i=null===(r=me(o.getLastAttribute()))||void 0===r?void 0:r.htmlAttributes;if(o&&null!=i&&i.includes(t)){const r=this.document.setHTMLAttributeAtPosition(e,t,n);this.setDocument(r)}}setTextAttribute(e,t){const n=this.getSelectedRange();if(!n)return;const[r,o]=Array.from(n);if(r!==o)return this.setDocument(this.document.addAttributeAtRange(e,t,n));if("href"===e){const e=Pn.textForStringWithAttributes(t,{href:t});return this.insertText(e)}}setBlockAttribute(e,t){const n=this.getSelectedRange();if(this.canSetCurrentAttribute(e))return this.setDocument(this.document.applyBlockAttributeAtRange(e,t,n)),this.setSelection(n)}removeCurrentAttribute(e){return me(e)?(this.removeBlockAttribute(e),this.updateCurrentAttributes()):(this.removeTextAttribute(e),delete this.currentAttributes[e],this.notifyDelegateOfCurrentAttributesChange())}removeTextAttribute(e){const t=this.getSelectedRange();if(t)return this.setDocument(this.document.removeAttributeAtRange(e,t))}removeBlockAttribute(e){const t=this.getSelectedRange();if(t)return this.setDocument(this.document.removeAttributeAtRange(e,t))}canDecreaseNestingLevel(){var e;return(null===(e=this.getBlock())||void 0===e?void 0:e.getNestingLevel())>0}canIncreaseNestingLevel(){var e;const t=this.getBlock();if(t){if(null===(e=me(t.getLastNestableAttribute()))||void 0===e||!e.listAttribute)return t.getNestingLevel()>0;{const e=this.getPreviousBlock();if(e)return function(){let e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return ae((arguments.length>0&&void 0!==arguments[0]?arguments[0]:[]).slice(0,e.length),e)}(e.getListItemAttributes(),t.getListItemAttributes())}}}decreaseNestingLevel(){const e=this.getBlock();if(e)return this.setDocument(this.document.replaceBlock(e,e.decreaseNestingLevel()))}increaseNestingLevel(){const e=this.getBlock();if(e)return this.setDocument(this.document.replaceBlock(e,e.increaseNestingLevel()))}canDecreaseBlockAttributeLevel(){var e;return(null===(e=this.getBlock())||void 0===e?void 0:e.getAttributeLevel())>0}decreaseBlockAttributeLevel(){var e;const t=null===(e=this.getBlock())||void 0===e?void 0:e.getLastAttribute();if(t)return this.removeCurrentAttribute(t)}decreaseListLevel(){let[e]=Array.from(this.getSelectedRange());const{index:t}=this.document.locationFromPosition(e);let n=t;const r=this.getBlock().getAttributeLevel();let o=this.document.getBlockAtIndex(n+1);for(;o&&o.isListItem()&&!(o.getAttributeLevel()<=r);)n++,o=this.document.getBlockAtIndex(n+1);e=this.document.positionFromLocation({index:t,offset:0});const i=this.document.positionFromLocation({index:n,offset:0});return this.setDocument(this.document.removeLastListAttributeAtRange([e,i]))}updateCurrentAttributes(){const e=this.getSelectedRange({ignoreLock:!0});if(e){const t=this.document.getCommonAttributesAtRange(e);if(Array.from(fe()).forEach((e=>{t[e]||this.canSetCurrentAttribute(e)||(t[e]=!1)})),!_e(t,this.currentAttributes))return this.currentAttributes=t,this.notifyDelegateOfCurrentAttributesChange()}}getCurrentAttributes(){return m.call({},this.currentAttributes)}getCurrentTextAttributes(){const e={};for(const t in this.currentAttributes){const n=this.currentAttributes[t];!1!==n&&ge(t)&&(e[t]=n)}return e}freezeSelection(){return this.setCurrentAttribute("frozen",!0)}thawSelection(){return this.removeCurrentAttribute("frozen")}hasFrozenSelection(){return this.hasCurrentAttribute("frozen")}setSelection(e){var t;const n=this.document.locationRangeFromRange(e);return null===(t=this.delegate)||void 0===t?void 0:t.compositionDidRequestChangingSelectionToLocationRange(n)}getSelectedRange(){const e=this.getLocationRange();if(e)return this.document.rangeFromLocationRange(e)}setSelectedRange(e){const t=this.document.locationRangeFromRange(e);return this.getSelectionManager().setLocationRange(t)}getPosition(){const e=this.getLocationRange();if(e)return this.document.positionFromLocation(e[0])}getLocationRange(e){return this.targetLocationRange?this.targetLocationRange:this.getSelectionManager().getLocationRange(e)||Se({index:0,offset:0})}withTargetLocationRange(e,t){let n;this.targetLocationRange=e;try{n=t()}finally{this.targetLocationRange=null}return n}withTargetRange(e,t){const n=this.document.locationRangeFromRange(e);return this.withTargetLocationRange(n,t)}withTargetDOMRange(e,t){const n=this.createLocationRangeFromDOMRange(e,{strict:!1});return this.withTargetLocationRange(n,t)}getExpandedRangeInDirection(e){let{length:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},[n,r]=Array.from(this.getSelectedRange());return"backward"===e?t?n-=t:n=this.translateUTF16PositionFromOffset(n,-1):t?r+=t:r=this.translateUTF16PositionFromOffset(r,1),Se([n,r])}shouldManageMovingCursorInDirection(e){if(this.editingAttachment)return!0;const t=this.getExpandedRangeInDirection(e);return null!=this.getAttachmentAtRange(t)}moveCursorInDirection(e){let t,n;if(this.editingAttachment)n=this.document.getRangeOfAttachment(this.editingAttachment);else{const r=this.getSelectedRange();n=this.getExpandedRangeInDirection(e),t=!Ve(r,n)}if("backward"===e?this.setSelectedRange(n[0]):this.setSelectedRange(n[1]),t){const e=this.getAttachmentAtRange(n);if(e)return this.editAttachment(e)}}expandSelectionInDirection(e){let{length:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};const n=this.getExpandedRangeInDirection(e,{length:t});return this.setSelectedRange(n)}expandSelectionForEditing(){if(this.hasCurrentAttribute("href"))return this.expandSelectionAroundCommonAttribute("href")}expandSelectionAroundCommonAttribute(e){const t=this.getPosition(),n=this.document.getRangeOfCommonAttributeAtPosition(e,t);return this.setSelectedRange(n)}selectionContainsAttachments(){var e;return(null===(e=this.getSelectedAttachments())||void 0===e?void 0:e.length)>0}selectionIsInCursorTarget(){return this.editingAttachment||this.positionIsCursorTarget(this.getPosition())}positionIsCursorTarget(e){const t=this.document.locationFromPosition(e);if(t)return this.locationIsCursorTarget(t)}positionIsBlockBreak(e){var t;return null===(t=this.document.getPieceAtPosition(e))||void 0===t?void 0:t.isBlockBreak()}getSelectedDocument(){const e=this.getSelectedRange();if(e)return this.document.getDocumentAtRange(e)}getSelectedAttachments(){var e;return null===(e=this.getSelectedDocument())||void 0===e?void 0:e.getAttachments()}getAttachments(){return this.attachments.slice(0)}refreshAttachments(){const e=this.document.getAttachments(),{added:t,removed:n}=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];const n=[],r=[],o=new Set;e.forEach((e=>{o.add(e)}));const i=new Set;return t.forEach((e=>{i.add(e),o.has(e)||n.push(e)})),e.forEach((e=>{i.has(e)||r.push(e)})),{added:n,removed:r}}(this.attachments,e);return this.attachments=e,Array.from(n).forEach((e=>{var t,n;e.delegate=null,null===(t=this.delegate)||void 0===t||null===(n=t.compositionDidRemoveAttachment)||void 0===n||n.call(t,e)})),(()=>{const e=[];return Array.from(t).forEach((t=>{var n,r;t.delegate=this,e.push(null===(n=this.delegate)||void 0===n||null===(r=n.compositionDidAddAttachment)||void 0===r?void 0:r.call(n,t))})),e})()}attachmentDidChangeAttributes(e){var t,n;return this.revision++,null===(t=this.delegate)||void 0===t||null===(n=t.compositionDidEditAttachment)||void 0===n?void 0:n.call(t,e)}attachmentDidChangePreviewURL(e){var t,n;return this.revision++,null===(t=this.delegate)||void 0===t||null===(n=t.compositionDidChangeAttachmentPreviewURL)||void 0===n?void 0:n.call(t,e)}editAttachment(e,t){var n,r;if(e!==this.editingAttachment)return this.stopEditingAttachment(),this.editingAttachment=e,null===(n=this.delegate)||void 0===n||null===(r=n.compositionDidStartEditingAttachment)||void 0===r?void 0:r.call(n,this.editingAttachment,t)}stopEditingAttachment(){var e,t;this.editingAttachment&&(null===(e=this.delegate)||void 0===e||null===(t=e.compositionDidStopEditingAttachment)||void 0===t||t.call(e,this.editingAttachment),this.editingAttachment=null)}updateAttributesForAttachment(e,t){return this.setDocument(this.document.updateAttributesForAttachment(e,t))}removeAttributeForAttachment(e,t){return this.setDocument(this.document.removeAttributeForAttachment(e,t))}breakFormattedBlock(e){let{document:t}=e;const{block:n}=e;let r=e.startPosition,o=[r-1,r];n.getBlockBreakPosition()===e.startLocation.offset?(n.breaksOnReturn()&&"\n"===e.nextCharacter?r+=1:t=t.removeTextAtRange(o),o=[r,r]):"\n"===e.nextCharacter?"\n"===e.previousCharacter?o=[r-1,r+1]:(o=[r,r+1],r+=1):e.startLocation.offset-1!=0&&(r+=1);const i=new Xn([n.removeLastAttribute().copyWithoutText()]);return this.setDocument(t.insertDocumentAtRange(i,o)),this.setSelection(r)}getPreviousBlock(){const e=this.getLocationRange();if(e){const{index:t}=e[0];if(t>0)return this.document.getBlockAtIndex(t-1)}}getBlock(){const e=this.getLocationRange();if(e)return this.document.getBlockAtIndex(e[0].index)}getAttachmentAtRange(e){const t=this.document.getDocumentAtRange(e);if(t.toString()==="".concat("","\n"))return t.getAttachments()[0]}notifyDelegateOfCurrentAttributesChange(){var e,t;return null===(e=this.delegate)||void 0===e||null===(t=e.compositionDidChangeCurrentAttributes)||void 0===t?void 0:t.call(e,this.currentAttributes)}notifyDelegateOfInsertionAtRange(e){var t,n;return null===(t=this.delegate)||void 0===t||null===(n=t.compositionDidPerformInsertionAtRange)||void 0===n?void 0:n.call(t,e)}translateUTF16PositionFromOffset(e,t){const n=this.document.toUTF16String(),r=n.offsetFromUCS2Offset(e);return n.offsetToUCS2Offset(r+t)}}wr.proxyMethod("getSelectionManager().getPointRange"),wr.proxyMethod("getSelectionManager().setLocationRangeFromPointRange"),wr.proxyMethod("getSelectionManager().createLocationRangeFromDOMRange"),wr.proxyMethod("getSelectionManager().locationIsCursorTarget"),wr.proxyMethod("getSelectionManager().selectionIsExpanded"),wr.proxyMethod("delegate?.getSelectionManager");class yr extends U{constructor(e){super(...arguments),this.composition=e,this.undoEntries=[],this.redoEntries=[]}recordUndoEntry(e){let{context:t,consolidatable:n}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};const r=this.undoEntries.slice(-1)[0];if(!n||!br(r,e,t)){const n=this.createEntry({description:e,context:t});this.undoEntries.push(n),this.redoEntries=[]}}undo(){const e=this.undoEntries.pop();if(e){const t=this.createEntry(e);return this.redoEntries.push(t),this.composition.loadSnapshot(e.snapshot)}}redo(){const e=this.redoEntries.pop();if(e){const t=this.createEntry(e);return this.undoEntries.push(t),this.composition.loadSnapshot(e.snapshot)}}canUndo(){return this.undoEntries.length>0}canRedo(){return this.redoEntries.length>0}createEntry(){let{description:e,context:t}=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return{description:null==e?void 0:e.toString(),context:JSON.stringify(t),snapshot:this.composition.getSnapshot()}}}const br=(e,t,n)=>(null==e?void 0:e.description)===(null==t?void 0:t.toString())&&(null==e?void 0:e.context)===JSON.stringify(n),xr="attachmentGallery";class kr{constructor(e){this.document=e.document,this.selectedRange=e.selectedRange}perform(){return this.removeBlockAttribute(),this.applyBlockAttribute()}getSnapshot(){return{document:this.document,selectedRange:this.selectedRange}}removeBlockAttribute(){return this.findRangesOfBlocks().map((e=>this.document=this.document.removeAttributeAtRange(xr,e)))}applyBlockAttribute(){let e=0;this.findRangesOfPieces().forEach((t=>{t[1]-t[0]>1&&(t[0]+=e,t[1]+=e,"\n"!==this.document.getCharacterAtPosition(t[1])&&(this.document=this.document.insertBlockBreakAtRange(t[1]),t[1]<this.selectedRange[1]&&this.moveSelectedRangeForward(),t[1]++,e++),0!==t[0]&&"\n"!==this.document.getCharacterAtPosition(t[0]-1)&&(this.document=this.document.insertBlockBreakAtRange(t[0]),t[0]<this.selectedRange[0]&&this.moveSelectedRangeForward(),t[0]++,e++),this.document=this.document.applyBlockAttributeAtRange(xr,!0,t))}))}findRangesOfBlocks(){return this.document.findRangesForBlockAttribute(xr)}findRangesOfPieces(){return this.document.findRangesForTextAttribute("presentation",{withValue:"gallery"})}moveSelectedRangeForward(){this.selectedRange[0]+=1,this.selectedRange[1]+=1}}const Er=function(e){const t=new kr(e);return t.perform(),t.getSnapshot()},Ar=[Er];class Cr{constructor(e,t,n){this.insertFiles=this.insertFiles.bind(this),this.composition=e,this.selectionManager=t,this.element=n,this.undoManager=new yr(this.composition),this.filters=Ar.slice(0)}loadDocument(e){return this.loadSnapshot({document:e,selectedRange:[0,0]})}loadHTML(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";const t=tr.parse(e,{referenceElement:this.element}).getDocument();return this.loadDocument(t)}loadJSON(e){let{document:t,selectedRange:n}=e;return t=Xn.fromJSON(t),this.loadSnapshot({document:t,selectedRange:n})}loadSnapshot(e){return this.undoManager=new yr(this.composition),this.composition.loadSnapshot(e)}getDocument(){return this.composition.document}getSelectedDocument(){return this.composition.getSelectedDocument()}getSnapshot(){return this.composition.getSnapshot()}toJSON(){return this.getSnapshot()}deleteInDirection(e){return this.composition.deleteInDirection(e)}insertAttachment(e){return this.composition.insertAttachment(e)}insertAttachments(e){return this.composition.insertAttachments(e)}insertDocument(e){return this.composition.insertDocument(e)}insertFile(e){return this.composition.insertFile(e)}insertFiles(e){return this.composition.insertFiles(e)}insertHTML(e){return this.composition.insertHTML(e)}insertString(e){return this.composition.insertString(e)}insertText(e){return this.composition.insertText(e)}insertLineBreak(){return this.composition.insertLineBreak()}getSelectedRange(){return this.composition.getSelectedRange()}getPosition(){return this.composition.getPosition()}getClientRectAtPosition(e){const t=this.getDocument().locationRangeFromRange([e,e+1]);return this.selectionManager.getClientRectAtLocationRange(t)}expandSelectionInDirection(e){return this.composition.expandSelectionInDirection(e)}moveCursorInDirection(e){return this.composition.moveCursorInDirection(e)}setSelectedRange(e){return this.composition.setSelectedRange(e)}activateAttribute(e){let t=!(arguments.length>1&&void 0!==arguments[1])||arguments[1];return this.composition.setCurrentAttribute(e,t)}attributeIsActive(e){return this.composition.hasCurrentAttribute(e)}canActivateAttribute(e){return this.composition.canSetCurrentAttribute(e)}deactivateAttribute(e){return this.composition.removeCurrentAttribute(e)}setHTMLAtributeAtPosition(e,t,n){this.composition.setHTMLAtributeAtPosition(e,t,n)}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(e){let{context:t,consolidatable:n}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return this.undoManager.recordUndoEntry(e,{context:t,consolidatable:n})}redo(){if(this.canRedo())return this.undoManager.redo()}undo(){if(this.canUndo())return this.undoManager.undo()}}class Br{constructor(e){this.element=e}findLocationFromContainerAndOffset(e,t){let{strict:n}=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{strict:!0},r=0,o=!1;const i={index:0,offset:0},a=this.findAttachmentElementParentForNode(e);a&&(e=a.parentNode,t=A(a));const l=B(this.element,{usingFilter:Nr});for(;l.nextNode();){const a=l.currentNode;if(a===e&&R(e)){Z(a)||(i.offset+=t);break}if(a.parentNode===e){if(r++===t)break}else if(!E(e,a)&&r>0)break;L(a,{strict:n})?(o&&i.index++,i.offset=0,o=!0):i.offset+=Mr(a)}return i}findContainerAndOffsetFromLocation(e){let t,n;if(0===e.index&&0===e.offset){for(t=this.element,n=0;t.firstChild;)if(t=t.firstChild,V(t)){n=1;break}return[t,n]}let[r,o]=this.findNodeAndOffsetFromLocation(e);if(r){if(R(r))0===Mr(r)?(t=r.parentNode.parentNode,n=A(r.parentNode),Z(r,{name:"right"})&&n++):(t=r,n=e.offset-o);else{if(t=r.parentNode,!L(r.previousSibling)&&!V(t))for(;r===t.lastChild&&(r=t,t=t.parentNode,!V(t)););n=A(r),0!==e.offset&&n++}return[t,n]}}findNodeAndOffsetFromLocation(e){let t,n,r=0;for(const o of this.getSignificantNodesForIndex(e.index)){const i=Mr(o);if(e.offset<=r+i)if(R(o)){if(t=o,n=r,e.offset===n&&Z(t))break}else t||(t=o,n=r);if(r+=i,r>e.offset)break}return[t,n]}findAttachmentElementParentForNode(e){for(;e&&e!==this.element;){if(O(e))return e;e=e.parentNode}}getSignificantNodesForIndex(e){const t=[],n=B(this.element,{usingFilter:_r});let r=!1;for(;n.nextNode();){const i=n.currentNode;var o;if(T(i)){if(null!=o?o++:o=0,o===e)r=!0;else if(r)break}else r&&t.push(i)}return t}}const Mr=function(e){return e.nodeType===Node.TEXT_NODE?Z(e)?0:e.textContent.length:"br"===M(e)||O(e)?1:0},_r=function(e){return Sr(e)===NodeFilter.FILTER_ACCEPT?Nr(e):NodeFilter.FILTER_REJECT},Sr=function(e){return D(e)?NodeFilter.FILTER_REJECT:NodeFilter.FILTER_ACCEPT},Nr=function(e){return O(e.parentNode)?NodeFilter.FILTER_REJECT:NodeFilter.FILTER_ACCEPT};class Vr{createDOMRangeFromPoint(e){let t,{x:n,y:r}=e;if(document.caretPositionFromPoint){const{offsetNode:e,offset:o}=document.caretPositionFromPoint(n,r);return t=document.createRange(),t.setStart(e,o),t}if(document.caretRangeFromPoint)return document.caretRangeFromPoint(n,r);if(document.body.createTextRange){const o=De();try{const e=document.body.createTextRange();e.moveToPoint(n,r),e.select()}catch(e){}return t=De(),Re(o),t}}getClientRectsForDOMRange(e){const t=Array.from(e.getClientRects());return[t[0],t[t.length-1]]}}class Lr extends U{constructor(e){super(...arguments),this.didMouseDown=this.didMouseDown.bind(this),this.selectionDidChange=this.selectionDidChange.bind(this),this.element=e,this.locationMapper=new Br(this.element),this.pointMapper=new Vr,this.lockCount=0,w("mousedown",{onElement:this.element,withCallback:this.didMouseDown})}getLocationRange(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return!1===e.strict?this.createLocationRangeFromDOMRange(De()):e.ignoreLock?this.currentLocationRange:this.lockedLocationRange?this.lockedLocationRange:this.currentLocationRange}setLocationRange(e){if(this.lockedLocationRange)return;e=Se(e);const t=this.createDOMRangeFromLocationRange(e);t&&(Re(t),this.updateCurrentLocationRange(e))}setLocationRangeFromPointRange(e){e=Se(e);const t=this.getLocationAtPoint(e[0]),n=this.getLocationAtPoint(e[1]);this.setLocationRange([t,n])}getClientRectAtLocationRange(e){const t=this.createDOMRangeFromLocationRange(e);if(t)return this.getClientRectsForDOMRange(t)[1]}locationIsCursorTarget(e){const t=Array.from(this.findNodeAndOffsetFromLocation(e))[0];return Z(t)}lock(){0==this.lockCount++&&(this.updateCurrentLocationRange(),this.lockedLocationRange=this.getLocationRange())}unlock(){if(0==--this.lockCount){const{lockedLocationRange:e}=this;if(this.lockedLocationRange=null,null!=e)return this.setLocationRange(e)}}clearSelection(){var e;return null===(e=Oe())||void 0===e?void 0:e.removeAllRanges()}selectionIsCollapsed(){var e;return!0===(null===(e=De())||void 0===e?void 0:e.collapsed)}selectionIsExpanded(){return!this.selectionIsCollapsed()}createLocationRangeFromDOMRange(e,t){if(null==e||!this.domRangeWithinElement(e))return;const n=this.findLocationFromContainerAndOffset(e.startContainer,e.startOffset,t);if(!n)return;const r=e.collapsed?void 0:this.findLocationFromContainerAndOffset(e.endContainer,e.endOffset,t);return Se([n,r])}didMouseDown(){return this.pauseTemporarily()}pauseTemporarily(){let e;this.paused=!0;const t=()=>{if(this.paused=!1,clearTimeout(n),Array.from(e).forEach((e=>{e.destroy()})),E(document,this.element))return this.selectionDidChange()},n=setTimeout(t,200);e=["mousemove","keydown"].map((e=>w(e,{onElement:document,withCallback:t})))}selectionDidChange(){if(!this.paused&&!k(this.element))return this.updateCurrentLocationRange()}updateCurrentLocationRange(e){var t,n;if((null!=e?e:e=this.createLocationRangeFromDOMRange(De()))&&!Ve(e,this.currentLocationRange))return this.currentLocationRange=e,null===(t=this.delegate)||void 0===t||null===(n=t.locationRangeDidChange)||void 0===n?void 0:n.call(t,this.currentLocationRange.slice(0))}createDOMRangeFromLocationRange(e){const t=this.findContainerAndOffsetFromLocation(e[0]),n=Ne(e)?t:this.findContainerAndOffsetFromLocation(e[1])||t;if(null!=t&&null!=n){const e=document.createRange();return e.setStart(...Array.from(t||[])),e.setEnd(...Array.from(n||[])),e}}getLocationAtPoint(e){const t=this.createDOMRangeFromPoint(e);var n;if(t)return null===(n=this.createLocationRangeFromDOMRange(t))||void 0===n?void 0:n[0]}domRangeWithinElement(e){return e.collapsed?E(this.element,e.startContainer):E(this.element,e.startContainer)&&E(this.element,e.endContainer)}}Lr.proxyMethod("locationMapper.findLocationFromContainerAndOffset"),Lr.proxyMethod("locationMapper.findContainerAndOffsetFromLocation"),Lr.proxyMethod("locationMapper.findNodeAndOffsetFromLocation"),Lr.proxyMethod("pointMapper.createDOMRangeFromPoint"),Lr.proxyMethod("pointMapper.getClientRectsForDOMRange");var Tr=Object.freeze({__proto__:null,Attachment:Tn,AttachmentManager:vr,AttachmentPiece:In,Block:jn,Composition:wr,Document:Xn,Editor:Cr,HTMLParser:tr,HTMLSanitizer:an,LineBreakInsertion:gr,LocationMapper:Br,ManagedAttachment:mr,Piece:Vn,PointMapper:Vr,SelectionManager:Lr,SplittableList:On,StringPiece:Zn,Text:Pn,UndoManager:yr}),Ir=Object.freeze({__proto__:null,ObjectView:rt,AttachmentView:cn,BlockView:gn,DocumentView:wn,PieceView:pn,PreviewableAttachmentView:hn,TextView:fn});const{lang:Zr,css:Or,keyNames:Dr}=q,Rr=function(e){return function(){const t=e.apply(this,arguments);t.do(),this.undos||(this.undos=[]),this.undos.push(t.undo)}};class Hr extends U{constructor(e,t,n){let r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{};super(...arguments),An(this,"makeElementMutable",Rr((()=>({do:()=>{this.element.dataset.trixMutable=!0},undo:()=>delete this.element.dataset.trixMutable})))),An(this,"addToolbar",Rr((()=>{const e=_({tagName:"div",className:Or.attachmentToolbar,data:{trixMutable:!0},childNodes:_({tagName:"div",className:"trix-button-row",childNodes:_({tagName:"span",className:"trix-button-group trix-button-group--actions",childNodes:_({tagName:"button",className:"trix-button trix-button--remove",textContent:Zr.remove,attributes:{title:Zr.remove},data:{trixAction:"remove"}})})})});return this.attachment.isPreviewable()&&e.appendChild(_({tagName:"div",className:Or.attachmentMetadataContainer,childNodes:_({tagName:"span",className:Or.attachmentMetadata,childNodes:[_({tagName:"span",className:Or.attachmentName,textContent:this.attachment.getFilename(),attributes:{title:this.attachment.getFilename()}}),_({tagName:"span",className:Or.attachmentSize,textContent:this.attachment.getFormattedFilesize()})]})})),w("click",{onElement:e,withCallback:this.didClickToolbar}),w("click",{onElement:e,matchingSelector:"[data-trix-action]",withCallback:this.didClickActionButton}),y("trix-attachment-before-toolbar",{onElement:this.element,attributes:{toolbar:e,attachment:this.attachment}}),{do:()=>this.element.appendChild(e),undo:()=>C(e)}}))),An(this,"installCaptionEditor",Rr((()=>{const e=_({tagName:"textarea",className:Or.attachmentCaptionEditor,attributes:{placeholder:Zr.captionPlaceholder},data:{trixMutable:!0}});e.value=this.attachmentPiece.getCaption();const t=e.cloneNode();t.classList.add("trix-autoresize-clone"),t.tabIndex=-1;const n=function(){t.value=e.value,e.style.height=t.scrollHeight+"px"};w("input",{onElement:e,withCallback:n}),w("input",{onElement:e,withCallback:this.didInputCaption}),w("keydown",{onElement:e,withCallback:this.didKeyDownCaption}),w("change",{onElement:e,withCallback:this.didChangeCaption}),w("blur",{onElement:e,withCallback:this.didBlurCaption});const r=this.element.querySelector("figcaption"),o=r.cloneNode();return{do:()=>{if(r.style.display="none",o.appendChild(e),o.appendChild(t),o.classList.add("".concat(Or.attachmentCaption,"--editing")),r.parentElement.insertBefore(o,r),n(),this.options.editCaption)return Be((()=>e.focus()))},undo(){C(o),r.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=e,this.element=t,this.container=n,this.options=r,this.attachment=this.attachmentPiece.attachment,"a"===M(this.element)&&(this.element=this.element.firstChild),this.install()}install(){this.makeElementMutable(),this.addToolbar(),this.attachment.isPreviewable()&&this.installCaptionEditor()}uninstall(){var e;let t=this.undos.pop();for(this.savePendingCaption();t;)t(),t=this.undos.pop();null===(e=this.delegate)||void 0===e||e.didUninstallAttachmentEditor(this)}savePendingCaption(){if(null!=this.pendingCaption){const o=this.pendingCaption;var e,t,n,r;this.pendingCaption=null,o?null===(e=this.delegate)||void 0===e||null===(t=e.attachmentEditorDidRequestUpdatingAttributesForAttachment)||void 0===t||t.call(e,{caption:o},this.attachment):null===(n=this.delegate)||void 0===n||null===(r=n.attachmentEditorDidRequestRemovingAttributeForAttachment)||void 0===r||r.call(n,"caption",this.attachment)}}didClickToolbar(e){return e.preventDefault(),e.stopPropagation()}didClickActionButton(e){var t;if("remove"===e.target.getAttribute("data-trix-action"))return null===(t=this.delegate)||void 0===t?void 0:t.attachmentEditorDidRequestRemovalOfAttachment(this.attachment)}didKeyDownCaption(e){var t,n;if("return"===Dr[e.keyCode])return e.preventDefault(),this.savePendingCaption(),null===(t=this.delegate)||void 0===t||null===(n=t.attachmentEditorDidRequestDeselectingAttachment)||void 0===n?void 0:n.call(t,this.attachment)}didInputCaption(e){this.pendingCaption=e.target.value.replace(/\s/g," ").trim()}didChangeCaption(e){return this.savePendingCaption()}didBlurCaption(e){return this.savePendingCaption()}}class Pr extends U{constructor(e,t){super(...arguments),this.didFocus=this.didFocus.bind(this),this.didBlur=this.didBlur.bind(this),this.didClickAttachment=this.didClickAttachment.bind(this),this.element=e,this.composition=t,this.documentView=new wn(this.composition.document,{element:this.element}),w("focus",{onElement:this.element,withCallback:this.didFocus}),w("blur",{onElement:this.element,withCallback:this.didBlur}),w("click",{onElement:this.element,matchingSelector:"a[contenteditable=false]",preventDefault:!0}),w("mousedown",{onElement:this.element,matchingSelector:r,withCallback:this.didClickAttachment}),w("click",{onElement:this.element,matchingSelector:"a".concat(r),preventDefault:!0})}didFocus(e){var t;const n=()=>{var e,t;if(!this.focused)return this.focused=!0,null===(e=this.delegate)||void 0===e||null===(t=e.compositionControllerDidFocus)||void 0===t?void 0:t.call(e)};return(null===(t=this.blurPromise)||void 0===t?void 0:t.then(n))||n()}didBlur(e){this.blurPromise=new Promise((e=>Be((()=>{var t,n;return k(this.element)||(this.focused=null,null===(t=this.delegate)||void 0===t||null===(n=t.compositionControllerDidBlur)||void 0===n||n.call(t)),this.blurPromise=null,e()}))))}didClickAttachment(e,t){var n,r;const o=this.findAttachmentForElement(t),i=!!x(e.target,{matchingSelector:"figcaption"});return null===(n=this.delegate)||void 0===n||null===(r=n.compositionControllerDidSelectAttachment)||void 0===r?void 0:r.call(n,o,{editCaption:i})}getSerializableElement(){return this.isEditingAttachment()?this.documentView.shadowElement:this.element}render(){var e,t,n,r,o,i;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()&&(null===(n=this.delegate)||void 0===n||null===(r=n.compositionControllerWillSyncDocumentView)||void 0===r||r.call(n),this.documentView.sync(),null===(o=this.delegate)||void 0===o||null===(i=o.compositionControllerDidSyncDocumentView)||void 0===i||i.call(o)),null===(e=this.delegate)||void 0===e||null===(t=e.compositionControllerDidRender)||void 0===t?void 0:t.call(e)}rerenderViewForObject(e){return this.invalidateViewForObject(e),this.render()}invalidateViewForObject(e){return this.documentView.invalidateViewForObject(e)}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(e,t){var n;if((null===(n=this.attachmentEditor)||void 0===n?void 0:n.attachment)===e)return;const r=this.documentView.findElementForObject(e);if(!r)return;this.uninstallAttachmentEditor();const o=this.composition.document.getAttachmentPieceForAttachment(e);this.attachmentEditor=new Hr(o,r,this.element,t),this.attachmentEditor.delegate=this}uninstallAttachmentEditor(){var e;return null===(e=this.attachmentEditor)||void 0===e?void 0:e.uninstall()}didUninstallAttachmentEditor(){return this.attachmentEditor=null,this.render()}attachmentEditorDidRequestUpdatingAttributesForAttachment(e,t){var n,r;return null===(n=this.delegate)||void 0===n||null===(r=n.compositionControllerWillUpdateAttachment)||void 0===r||r.call(n,t),this.composition.updateAttributesForAttachment(e,t)}attachmentEditorDidRequestRemovingAttributeForAttachment(e,t){var n,r;return null===(n=this.delegate)||void 0===n||null===(r=n.compositionControllerWillUpdateAttachment)||void 0===r||r.call(n,t),this.composition.removeAttributeForAttachment(e,t)}attachmentEditorDidRequestRemovalOfAttachment(e){var t,n;return null===(t=this.delegate)||void 0===t||null===(n=t.compositionControllerDidRequestRemovalOfAttachment)||void 0===n?void 0:n.call(t,e)}attachmentEditorDidRequestDeselectingAttachment(e){var t,n;return null===(t=this.delegate)||void 0===t||null===(n=t.compositionControllerDidRequestDeselectingAttachment)||void 0===n?void 0:n.call(t,e)}canSyncDocumentView(){return!this.isEditingAttachment()}findAttachmentForElement(e){return this.composition.document.getAttachmentById(parseInt(e.dataset.trixId,10))}}class jr extends U{}const Fr="data-trix-mutable",zr="[".concat(Fr,"]"),qr={attributes:!0,childList:!0,characterData:!0,characterDataOldValue:!0,subtree:!0};class Ur extends U{constructor(e){super(e),this.didMutate=this.didMutate.bind(this),this.element=e,this.observer=new window.MutationObserver(this.didMutate),this.start()}start(){return this.reset(),this.observer.observe(this.element,qr)}stop(){return this.observer.disconnect()}didMutate(e){var t,n;if(this.mutations.push(...Array.from(this.findSignificantMutations(e)||[])),this.mutations.length)return null===(t=this.delegate)||void 0===t||null===(n=t.elementDidMutate)||void 0===n||n.call(t,this.getMutationSummary()),this.reset()}reset(){this.mutations=[]}findSignificantMutations(e){return e.filter((e=>this.mutationIsSignificant(e)))}mutationIsSignificant(e){if(this.nodeIsMutable(e.target))return!1;for(const t of Array.from(this.nodesModifiedByMutation(e)))if(this.nodeIsSignificant(t))return!0;return!1}nodeIsSignificant(e){return e!==this.element&&!this.nodeIsMutable(e)&&!D(e)}nodeIsMutable(e){return x(e,{matchingSelector:zr})}nodesModifiedByMutation(e){const t=[];switch(e.type){case"attributes":e.attributeName!==Fr&&t.push(e.target);break;case"characterData":t.push(e.target.parentNode),t.push(e.target);break;case"childList":t.push(...Array.from(e.addedNodes||[])),t.push(...Array.from(e.removedNodes||[]))}return t}getMutationSummary(){return this.getTextMutationSummary()}getTextMutationSummary(){const{additions:e,deletions:t}=this.getTextChangesFromCharacterData(),n=this.getTextChangesFromChildList();Array.from(n.additions).forEach((t=>{Array.from(e).includes(t)||e.push(t)})),t.push(...Array.from(n.deletions||[]));const r={},o=e.join("");o&&(r.textAdded=o);const i=t.join("");return i&&(r.textDeleted=i),r}getMutationsByType(e){return Array.from(this.mutations).filter((t=>t.type===e))}getTextChangesFromChildList(){let e,t;const n=[],r=[];Array.from(this.getMutationsByType("childList")).forEach((e=>{n.push(...Array.from(e.addedNodes||[])),r.push(...Array.from(e.removedNodes||[]))})),0===n.length&&1===r.length&&T(r[0])?(e=[],t=["\n"]):(e=$r(n),t=$r(r));const o=e.filter(((e,n)=>e!==t[n])).map(je),i=t.filter(((t,n)=>t!==e[n])).map(je);return{additions:o,deletions:i}}getTextChangesFromCharacterData(){let e,t;const n=this.getMutationsByType("characterData");if(n.length){const r=n[0],o=n[n.length-1],i=function(e,t){let n,r;return e=J.box(e),(t=J.box(t)).length<e.length?[r,n]=qe(e,t):[n,r]=qe(t,e),{added:n,removed:r}}(je(r.oldValue),je(o.target.data));e=i.added,t=i.removed}return{additions:e?[e]:[],deletions:t?[t]:[]}}}const $r=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];const t=[];for(const n of Array.from(e))switch(n.nodeType){case Node.TEXT_NODE:t.push(n.data);break;case Node.ELEMENT_NODE:"br"===M(n)?t.push("\n"):t.push(...Array.from($r(n.childNodes)||[]))}return t};class Wr extends nt{constructor(e){super(...arguments),this.file=e}perform(e){const t=new FileReader;return t.onerror=()=>e(!1),t.onload=()=>{t.onerror=null;try{t.abort()}catch(e){}return e(!0,this.file)},t.readAsArrayBuffer(this.file)}}class Gr{constructor(e){this.element=e}shouldIgnore(e){return!!c.samsungAndroid&&(this.previousEvent=this.event,this.event=e,this.checkSamsungKeyboardBuggyModeStart(),this.checkSamsungKeyboardBuggyModeEnd(),this.buggyMode)}checkSamsungKeyboardBuggyModeStart(){this.insertingLongTextAfterUnidentifiedChar()&&Kr(this.element.innerText,this.event.data)&&(this.buggyMode=!0,this.event.preventDefault())}checkSamsungKeyboardBuggyModeEnd(){this.buggyMode&&"insertText"!==this.event.inputType&&(this.buggyMode=!1)}insertingLongTextAfterUnidentifiedChar(){var e;return this.isBeforeInputInsertText()&&this.previousEventWasUnidentifiedKeydown()&&(null===(e=this.event.data)||void 0===e?void 0:e.length)>50}isBeforeInputInsertText(){return"beforeinput"===this.event.type&&"insertText"===this.event.inputType}previousEventWasUnidentifiedKeydown(){var e,t;return"keydown"===(null===(e=this.previousEvent)||void 0===e?void 0:e.type)&&"Unidentified"===(null===(t=this.previousEvent)||void 0===t?void 0:t.key)}}const Kr=(e,t)=>Xr(e)===Xr(t),Yr=new RegExp("(".concat("","|").concat(p,"|").concat(f,"|\\s)+"),"g"),Xr=e=>e.replace(Yr," ").trim();class Jr extends U{constructor(e){super(...arguments),this.element=e,this.mutationObserver=new Ur(this.element),this.mutationObserver.delegate=this,this.flakyKeyboardDetector=new Gr(this.element);for(const e in this.constructor.events)w(e,{onElement:this.element,withCallback:this.handlerFor(e)})}elementDidMutate(e){}editorWillSyncDocumentView(){return this.mutationObserver.stop()}editorDidSyncDocumentView(){return this.mutationObserver.start()}requestRender(){var e,t;return null===(e=this.delegate)||void 0===e||null===(t=e.inputControllerDidRequestRender)||void 0===t?void 0:t.call(e)}requestReparse(){var e,t;return null===(e=this.delegate)||void 0===e||null===(t=e.inputControllerDidRequestReparse)||void 0===t||t.call(e),this.requestRender()}attachFiles(e){const t=Array.from(e).map((e=>new Wr(e)));return Promise.all(t).then((e=>{this.handleInput((function(){var t,n;return null===(t=this.delegate)||void 0===t||t.inputControllerWillAttachFiles(),null===(n=this.responder)||void 0===n||n.insertFiles(e),this.requestRender()}))}))}handlerFor(e){return t=>{t.defaultPrevented||this.handleInput((()=>{if(!k(this.element)){if(this.flakyKeyboardDetector.shouldIgnore(t))return;this.eventName=e,this.constructor.events[e].call(this,t)}}))}}handleInput(e){try{var t;null===(t=this.delegate)||void 0===t||t.inputControllerWillHandleInput(),e.call(this)}finally{var n;null===(n=this.delegate)||void 0===n||n.inputControllerDidHandleInput()}}createLinkHTML(e,t){const n=document.createElement("a");return n.href=e,n.textContent=t||e,n.outerHTML}}var Qr;An(Jr,"events",{});const{browser:eo,keyNames:to}=q;let no=0;class ro extends Jr{constructor(){super(...arguments),this.resetInputSummary()}setInputSummary(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};this.inputSummary.eventName=this.eventName;for(const t in e){const n=e[t];this.inputSummary[t]=n}return this.inputSummary}resetInputSummary(){this.inputSummary={}}reset(){return this.resetInputSummary(),Ze.reset()}elementDidMutate(e){var t,n;return this.isComposing()?null===(t=this.delegate)||void 0===t||null===(n=t.inputControllerDidAllowUnhandledInput)||void 0===n?void 0:n.call(t):this.handleInput((function(){return this.mutationIsSignificant(e)&&(this.mutationIsExpected(e)?this.requestRender():this.requestReparse()),this.reset()}))}mutationIsExpected(e){let{textAdded:t,textDeleted:n}=e;if(this.inputSummary.preferDocument)return!0;const r=null!=t?t===this.inputSummary.textAdded:!this.inputSummary.textAdded,o=null!=n?this.inputSummary.didDelete:!this.inputSummary.didDelete,i=["\n"," \n"].includes(t)&&!r,a="\n"===n&&!o;if(i&&!a||a&&!i){const e=this.getSelectedRange();if(e){var l;const n=i?t.replace(/\n$/,"").length||-1:(null==t?void 0:t.length)||1;if(null!==(l=this.responder)&&void 0!==l&&l.positionIsBlockBreak(e[1]+n))return!0}}return r&&o}mutationIsSignificant(e){var t;const n=Object.keys(e).length>0,r=""===(null===(t=this.compositionInput)||void 0===t?void 0:t.getEndData());return n||!r}getCompositionInput(){if(this.isComposing())return this.compositionInput;this.compositionInput=new so(this)}isComposing(){return this.compositionInput&&!this.compositionInput.isEnded()}deleteInDirection(e,t){var n;return!1!==(null===(n=this.responder)||void 0===n?void 0:n.deleteInDirection(e))?this.setInputSummary({didDelete:!0}):t?(t.preventDefault(),this.requestRender()):void 0}serializeSelectionToDataTransfer(e){var t;if(!function(e){if(null==e||!e.setData)return!1;for(const t in Ee){const n=Ee[t];try{if(e.setData(t,n),!e.getData(t)===n)return!1}catch(e){return!1}}return!0}(e))return;const n=null===(t=this.responder)||void 0===t?void 0:t.getSelectedDocument().toSerializableDocument();return e.setData("application/x-trix-document",JSON.stringify(n)),e.setData("text/html",wn.render(n).innerHTML),e.setData("text/plain",n.toString().replace(/\n$/,"")),!0}canAcceptDataTransfer(e){const t={};return Array.from((null==e?void 0:e.types)||[]).forEach((e=>{t[e]=!0})),t.Files||t["application/x-trix-document"]||t["text/html"]||t["text/plain"]}getPastedHTMLUsingHiddenElement(e){const t=this.getSelectedRange(),n={position:"absolute",left:"".concat(window.pageXOffset,"px"),top:"".concat(window.pageYOffset,"px"),opacity:0},r=_({style:n,tagName:"div",editable:!0});return document.body.appendChild(r),r.focus(),requestAnimationFrame((()=>{const n=r.innerHTML;return C(r),this.setSelectedRange(t),e(n)}))}}An(ro,"events",{keydown(e){this.isComposing()||this.resetInputSummary(),this.inputSummary.didInput=!0;const t=to[e.keyCode];if(t){var n;let r=this.keys;["ctrl","alt","shift","meta"].forEach((t=>{var n;e["".concat(t,"Key")]&&("ctrl"===t&&(t="control"),r=null===(n=r)||void 0===n?void 0:n[t])})),null!=(null===(n=r)||void 0===n?void 0:n[t])&&(this.setInputSummary({keyName:t}),Ze.reset(),r[t].call(this,e))}if(Ce(e)){const t=String.fromCharCode(e.keyCode).toLowerCase();if(t){var r;const n=["alt","shift"].map((t=>{if(e["".concat(t,"Key")])return t})).filter((e=>e));n.push(t),null!==(r=this.delegate)&&void 0!==r&&r.inputControllerDidReceiveKeyboardCommand(n)&&e.preventDefault()}}},keypress(e){if(null!=this.inputSummary.eventName)return;if(e.metaKey)return;if(e.ctrlKey&&!e.altKey)return;const t=ao(e);var n,r;return t?(null===(n=this.delegate)||void 0===n||n.inputControllerWillPerformTyping(),null===(r=this.responder)||void 0===r||r.insertString(t),this.setInputSummary({textAdded:t,didDelete:this.selectionIsExpanded()})):void 0},textInput(e){const{data:t}=e,{textAdded:n}=this.inputSummary;if(n&&n!==t&&n.toUpperCase()===t){var r;const e=this.getSelectedRange();return this.setSelectedRange([e[0],e[1]+n.length]),null===(r=this.responder)||void 0===r||r.insertString(t),this.setInputSummary({textAdded:t}),this.setSelectedRange(e)}},dragenter(e){e.preventDefault()},dragstart(e){var t,n;return this.serializeSelectionToDataTransfer(e.dataTransfer),this.draggedRange=this.getSelectedRange(),null===(t=this.delegate)||void 0===t||null===(n=t.inputControllerDidStartDrag)||void 0===n?void 0:n.call(t)},dragover(e){if(this.draggedRange||this.canAcceptDataTransfer(e.dataTransfer)){e.preventDefault();const r={x:e.clientX,y:e.clientY};var t,n;if(!_e(r,this.draggingPoint))return this.draggingPoint=r,null===(t=this.delegate)||void 0===t||null===(n=t.inputControllerDidReceiveDragOverPoint)||void 0===n?void 0:n.call(t,this.draggingPoint)}},dragend(e){var t,n;null===(t=this.delegate)||void 0===t||null===(n=t.inputControllerDidCancelDrag)||void 0===n||n.call(t),this.draggedRange=null,this.draggingPoint=null},drop(e){var t,n;e.preventDefault();const r=null===(t=e.dataTransfer)||void 0===t?void 0:t.files,o=e.dataTransfer.getData("application/x-trix-document"),i={x:e.clientX,y:e.clientY};if(null===(n=this.responder)||void 0===n||n.setLocationRangeFromPointRange(i),null!=r&&r.length)this.attachFiles(r);else if(this.draggedRange){var a,l;null===(a=this.delegate)||void 0===a||a.inputControllerWillMoveText(),null===(l=this.responder)||void 0===l||l.moveTextFromRange(this.draggedRange),this.draggedRange=null,this.requestRender()}else if(o){var s;const e=Xn.fromJSONString(o);null===(s=this.responder)||void 0===s||s.insertDocument(e),this.requestRender()}this.draggedRange=null,this.draggingPoint=null},cut(e){var t,n;if(null!==(t=this.responder)&&void 0!==t&&t.selectionIsExpanded()&&(this.serializeSelectionToDataTransfer(e.clipboardData)&&e.preventDefault(),null===(n=this.delegate)||void 0===n||n.inputControllerWillCutText(),this.deleteInDirection("backward"),e.defaultPrevented))return this.requestRender()},copy(e){var t;null!==(t=this.responder)&&void 0!==t&&t.selectionIsExpanded()&&this.serializeSelectionToDataTransfer(e.clipboardData)&&e.preventDefault()},paste(e){const t=e.clipboardData||e.testClipboardData,n={clipboard:t};if(!t||lo(e))return void this.getPastedHTMLUsingHiddenElement((e=>{var t,r,o;return n.type="text/html",n.html=e,null===(t=this.delegate)||void 0===t||t.inputControllerWillPaste(n),null===(r=this.responder)||void 0===r||r.insertHTML(n.html),this.requestRender(),null===(o=this.delegate)||void 0===o?void 0:o.inputControllerDidPaste(n)}));const r=t.getData("URL"),o=t.getData("text/html"),i=t.getData("public.url-name");if(r){var a,l,s;let e;n.type="text/html",e=i?ze(i).trim():r,n.html=this.createLinkHTML(r,e),null===(a=this.delegate)||void 0===a||a.inputControllerWillPaste(n),this.setInputSummary({textAdded:e,didDelete:this.selectionIsExpanded()}),null===(l=this.responder)||void 0===l||l.insertHTML(n.html),this.requestRender(),null===(s=this.delegate)||void 0===s||s.inputControllerDidPaste(n)}else if(Ae(t)){var c,u,d;n.type="text/plain",n.string=t.getData("text/plain"),null===(c=this.delegate)||void 0===c||c.inputControllerWillPaste(n),this.setInputSummary({textAdded:n.string,didDelete:this.selectionIsExpanded()}),null===(u=this.responder)||void 0===u||u.insertString(n.string),this.requestRender(),null===(d=this.delegate)||void 0===d||d.inputControllerDidPaste(n)}else if(o){var h,p,f;n.type="text/html",n.html=o,null===(h=this.delegate)||void 0===h||h.inputControllerWillPaste(n),null===(p=this.responder)||void 0===p||p.insertHTML(n.html),this.requestRender(),null===(f=this.delegate)||void 0===f||f.inputControllerDidPaste(n)}else if(Array.from(t.types).includes("Files")){var m,v;const e=null===(m=t.items)||void 0===m||null===(m=m[0])||void 0===m||null===(v=m.getAsFile)||void 0===v?void 0:v.call(m);if(e){var g,w,y;const t=oo(e);!e.name&&t&&(e.name="pasted-file-".concat(++no,".").concat(t)),n.type="File",n.file=e,null===(g=this.delegate)||void 0===g||g.inputControllerWillAttachFiles(),null===(w=this.responder)||void 0===w||w.insertFile(n.file),this.requestRender(),null===(y=this.delegate)||void 0===y||y.inputControllerDidPaste(n)}}e.preventDefault()},compositionstart(e){return this.getCompositionInput().start(e.data)},compositionupdate(e){return this.getCompositionInput().update(e.data)},compositionend(e){return this.getCompositionInput().end(e.data)},beforeinput(e){this.inputSummary.didInput=!0},input(e){return this.inputSummary.didInput=!0,e.stopPropagation()}}),An(ro,"keys",{backspace(e){var t;return null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),this.deleteInDirection("backward",e)},delete(e){var t;return null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),this.deleteInDirection("forward",e)},return(e){var t,n;return this.setInputSummary({preferDocument:!0}),null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),null===(n=this.responder)||void 0===n?void 0:n.insertLineBreak()},tab(e){var t,n;null!==(t=this.responder)&&void 0!==t&&t.canIncreaseNestingLevel()&&(null===(n=this.responder)||void 0===n||n.increaseNestingLevel(),this.requestRender(),e.preventDefault())},left(e){var t;if(this.selectionIsInCursorTarget())return e.preventDefault(),null===(t=this.responder)||void 0===t?void 0:t.moveCursorInDirection("backward")},right(e){var t;if(this.selectionIsInCursorTarget())return e.preventDefault(),null===(t=this.responder)||void 0===t?void 0:t.moveCursorInDirection("forward")},control:{d(e){var t;return null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),this.deleteInDirection("forward",e)},h(e){var t;return null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),this.deleteInDirection("backward",e)},o(e){var t,n;return e.preventDefault(),null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),null===(n=this.responder)||void 0===n||n.insertString("\n",{updatePosition:!1}),this.requestRender()}},shift:{return(e){var t,n;null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),null===(n=this.responder)||void 0===n||n.insertString("\n"),this.requestRender(),e.preventDefault()},tab(e){var t,n;null!==(t=this.responder)&&void 0!==t&&t.canDecreaseNestingLevel()&&(null===(n=this.responder)||void 0===n||n.decreaseNestingLevel(),this.requestRender(),e.preventDefault())},left(e){if(this.selectionIsInCursorTarget())return e.preventDefault(),this.expandSelectionInDirection("backward")},right(e){if(this.selectionIsInCursorTarget())return e.preventDefault(),this.expandSelectionInDirection("forward")}},alt:{backspace(e){var t;return this.setInputSummary({preferDocument:!1}),null===(t=this.delegate)||void 0===t?void 0:t.inputControllerWillPerformTyping()}},meta:{backspace(e){var t;return this.setInputSummary({preferDocument:!1}),null===(t=this.delegate)||void 0===t?void 0:t.inputControllerWillPerformTyping()}}}),ro.proxyMethod("responder?.getSelectedRange"),ro.proxyMethod("responder?.setSelectedRange"),ro.proxyMethod("responder?.expandSelectionInDirection"),ro.proxyMethod("responder?.selectionIsInCursorTarget"),ro.proxyMethod("responder?.selectionIsExpanded");const oo=e=>{var t;return null===(t=e.type)||void 0===t||null===(t=t.match(/\/(\w+)$/))||void 0===t?void 0:t[1]},io=!(null===(Qr=" ".codePointAt)||void 0===Qr||!Qr.call(" ",0)),ao=function(e){if(e.key&&io&&e.key.codePointAt(0)===e.keyCode)return e.key;{let t;if(null===e.which?t=e.keyCode:0!==e.which&&0!==e.charCode&&(t=e.charCode),null!=t&&"escape"!==to[t])return J.fromCodepoints([t]).toString()}},lo=function(e){const t=e.clipboardData;if(t){if(t.types.includes("text/html")){for(const e of t.types){const n=/^CorePasteboardFlavorType/.test(e),r=/^dyn\./.test(e)&&t.getData(e);if(n||r)return!0}return!1}{const e=t.types.includes("com.apple.webarchive"),n=t.types.includes("com.apple.flat-rtfd");return e||n}}};class so extends U{constructor(e){super(...arguments),this.inputController=e,this.responder=this.inputController.responder,this.delegate=this.inputController.delegate,this.inputSummary=this.inputController.inputSummary,this.data={}}start(e){var t,n;(this.data.start=e,this.isSignificant())&&("keypress"===this.inputSummary.eventName&&this.inputSummary.textAdded&&(null===(n=this.responder)||void 0===n||n.deleteInDirection("left")),this.selectionIsExpanded()||(this.insertPlaceholder(),this.requestRender()),this.range=null===(t=this.responder)||void 0===t?void 0:t.getSelectedRange())}update(e){if(this.data.update=e,this.isSignificant()){const e=this.selectPlaceholder();e&&(this.forgetPlaceholder(),this.range=e)}}end(e){return this.data.end=e,this.isSignificant()?(this.forgetPlaceholder(),this.canApplyToDocument()?(this.setInputSummary({preferDocument:!0,didInput:!1}),null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),null===(n=this.responder)||void 0===n||n.setSelectedRange(this.range),null===(r=this.responder)||void 0===r||r.insertString(this.data.end),null===(o=this.responder)||void 0===o?void 0:o.setSelectedRange(this.range[0]+this.data.end.length)):null!=this.data.start||null!=this.data.update?(this.requestReparse(),this.inputController.reset()):void 0):this.inputController.reset();var t,n,r,o}getEndData(){return this.data.end}isEnded(){return null!=this.getEndData()}isSignificant(){return!eo.composesExistingText||this.inputSummary.didInput}canApplyToDocument(){var e,t;return 0===(null===(e=this.data.start)||void 0===e?void 0:e.length)&&(null===(t=this.data.end)||void 0===t?void 0:t.length)>0&&this.range}}so.proxyMethod("inputController.setInputSummary"),so.proxyMethod("inputController.requestRender"),so.proxyMethod("inputController.requestReparse"),so.proxyMethod("responder?.selectionIsExpanded"),so.proxyMethod("responder?.insertPlaceholder"),so.proxyMethod("responder?.selectPlaceholder"),so.proxyMethod("responder?.forgetPlaceholder");class co extends Jr{constructor(){super(...arguments),this.render=this.render.bind(this)}elementDidMutate(){return this.scheduledRender?this.composing?null===(e=this.delegate)||void 0===e||null===(t=e.inputControllerDidAllowUnhandledInput)||void 0===t?void 0:t.call(e):void 0:this.reparse();var e,t}scheduleRender(){return this.scheduledRender?this.scheduledRender:this.scheduledRender=requestAnimationFrame(this.render)}render(){var e,t;cancelAnimationFrame(this.scheduledRender),this.scheduledRender=null,this.composing||null===(t=this.delegate)||void 0===t||t.render(),null===(e=this.afterRender)||void 0===e||e.call(this),this.afterRender=null}reparse(){var e;return null===(e=this.delegate)||void 0===e?void 0:e.reparse()}insertString(){var e;let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"",n=arguments.length>1?arguments[1]:void 0;return null===(e=this.delegate)||void 0===e||e.inputControllerWillPerformTyping(),this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.insertString(t,n)}))}toggleAttributeIfSupported(e){var t;if(fe().includes(e))return null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformFormatting(e),this.withTargetDOMRange((function(){var t;return null===(t=this.responder)||void 0===t?void 0:t.toggleCurrentAttribute(e)}))}activateAttributeIfSupported(e,t){var n;if(fe().includes(e))return null===(n=this.delegate)||void 0===n||n.inputControllerWillPerformFormatting(e),this.withTargetDOMRange((function(){var n;return null===(n=this.responder)||void 0===n?void 0:n.setCurrentAttribute(e,t)}))}deleteInDirection(e){let{recordUndoEntry:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{recordUndoEntry:!0};var n;t&&(null===(n=this.delegate)||void 0===n||n.inputControllerWillPerformTyping());const r=()=>{var t;return null===(t=this.responder)||void 0===t?void 0:t.deleteInDirection(e)},o=this.getTargetDOMRange({minLength:this.composing?1:2});return o?this.withTargetDOMRange(o,r):r()}withTargetDOMRange(e,t){var n;return"function"==typeof e&&(t=e,e=this.getTargetDOMRange()),e?null===(n=this.responder)||void 0===n?void 0:n.withTargetDOMRange(e,t.bind(this)):(Ze.reset(),t.call(this))}getTargetDOMRange(){var e,t;let{minLength:n}=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{minLength:0};const r=null===(e=(t=this.event).getTargetRanges)||void 0===e?void 0:e.call(t);if(r&&r.length){const e=uo(r[0]);if(0===n||e.toString().length>=n)return e}}withEvent(e,t){let n;this.event=e;try{n=t.call(this)}finally{this.event=null}return n}}An(co,"events",{keydown(e){if(Ce(e)){var t;const n=vo(e);null!==(t=this.delegate)&&void 0!==t&&t.inputControllerDidReceiveKeyboardCommand(n)&&e.preventDefault()}else{let t=e.key;e.altKey&&(t+="+Alt"),e.shiftKey&&(t+="+Shift");const n=this.constructor.keys[t];if(n)return this.withEvent(e,n)}},paste(e){var t;let n;const r=null===(t=e.clipboardData)||void 0===t?void 0:t.getData("URL");return fo(e)?(e.preventDefault(),this.attachFiles(e.clipboardData.files)):mo(e)?(e.preventDefault(),n={type:"text/plain",string:e.clipboardData.getData("text/plain")},null===(o=this.delegate)||void 0===o||o.inputControllerWillPaste(n),null===(i=this.responder)||void 0===i||i.insertString(n.string),this.render(),null===(a=this.delegate)||void 0===a?void 0:a.inputControllerDidPaste(n)):r?(e.preventDefault(),n={type:"text/html",html:this.createLinkHTML(r)},null===(l=this.delegate)||void 0===l||l.inputControllerWillPaste(n),null===(s=this.responder)||void 0===s||s.insertHTML(n.html),this.render(),null===(c=this.delegate)||void 0===c?void 0:c.inputControllerDidPaste(n)):void 0;var o,i,a,l,s,c},beforeinput(e){const t=this.constructor.inputTypes[e.inputType],n=(r=e,!(!/iPhone|iPad/.test(navigator.userAgent)||r.inputType&&"insertParagraph"!==r.inputType));var r;t&&(this.withEvent(e,t),n||this.scheduleRender()),n&&this.render()},input(e){Ze.reset()},dragstart(e){var t,n;null!==(t=this.responder)&&void 0!==t&&t.selectionContainsAttachments()&&(e.dataTransfer.setData("application/x-trix-dragging",!0),this.dragging={range:null===(n=this.responder)||void 0===n?void 0:n.getSelectedRange(),point:go(e)})},dragenter(e){ho(e)&&e.preventDefault()},dragover(e){if(this.dragging){e.preventDefault();const n=go(e);var t;if(!_e(n,this.dragging.point))return this.dragging.point=n,null===(t=this.responder)||void 0===t?void 0:t.setLocationRangeFromPointRange(n)}else ho(e)&&e.preventDefault()},drop(e){var t,n;if(this.dragging)return e.preventDefault(),null===(t=this.delegate)||void 0===t||t.inputControllerWillMoveText(),null===(n=this.responder)||void 0===n||n.moveTextFromRange(this.dragging.range),this.dragging=null,this.scheduleRender();if(ho(e)){var r;e.preventDefault();const t=go(e);return null===(r=this.responder)||void 0===r||r.setLocationRangeFromPointRange(t),this.attachFiles(e.dataTransfer.files)}},dragend(){var e;this.dragging&&(null===(e=this.responder)||void 0===e||e.setSelectedRange(this.dragging.range),this.dragging=null)},compositionend(e){this.composing&&(this.composing=!1,c.recentAndroid||this.scheduleRender())}}),An(co,"keys",{ArrowLeft(){var e,t;if(null!==(e=this.responder)&&void 0!==e&&e.shouldManageMovingCursorInDirection("backward"))return this.event.preventDefault(),null===(t=this.responder)||void 0===t?void 0:t.moveCursorInDirection("backward")},ArrowRight(){var e,t;if(null!==(e=this.responder)&&void 0!==e&&e.shouldManageMovingCursorInDirection("forward"))return this.event.preventDefault(),null===(t=this.responder)||void 0===t?void 0:t.moveCursorInDirection("forward")},Backspace(){var e,t,n;if(null!==(e=this.responder)&&void 0!==e&&e.shouldManageDeletingInDirection("backward"))return this.event.preventDefault(),null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),null===(n=this.responder)||void 0===n||n.deleteInDirection("backward"),this.render()},Tab(){var e,t;if(null!==(e=this.responder)&&void 0!==e&&e.canIncreaseNestingLevel())return this.event.preventDefault(),null===(t=this.responder)||void 0===t||t.increaseNestingLevel(),this.render()},"Tab+Shift"(){var e,t;if(null!==(e=this.responder)&&void 0!==e&&e.canDecreaseNestingLevel())return this.event.preventDefault(),null===(t=this.responder)||void 0===t||t.decreaseNestingLevel(),this.render()}}),An(co,"inputTypes",{deleteByComposition(){return this.deleteInDirection("backward",{recordUndoEntry:!1})},deleteByCut(){return this.deleteInDirection("backward")},deleteByDrag(){return this.event.preventDefault(),this.withTargetDOMRange((function(){var e;this.deleteByDragRange=null===(e=this.responder)||void 0===e?void 0:e.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 e;if(null!==(e=this.responder)&&void 0!==e&&e.canIncreaseNestingLevel())return this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.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 e;if(null!==(e=this.responder)&&void 0!==e&&e.canDecreaseNestingLevel())return this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.decreaseNestingLevel()}))},formatRemove(){this.withTargetDOMRange((function(){for(const n in null===(e=this.responder)||void 0===e?void 0:e.getCurrentAttributes()){var e,t;null===(t=this.responder)||void 0===t||t.removeCurrentAttribute(n)}}))},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 e;return null===(e=this.delegate)||void 0===e?void 0:e.inputControllerWillPerformRedo()},historyUndo(){var e;return null===(e=this.delegate)||void 0===e?void 0:e.inputControllerWillPerformUndo()},insertCompositionText(){return this.composing=!0,this.insertString(this.event.data)},insertFromComposition(){return this.composing=!1,this.insertString(this.event.data)},insertFromDrop(){const e=this.deleteByDragRange;var t;if(e)return this.deleteByDragRange=null,null===(t=this.delegate)||void 0===t||t.inputControllerWillMoveText(),this.withTargetDOMRange((function(){var t;return null===(t=this.responder)||void 0===t?void 0:t.moveTextFromRange(e)}))},insertFromPaste(){const{dataTransfer:e}=this.event,t={dataTransfer:e},n=e.getData("URL"),r=e.getData("text/html");if(n){var o;let r;this.event.preventDefault(),t.type="text/html";const i=e.getData("public.url-name");r=i?ze(i).trim():n,t.html=this.createLinkHTML(n,r),null===(o=this.delegate)||void 0===o||o.inputControllerWillPaste(t),this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.insertHTML(t.html)})),this.afterRender=()=>{var e;return null===(e=this.delegate)||void 0===e?void 0:e.inputControllerDidPaste(t)}}else if(Ae(e)){var i;t.type="text/plain",t.string=e.getData("text/plain"),null===(i=this.delegate)||void 0===i||i.inputControllerWillPaste(t),this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.insertString(t.string)})),this.afterRender=()=>{var e;return null===(e=this.delegate)||void 0===e?void 0:e.inputControllerDidPaste(t)}}else if(po(this.event)){var a;t.type="File",t.file=e.files[0],null===(a=this.delegate)||void 0===a||a.inputControllerWillPaste(t),this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.insertFile(t.file)})),this.afterRender=()=>{var e;return null===(e=this.delegate)||void 0===e?void 0:e.inputControllerDidPaste(t)}}else if(r){var l;this.event.preventDefault(),t.type="text/html",t.html=r,null===(l=this.delegate)||void 0===l||l.inputControllerWillPaste(t),this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.insertHTML(t.html)})),this.afterRender=()=>{var e;return null===(e=this.delegate)||void 0===e?void 0:e.inputControllerDidPaste(t)}}},insertFromYank(){return this.insertString(this.event.data)},insertLineBreak(){return this.insertString("\n")},insertLink(){return this.activateAttributeIfSupported("href",this.event.data)},insertOrderedList(){return this.toggleAttributeIfSupported("number")},insertParagraph(){var e;return null===(e=this.delegate)||void 0===e||e.inputControllerWillPerformTyping(),this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.insertLineBreak()}))},insertReplacementText(){const e=this.event.dataTransfer.getData("text/plain"),t=this.event.getTargetRanges()[0];this.withTargetDOMRange(t,(()=>{this.insertString(e,{updatePosition:!1})}))},insertText(){var e;return this.insertString(this.event.data||(null===(e=this.event.dataTransfer)||void 0===e?void 0:e.getData("text/plain")))},insertTranspose(){return this.insertString(this.event.data)},insertUnorderedList(){return this.toggleAttributeIfSupported("bullet")}});const uo=function(e){const t=document.createRange();return t.setStart(e.startContainer,e.startOffset),t.setEnd(e.endContainer,e.endOffset),t},ho=e=>{var t;return Array.from((null===(t=e.dataTransfer)||void 0===t?void 0:t.types)||[]).includes("Files")},po=e=>{var t;return(null===(t=e.dataTransfer.files)||void 0===t?void 0:t[0])&&!fo(e)&&!(e=>{let{dataTransfer:t}=e;return t.types.includes("Files")&&t.types.includes("text/html")&&t.getData("text/html").includes("urn:schemas-microsoft-com:office:office")})(e)},fo=function(e){const t=e.clipboardData;if(t)return Array.from(t.types).filter((e=>e.match(/file/i))).length===t.types.length&&t.files.length>=1},mo=function(e){const t=e.clipboardData;if(t)return t.types.includes("text/plain")&&1===t.types.length},vo=function(e){const t=[];return e.altKey&&t.push("alt"),e.shiftKey&&t.push("shift"),t.push(e.key),t},go=e=>({x:e.clientX,y:e.clientY}),wo="[data-trix-attribute]",yo="[data-trix-action]",bo="".concat(wo,", ").concat(yo),xo="[data-trix-dialog]",ko="".concat(xo,"[data-trix-active]"),Eo="".concat(xo," [data-trix-method]"),Ao="".concat(xo," [data-trix-input]"),Co=(e,t)=>(t||(t=Mo(e)),e.querySelector("[data-trix-input][name='".concat(t,"']"))),Bo=e=>e.getAttribute("data-trix-action"),Mo=e=>e.getAttribute("data-trix-attribute")||e.getAttribute("data-trix-dialog-attribute");class _o extends U{constructor(e){super(e),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=e,this.attributes={},this.actions={},this.resetDialogInputs(),w("mousedown",{onElement:this.element,matchingSelector:yo,withCallback:this.didClickActionButton}),w("mousedown",{onElement:this.element,matchingSelector:wo,withCallback:this.didClickAttributeButton}),w("click",{onElement:this.element,matchingSelector:bo,preventDefault:!0}),w("click",{onElement:this.element,matchingSelector:Eo,withCallback:this.didClickDialogButton}),w("keydown",{onElement:this.element,matchingSelector:Ao,withCallback:this.didKeyDownDialogInput})}didClickActionButton(e,t){var n;null===(n=this.delegate)||void 0===n||n.toolbarDidClickButton(),e.preventDefault();const r=Bo(t);return this.getDialog(r)?this.toggleDialog(r):null===(o=this.delegate)||void 0===o?void 0:o.toolbarDidInvokeAction(r,t);var o}didClickAttributeButton(e,t){var n;null===(n=this.delegate)||void 0===n||n.toolbarDidClickButton(),e.preventDefault();const r=Mo(t);var o;return this.getDialog(r)?this.toggleDialog(r):null===(o=this.delegate)||void 0===o||o.toolbarDidToggleAttribute(r),this.refreshAttributeButtons()}didClickDialogButton(e,t){const n=x(t,{matchingSelector:xo});return this[t.getAttribute("data-trix-method")].call(this,n)}didKeyDownDialogInput(e,t){if(13===e.keyCode){e.preventDefault();const n=t.getAttribute("name"),r=this.getDialog(n);this.setAttribute(r)}if(27===e.keyCode)return e.preventDefault(),this.hideDialog()}updateActions(e){return this.actions=e,this.refreshActionButtons()}refreshActionButtons(){return this.eachActionButton(((e,t)=>{e.disabled=!1===this.actions[t]}))}eachActionButton(e){return Array.from(this.element.querySelectorAll(yo)).map((t=>e(t,Bo(t))))}updateAttributes(e){return this.attributes=e,this.refreshAttributeButtons()}refreshAttributeButtons(){return this.eachAttributeButton(((e,t)=>(e.disabled=!1===this.attributes[t],this.attributes[t]||this.dialogIsVisible(t)?(e.setAttribute("data-trix-active",""),e.classList.add("trix-active")):(e.removeAttribute("data-trix-active"),e.classList.remove("trix-active")))))}eachAttributeButton(e){return Array.from(this.element.querySelectorAll(wo)).map((t=>e(t,Mo(t))))}applyKeyboardCommand(e){const t=JSON.stringify(e.sort());for(const e of Array.from(this.element.querySelectorAll("[data-trix-key]"))){const n=e.getAttribute("data-trix-key").split("+");if(JSON.stringify(n.sort())===t)return y("mousedown",{onElement:e}),!0}return!1}dialogIsVisible(e){const t=this.getDialog(e);if(t)return t.hasAttribute("data-trix-active")}toggleDialog(e){return this.dialogIsVisible(e)?this.hideDialog():this.showDialog(e)}showDialog(e){var t,n;this.hideDialog(),null===(t=this.delegate)||void 0===t||t.toolbarWillShowDialog();const r=this.getDialog(e);r.setAttribute("data-trix-active",""),r.classList.add("trix-active"),Array.from(r.querySelectorAll("input[disabled]")).forEach((e=>{e.removeAttribute("disabled")}));const o=Mo(r);if(o){const t=Co(r,e);t&&(t.value=this.attributes[o]||"",t.select())}return null===(n=this.delegate)||void 0===n?void 0:n.toolbarDidShowDialog(e)}setAttribute(e){const t=Mo(e),n=Co(e,t);return n.willValidate&&!n.checkValidity()?(n.setAttribute("data-trix-validate",""),n.classList.add("trix-validate"),n.focus()):(null===(r=this.delegate)||void 0===r||r.toolbarDidUpdateAttribute(t,n.value),this.hideDialog());var r}removeAttribute(e){var t;const n=Mo(e);return null===(t=this.delegate)||void 0===t||t.toolbarDidRemoveAttribute(n),this.hideDialog()}hideDialog(){const e=this.element.querySelector(ko);var t;if(e)return e.removeAttribute("data-trix-active"),e.classList.remove("trix-active"),this.resetDialogInputs(),null===(t=this.delegate)||void 0===t?void 0:t.toolbarDidHideDialog((e=>e.getAttribute("data-trix-dialog"))(e))}resetDialogInputs(){Array.from(this.element.querySelectorAll(Ao)).forEach((e=>{e.setAttribute("disabled","disabled"),e.removeAttribute("data-trix-validate"),e.classList.remove("trix-validate")}))}getDialog(e){return this.element.querySelector("[data-trix-dialog=".concat(e,"]"))}}class So extends jr{constructor(e){let{editorElement:t,document:n,html:r}=e;super(...arguments),this.editorElement=t,this.selectionManager=new Lr(this.editorElement),this.selectionManager.delegate=this,this.composition=new wr,this.composition.delegate=this,this.attachmentManager=new vr(this.composition.getAttachments()),this.attachmentManager.delegate=this,this.inputController=2===H.getLevel()?new co(this.editorElement):new ro(this.editorElement),this.inputController.delegate=this,this.inputController.responder=this.composition,this.compositionController=new Pr(this.editorElement,this.composition),this.compositionController.delegate=this,this.toolbarController=new _o(this.editorElement.toolbarElement),this.toolbarController.delegate=this,this.editor=new Cr(this.composition,this.selectionManager,this.editorElement),n?this.editor.loadDocument(n):this.editor.loadHTML(r)}registerSelectionManager(){return Ze.registerSelectionManager(this.selectionManager)}unregisterSelectionManager(){return Ze.unregisterSelectionManager(this.selectionManager)}render(){return this.compositionController.render()}reparse(){return this.composition.replaceHTML(this.editorElement.innerHTML)}compositionDidChangeDocument(e){if(this.notifyEditorElement("document-change"),!this.handlingInput)return this.render()}compositionDidChangeCurrentAttributes(e){return this.currentAttributes=e,this.toolbarController.updateAttributes(this.currentAttributes),this.updateCurrentActions(),this.notifyEditorElement("attributes-change",{attributes:this.currentAttributes})}compositionDidPerformInsertionAtRange(e){this.pasting&&(this.pastedRange=e)}compositionShouldAcceptFile(e){return this.notifyEditorElement("file-accept",{file:e})}compositionDidAddAttachment(e){const t=this.attachmentManager.manageAttachment(e);return this.notifyEditorElement("attachment-add",{attachment:t})}compositionDidEditAttachment(e){this.compositionController.rerenderViewForObject(e);const t=this.attachmentManager.manageAttachment(e);return this.notifyEditorElement("attachment-edit",{attachment:t}),this.notifyEditorElement("change")}compositionDidChangeAttachmentPreviewURL(e){return this.compositionController.invalidateViewForObject(e),this.notifyEditorElement("change")}compositionDidRemoveAttachment(e){const t=this.attachmentManager.unmanageAttachment(e);return this.notifyEditorElement("attachment-remove",{attachment:t})}compositionDidStartEditingAttachment(e,t){return this.attachmentLocationRange=this.composition.document.getLocationRangeOfAttachment(e),this.compositionController.installAttachmentEditorForAttachment(e,t),this.selectionManager.setLocationRange(this.attachmentLocationRange)}compositionDidStopEditingAttachment(e){this.compositionController.uninstallAttachmentEditor(),this.attachmentLocationRange=null}compositionDidRequestChangingSelectionToLocationRange(e){if(!this.loadingSnapshot||this.isFocused())return this.requestedLocationRange=e,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(e){return this.removeAttachment(e)}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(e,t){return this.toolbarController.hideDialog(),this.composition.editAttachment(e,t)}compositionControllerDidRequestDeselectingAttachment(e){const t=this.attachmentLocationRange||this.composition.document.getLocationRangeOfAttachment(e);return this.selectionManager.setLocationRange(t[1])}compositionControllerWillUpdateAttachment(e){return this.editor.recordUndoEntry("Edit Attachment",{context:e.id,consolidatable:!0})}compositionControllerDidRequestRemovalOfAttachment(e){return this.removeAttachment(e)}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(e){return this.recordFormattingUndoEntry(e)}inputControllerWillCutText(){return this.editor.recordUndoEntry("Cut")}inputControllerWillPaste(e){return this.editor.recordUndoEntry("Paste"),this.pasting=!0,this.notifyEditorElement("before-paste",{paste:e})}inputControllerDidPaste(e){return e.range=this.pastedRange,this.pastedRange=null,this.pasting=null,this.notifyEditorElement("paste",{paste:e})}inputControllerWillMoveText(){return this.editor.recordUndoEntry("Move")}inputControllerWillAttachFiles(){return this.editor.recordUndoEntry("Drop Files")}inputControllerWillPerformUndo(){return this.editor.undo()}inputControllerWillPerformRedo(){return this.editor.redo()}inputControllerDidReceiveKeyboardCommand(e){return this.toolbarController.applyKeyboardCommand(e)}inputControllerDidStartDrag(){this.locationRangeBeforeDrag=this.selectionManager.getLocationRange()}inputControllerDidReceiveDragOverPoint(e){return this.selectionManager.setLocationRangeFromPointRange(e)}inputControllerDidCancelDrag(){this.selectionManager.setLocationRange(this.locationRangeBeforeDrag),this.locationRangeBeforeDrag=null}locationRangeDidChange(e){return this.composition.updateCurrentAttributes(),this.updateCurrentActions(),this.attachmentLocationRange&&!Ve(this.attachmentLocationRange,e)&&this.composition.stopEditingAttachment(),this.notifyEditorElement("selection-change")}toolbarDidClickButton(){if(!this.getLocationRange())return this.setLocationRange({index:0,offset:0})}toolbarDidInvokeAction(e,t){return this.invokeAction(e,t)}toolbarDidToggleAttribute(e){if(this.recordFormattingUndoEntry(e),this.composition.toggleCurrentAttribute(e),this.render(),!this.selectionFrozen)return this.editorElement.focus()}toolbarDidUpdateAttribute(e,t){if(this.recordFormattingUndoEntry(e),this.composition.setCurrentAttribute(e,t),this.render(),!this.selectionFrozen)return this.editorElement.focus()}toolbarDidRemoveAttribute(e){if(this.recordFormattingUndoEntry(e),this.composition.removeCurrentAttribute(e),this.render(),!this.selectionFrozen)return this.editorElement.focus()}toolbarWillShowDialog(e){return this.composition.expandSelectionForEditing(),this.freezeSelection()}toolbarDidShowDialog(e){return this.notifyEditorElement("toolbar-dialog-show",{dialogName:e})}toolbarDidHideDialog(e){return this.thawSelection(),this.editorElement.focus(),this.notifyEditorElement("toolbar-dialog-hide",{dialogName:e})}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(e){return!!this.actionIsExternal(e)||!(null===(t=this.actions[e])||void 0===t||null===(t=t.test)||void 0===t||!t.call(this));var t}invokeAction(e,t){return this.actionIsExternal(e)?this.notifyEditorElement("action-invoke",{actionName:e,invokingElement:t}):null===(n=this.actions[e])||void 0===n||null===(n=n.perform)||void 0===n?void 0:n.call(this);var n}actionIsExternal(e){return/^x-./.test(e)}getCurrentActions(){const e={};for(const t in this.actions)e[t]=this.canInvokeAction(t);return e}updateCurrentActions(){const e=this.getCurrentActions();if(!_e(e,this.currentActions))return this.currentActions=e,this.toolbarController.updateActions(this.currentActions),this.notifyEditorElement("actions-change",{actions:this.currentActions})}runEditorFilters(){let e=this.composition.getSnapshot();if(Array.from(this.editor.filters).forEach((t=>{const{document:n,selectedRange:r}=e;e=t.call(this.editor,e)||{},e.document||(e.document=n),e.selectedRange||(e.selectedRange=r)})),t=e,n=this.composition.getSnapshot(),!Ve(t.selectedRange,n.selectedRange)||!t.document.isEqualTo(n.document))return this.composition.loadSnapshot(e);var t,n}updateInputElement(){const e=function(e,t){const n=pr[t];if(n)return n(e);throw new Error("unknown content type: ".concat(t))}(this.compositionController.getSerializableElement(),"text/html");return this.editorElement.setFormValue(e)}notifyEditorElement(e,t){switch(e){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(e,t)}removeAttachment(e){return this.editor.recordUndoEntry("Delete Attachment"),this.composition.removeAttachment(e),this.render()}recordFormattingUndoEntry(e){const t=me(e),n=this.selectionManager.getLocationRange();if(t||!Ne(n))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 e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return[this.getLocationContext(),this.getTimeContext(),...Array.from(t)]}getLocationContext(){const e=this.selectionManager.getLocationRange();return Ne(e)?e[0].index:e}getTimeContext(){return z.interval>0?Math.floor((new Date).getTime()/z.interval):0}isFocused(){var e;return this.editorElement===(null===(e=this.editorElement.ownerDocument)||void 0===e?void 0:e.activeElement)}isFocusedInvisibly(){return this.isFocused()&&!this.getLocationRange()}get actions(){return this.constructor.actions}}An(So,"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 H.pickFiles(this.editor.insertFiles)}}}),So.proxyMethod("getSelectionManager().setLocationRange"),So.proxyMethod("getSelectionManager().getLocationRange");var No=Object.freeze({__proto__:null,AttachmentEditorController:Hr,CompositionController:Pr,Controller:jr,EditorController:So,InputController:Jr,Level0InputController:ro,Level2InputController:co,ToolbarController:_o}),Vo=Object.freeze({__proto__:null,MutationObserver:Ur,SelectionChangeObserver:Ie}),Lo=Object.freeze({__proto__:null,FileVerificationOperation:Wr,ImagePreloadOperation:Ln});ye("trix-toolbar","%t {\n  display: block;\n}\n\n%t {\n  white-space: nowrap;\n}\n\n%t [data-trix-dialog] {\n  display: none;\n}\n\n%t [data-trix-dialog][data-trix-active] {\n  display: block;\n}\n\n%t [data-trix-dialog] [data-trix-validate]:invalid {\n  background-color: #ffdddd;\n}");class To extends HTMLElement{connectedCallback(){""===this.innerHTML&&(this.innerHTML=F.getDefaultHTML())}}let Io=0;const Zo=function(e){return Oo(e),Do(e)},Oo=function(e){var t,n;if(null!==(t=(n=document).queryCommandSupported)&&void 0!==t&&t.call(n,"enableObjectResizing"))return document.execCommand("enableObjectResizing",!1,!1),w("mscontrolselect",{onElement:e,preventDefault:!0})},Do=function(e){var t,n;if(null!==(t=(n=document).queryCommandSupported)&&void 0!==t&&t.call(n,"DefaultParagraphSeparator")){const{tagName:e}=i.default;if(["div","p"].includes(e))return document.execCommand("DefaultParagraphSeparator",!1,e)}},Ro=c.forcesObjectResizing?{display:"inline",width:"auto"}:{display:"inline-block",width:"1px"};ye("trix-editor","%t {\n    display: block;\n}\n\n%t:empty::before {\n    content: attr(placeholder);\n    color: graytext;\n    cursor: text;\n    pointer-events: none;\n    white-space: pre-line;\n}\n\n%t a[contenteditable=false] {\n    cursor: text;\n}\n\n%t img {\n    max-width: 100%;\n    height: auto;\n}\n\n%t ".concat(r," figcaption textarea {\n    resize: none;\n}\n\n%t ").concat(r," figcaption textarea.trix-autoresize-clone {\n    position: absolute;\n    left: -9999px;\n    max-height: 0px;\n}\n\n%t ").concat(r," figcaption[data-trix-placeholder]:empty::before {\n    content: attr(data-trix-placeholder);\n    color: graytext;\n}\n\n%t [data-trix-cursor-target] {\n    display: ").concat(Ro.display," !important;\n    width: ").concat(Ro.width," !important;\n    padding: 0 !important;\n    margin: 0 !important;\n    border: none !important;\n}\n\n%t [data-trix-cursor-target=left] {\n    vertical-align: top !important;\n    margin-left: -1px !important;\n}\n\n%t [data-trix-cursor-target=right] {\n    vertical-align: bottom !important;\n    margin-right: -1px !important;\n}"));var Ho=new WeakMap,Po=new WeakSet;class jo{constructor(e){var t;Sn(this,t=Po),t.add(this),Nn(this,Ho,{writable:!0,value:void 0}),this.element=e,Bn(this,Ho,e.attachInternals())}connectedCallback(){_n(this,Po,Fo).call(this)}disconnectedCallback(){}get labels(){return Cn(this,Ho).labels}get disabled(){var e;return null===(e=this.element.inputElement)||void 0===e?void 0:e.disabled}set disabled(e){this.element.toggleAttribute("disabled",e)}get required(){return this.element.hasAttribute("required")}set required(e){this.element.toggleAttribute("required",e),_n(this,Po,Fo).call(this)}get validity(){return Cn(this,Ho).validity}get validationMessage(){return Cn(this,Ho).validationMessage}get willValidate(){return Cn(this,Ho).willValidate}setFormValue(e){_n(this,Po,Fo).call(this)}checkValidity(){return Cn(this,Ho).checkValidity()}reportValidity(){return Cn(this,Ho).reportValidity()}setCustomValidity(e){_n(this,Po,Fo).call(this,e)}}function Fo(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";const{required:t,value:n}=this.element,r=t&&!n,o=!!e,i=_("input",{required:t}),a=e||i.validationMessage;Cn(this,Ho).setValidity({valueMissing:r,customError:o},a)}var zo=new WeakMap,qo=new WeakMap,Uo=new WeakMap;class $o{constructor(e){Nn(this,zo,{writable:!0,value:void 0}),Nn(this,qo,{writable:!0,value:e=>{e.defaultPrevented||e.target===this.element.form&&this.element.reset()}}),Nn(this,Uo,{writable:!0,value:e=>{if(e.defaultPrevented)return;if(this.element.contains(e.target))return;const t=x(e.target,{matchingSelector:"label"});t&&Array.from(this.labels).includes(t)&&this.element.focus()}}),this.element=e}connectedCallback(){Bn(this,zo,function(e){if(e.hasAttribute("aria-label")||e.hasAttribute("aria-labelledby"))return;const t=function(){const t=Array.from(e.labels).map((t=>{if(!t.contains(e))return t.textContent})).filter((e=>e)).join(" ");return t?e.setAttribute("aria-label",t):e.removeAttribute("aria-label")};return t(),w("focus",{onElement:e,withCallback:t})}(this.element)),window.addEventListener("reset",Cn(this,qo),!1),window.addEventListener("click",Cn(this,Uo),!1)}disconnectedCallback(){var e;null===(e=Cn(this,zo))||void 0===e||e.destroy(),window.removeEventListener("reset",Cn(this,qo),!1),window.removeEventListener("click",Cn(this,Uo),!1)}get labels(){const e=[];this.element.id&&this.element.ownerDocument&&e.push(...Array.from(this.element.ownerDocument.querySelectorAll("label[for='".concat(this.element.id,"']"))||[]));const t=x(this.element,{matchingSelector:"label"});return t&&[this.element,null].includes(t.control)&&e.push(t),e}get disabled(){return console.warn("This browser does not support the [disabled] attribute for trix-editor elements."),!1}set disabled(e){console.warn("This browser does not support the [disabled] attribute for trix-editor elements.")}get required(){return console.warn("This browser does not support the [required] attribute for trix-editor elements."),!1}set required(e){console.warn("This browser does not support the [required] attribute for trix-editor elements.")}get validity(){return console.warn("This browser does not support the validity property for trix-editor elements."),null}get validationMessage(){return console.warn("This browser does not support the validationMessage property for trix-editor elements."),""}get willValidate(){return console.warn("This browser does not support the willValidate property for trix-editor elements."),!1}setFormValue(e){}checkValidity(){return console.warn("This browser does not support checkValidity() for trix-editor elements."),!0}reportValidity(){return console.warn("This browser does not support reportValidity() for trix-editor elements."),!0}setCustomValidity(e){console.warn("This browser does not support setCustomValidity(validationMessage) for trix-editor elements.")}}var Wo=new WeakMap;class Go extends HTMLElement{constructor(){super(),Nn(this,Wo,{writable:!0,value:void 0}),Bn(this,Wo,this.constructor.formAssociated?new jo(this):new $o(this))}get trixId(){return this.hasAttribute("trix-id")?this.getAttribute("trix-id"):(this.setAttribute("trix-id",++Io),this.trixId)}get labels(){return Cn(this,Wo).labels}get disabled(){return Cn(this,Wo).disabled}set disabled(e){Cn(this,Wo).disabled=e}get required(){return Cn(this,Wo).required}set required(e){Cn(this,Wo).required=e}get validity(){return Cn(this,Wo).validity}get validationMessage(){return Cn(this,Wo).validationMessage}get willValidate(){return Cn(this,Wo).willValidate}get type(){return this.localName}get toolbarElement(){var e;if(this.hasAttribute("toolbar"))return null===(e=this.ownerDocument)||void 0===e?void 0:e.getElementById(this.getAttribute("toolbar"));if(this.parentNode){const e="trix-toolbar-".concat(this.trixId);this.setAttribute("toolbar",e);const t=_("trix-toolbar",{id:e});return this.parentNode.insertBefore(t,this),t}}get form(){var e;return null===(e=this.inputElement)||void 0===e?void 0:e.form}get inputElement(){var e;if(this.hasAttribute("input"))return null===(e=this.ownerDocument)||void 0===e?void 0:e.getElementById(this.getAttribute("input"));if(this.parentNode){const e="trix-input-".concat(this.trixId);this.setAttribute("input",e);const t=_("input",{type:"hidden",id:e});return this.parentNode.insertBefore(t,this.nextElementSibling),t}}get editor(){var e;return null===(e=this.editorController)||void 0===e?void 0:e.editor}get name(){var e;return null===(e=this.inputElement)||void 0===e?void 0:e.name}get value(){var e;return null===(e=this.inputElement)||void 0===e?void 0:e.value}set value(e){var t;this.defaultValue=e,null===(t=this.editor)||void 0===t||t.loadHTML(this.defaultValue)}notify(e,t){if(this.editorController)return y("trix-".concat(e),{onElement:this,attributes:t})}setFormValue(e){this.inputElement&&(this.inputElement.value=e,Cn(this,Wo).setFormValue(e))}connectedCallback(){this.hasAttribute("data-trix-internal")||(function(e){if(!e.hasAttribute("contenteditable"))e.setAttribute("contenteditable",""),function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};t.times=1,w(e,t)}("focus",{onElement:e,withCallback:()=>Zo(e)})}(this),function(e){e.hasAttribute("role")||e.setAttribute("role","textbox")}(this),this.editorController||(y("trix-before-initialize",{onElement:this}),this.editorController=new So({editorElement:this,html:this.defaultValue=this.value}),requestAnimationFrame((()=>y("trix-initialize",{onElement:this})))),this.editorController.registerSelectionManager(),Cn(this,Wo).connectedCallback(),function(e){!document.querySelector(":focus")&&e.hasAttribute("autofocus")&&document.querySelector("[autofocus]")===e&&e.focus()}(this))}disconnectedCallback(){var e;null===(e=this.editorController)||void 0===e||e.unregisterSelectionManager(),Cn(this,Wo).disconnectedCallback()}checkValidity(){return Cn(this,Wo).checkValidity()}reportValidity(){return Cn(this,Wo).reportValidity()}setCustomValidity(e){Cn(this,Wo).setCustomValidity(e)}formDisabledCallback(e){this.inputElement&&(this.inputElement.disabled=e),this.toggleAttribute("contenteditable",!e)}formResetCallback(){this.reset()}reset(){this.value=this.defaultValue}}An(Go,"formAssociated","ElementInternals"in window);const Ko={VERSION:"2.1.9",config:q,core:fr,models:Tr,views:Ir,controllers:No,observers:Vo,operations:Lo,elements:Object.freeze({__proto__:null,TrixEditorElement:Go,TrixToolbarElement:To}),filters:Object.freeze({__proto__:null,Filter:kr,attachmentGalleryFilter:Er})};Object.assign(Ko,Tr),window.Trix=Ko,setTimeout((function(){customElements.get("trix-toolbar")||customElements.define("trix-toolbar",To),customElements.get("trix-editor")||customElements.define("trix-editor",Go)}),0)},66262:(e,t)=>{"use strict";t.A=(e,t)=>{const n=e.__vccOpts||e;for(const[e,r]of t)n[e]=r;return n}},29726:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BaseTransition:()=>hr,BaseTransitionPropsValidators:()=>cr,Comment:()=>ca,DeprecationTypes:()=>xl,EffectScope:()=>fe,ErrorCodes:()=>mn,ErrorTypeStrings:()=>ml,Fragment:()=>la,KeepAlive:()=>Fr,ReactiveEffect:()=>ye,Static:()=>ua,Suspense:()=>ta,Teleport:()=>nr,Text:()=>sa,TrackOpTypes:()=>on,Transition:()=>Tl,TransitionGroup:()=>Ss,TriggerOpTypes:()=>an,VueElement:()=>xs,assertNumber:()=>fn,callWithAsyncErrorHandling:()=>wn,callWithErrorHandling:()=>gn,camelize:()=>T,capitalize:()=>O,cloneVNode:()=>Na,compatUtils:()=>bl,compile:()=>ap,computed:()=>sl,createApp:()=>ac,createBlock:()=>ba,createCommentVNode:()=>Ta,createElementBlock:()=>ya,createElementVNode:()=>Ba,createHydrationRenderer:()=>Ci,createPropsRestProxy:()=>Po,createRenderer:()=>Ai,createSSRApp:()=>lc,createSlots:()=>wo,createStaticVNode:()=>La,createTextVNode:()=>Va,createVNode:()=>Ma,customRef:()=>Xt,defineAsyncComponent:()=>Hr,defineComponent:()=>yr,defineCustomElement:()=>ws,defineEmits:()=>_o,defineExpose:()=>So,defineModel:()=>Lo,defineOptions:()=>No,defineProps:()=>Mo,defineSSRCustomElement:()=>ys,defineSlots:()=>Vo,devtools:()=>vl,effect:()=>Le,effectScope:()=>me,getCurrentInstance:()=>za,getCurrentScope:()=>ve,getCurrentWatcher:()=>un,getTransitionRawChildren:()=>wr,guardReactiveProps:()=>Sa,h:()=>cl,handleError:()=>yn,hasInjectionContext:()=>ai,hydrate:()=>ic,hydrateOnIdle:()=>Ir,hydrateOnInteraction:()=>Dr,hydrateOnMediaQuery:()=>Or,hydrateOnVisible:()=>Zr,initCustomFormatter:()=>ul,initDirectivesForSSR:()=>dc,inject:()=>ii,isMemoSame:()=>hl,isProxy:()=>Zt,isReactive:()=>Lt,isReadonly:()=>Tt,isRef:()=>Pt,isRuntimeOnly:()=>tl,isShallow:()=>It,isVNode:()=>xa,markRaw:()=>Dt,mergeDefaults:()=>Ro,mergeModels:()=>Ho,mergeProps:()=>Da,nextTick:()=>Mn,normalizeClass:()=>X,normalizeProps:()=>J,normalizeStyle:()=>$,onActivated:()=>qr,onBeforeMount:()=>Jr,onBeforeUnmount:()=>no,onBeforeUpdate:()=>eo,onDeactivated:()=>Ur,onErrorCaptured:()=>lo,onMounted:()=>Qr,onRenderTracked:()=>ao,onRenderTriggered:()=>io,onScopeDispose:()=>ge,onServerPrefetch:()=>oo,onUnmounted:()=>ro,onUpdated:()=>to,onWatcherCleanup:()=>dn,openBlock:()=>pa,popScopeId:()=>Fn,provide:()=>oi,proxyRefs:()=>Kt,pushScopeId:()=>jn,queuePostFlushCb:()=>Nn,reactive:()=>Mt,readonly:()=>St,ref:()=>jt,registerRuntimeCompiler:()=>el,render:()=>oc,renderList:()=>go,renderSlot:()=>yo,resolveComponent:()=>uo,resolveDirective:()=>fo,resolveDynamicComponent:()=>po,resolveFilter:()=>yl,resolveTransitionHooks:()=>fr,setBlockTracking:()=>ga,setDevtoolsHook:()=>gl,setTransitionHooks:()=>gr,shallowReactive:()=>_t,shallowReadonly:()=>Nt,shallowRef:()=>Ft,ssrContextKey:()=>Ti,ssrUtils:()=>wl,stop:()=>Te,toDisplayString:()=>ce,toHandlerKey:()=>D,toHandlers:()=>xo,toRaw:()=>Ot,toRef:()=>tn,toRefs:()=>Jt,toValue:()=>Wt,transformVNodeArgs:()=>Ea,triggerRef:()=>Ut,unref:()=>$t,useAttrs:()=>Zo,useCssModule:()=>As,useCssVars:()=>Jl,useHost:()=>ks,useId:()=>br,useModel:()=>Fi,useSSRContext:()=>Ii,useShadowRoot:()=>Es,useSlots:()=>Io,useTemplateRef:()=>kr,useTransitionState:()=>lr,vModelCheckbox:()=>Rs,vModelDynamic:()=>Us,vModelRadio:()=>Ps,vModelSelect:()=>js,vModelText:()=>Ds,vShow:()=>Kl,version:()=>pl,warn:()=>fl,watch:()=>Ri,watchEffect:()=>Zi,watchPostEffect:()=>Oi,watchSyncEffect:()=>Di,withAsyncContext:()=>jo,withCtx:()=>qn,withDefaults:()=>To,withDirectives:()=>Un,withKeys:()=>Js,withMemo:()=>dl,withModifiers:()=>Ys,withScopeId:()=>zn});var r={};function o(e){const t=Object.create(null);for(const n of e.split(","))t[n]=1;return e=>e in t}n.r(r),n.d(r,{BaseTransition:()=>hr,BaseTransitionPropsValidators:()=>cr,Comment:()=>ca,DeprecationTypes:()=>xl,EffectScope:()=>fe,ErrorCodes:()=>mn,ErrorTypeStrings:()=>ml,Fragment:()=>la,KeepAlive:()=>Fr,ReactiveEffect:()=>ye,Static:()=>ua,Suspense:()=>ta,Teleport:()=>nr,Text:()=>sa,TrackOpTypes:()=>on,Transition:()=>Tl,TransitionGroup:()=>Ss,TriggerOpTypes:()=>an,VueElement:()=>xs,assertNumber:()=>fn,callWithAsyncErrorHandling:()=>wn,callWithErrorHandling:()=>gn,camelize:()=>T,capitalize:()=>O,cloneVNode:()=>Na,compatUtils:()=>bl,computed:()=>sl,createApp:()=>ac,createBlock:()=>ba,createCommentVNode:()=>Ta,createElementBlock:()=>ya,createElementVNode:()=>Ba,createHydrationRenderer:()=>Ci,createPropsRestProxy:()=>Po,createRenderer:()=>Ai,createSSRApp:()=>lc,createSlots:()=>wo,createStaticVNode:()=>La,createTextVNode:()=>Va,createVNode:()=>Ma,customRef:()=>Xt,defineAsyncComponent:()=>Hr,defineComponent:()=>yr,defineCustomElement:()=>ws,defineEmits:()=>_o,defineExpose:()=>So,defineModel:()=>Lo,defineOptions:()=>No,defineProps:()=>Mo,defineSSRCustomElement:()=>ys,defineSlots:()=>Vo,devtools:()=>vl,effect:()=>Le,effectScope:()=>me,getCurrentInstance:()=>za,getCurrentScope:()=>ve,getCurrentWatcher:()=>un,getTransitionRawChildren:()=>wr,guardReactiveProps:()=>Sa,h:()=>cl,handleError:()=>yn,hasInjectionContext:()=>ai,hydrate:()=>ic,hydrateOnIdle:()=>Ir,hydrateOnInteraction:()=>Dr,hydrateOnMediaQuery:()=>Or,hydrateOnVisible:()=>Zr,initCustomFormatter:()=>ul,initDirectivesForSSR:()=>dc,inject:()=>ii,isMemoSame:()=>hl,isProxy:()=>Zt,isReactive:()=>Lt,isReadonly:()=>Tt,isRef:()=>Pt,isRuntimeOnly:()=>tl,isShallow:()=>It,isVNode:()=>xa,markRaw:()=>Dt,mergeDefaults:()=>Ro,mergeModels:()=>Ho,mergeProps:()=>Da,nextTick:()=>Mn,normalizeClass:()=>X,normalizeProps:()=>J,normalizeStyle:()=>$,onActivated:()=>qr,onBeforeMount:()=>Jr,onBeforeUnmount:()=>no,onBeforeUpdate:()=>eo,onDeactivated:()=>Ur,onErrorCaptured:()=>lo,onMounted:()=>Qr,onRenderTracked:()=>ao,onRenderTriggered:()=>io,onScopeDispose:()=>ge,onServerPrefetch:()=>oo,onUnmounted:()=>ro,onUpdated:()=>to,onWatcherCleanup:()=>dn,openBlock:()=>pa,popScopeId:()=>Fn,provide:()=>oi,proxyRefs:()=>Kt,pushScopeId:()=>jn,queuePostFlushCb:()=>Nn,reactive:()=>Mt,readonly:()=>St,ref:()=>jt,registerRuntimeCompiler:()=>el,render:()=>oc,renderList:()=>go,renderSlot:()=>yo,resolveComponent:()=>uo,resolveDirective:()=>fo,resolveDynamicComponent:()=>po,resolveFilter:()=>yl,resolveTransitionHooks:()=>fr,setBlockTracking:()=>ga,setDevtoolsHook:()=>gl,setTransitionHooks:()=>gr,shallowReactive:()=>_t,shallowReadonly:()=>Nt,shallowRef:()=>Ft,ssrContextKey:()=>Ti,ssrUtils:()=>wl,stop:()=>Te,toDisplayString:()=>ce,toHandlerKey:()=>D,toHandlers:()=>xo,toRaw:()=>Ot,toRef:()=>tn,toRefs:()=>Jt,toValue:()=>Wt,transformVNodeArgs:()=>Ea,triggerRef:()=>Ut,unref:()=>$t,useAttrs:()=>Zo,useCssModule:()=>As,useCssVars:()=>Jl,useHost:()=>ks,useId:()=>br,useModel:()=>Fi,useSSRContext:()=>Ii,useShadowRoot:()=>Es,useSlots:()=>Io,useTemplateRef:()=>kr,useTransitionState:()=>lr,vModelCheckbox:()=>Rs,vModelDynamic:()=>Us,vModelRadio:()=>Ps,vModelSelect:()=>js,vModelText:()=>Ds,vShow:()=>Kl,version:()=>pl,warn:()=>fl,watch:()=>Ri,watchEffect:()=>Zi,watchPostEffect:()=>Oi,watchSyncEffect:()=>Di,withAsyncContext:()=>jo,withCtx:()=>qn,withDefaults:()=>To,withDirectives:()=>Un,withKeys:()=>Js,withMemo:()=>dl,withModifiers:()=>Ys,withScopeId:()=>zn});const i={},a=[],l=()=>{},s=()=>!1,c=e=>111===e.charCodeAt(0)&&110===e.charCodeAt(1)&&(e.charCodeAt(2)>122||e.charCodeAt(2)<97),u=e=>e.startsWith("onUpdate:"),d=Object.assign,h=(e,t)=>{const n=e.indexOf(t);n>-1&&e.splice(n,1)},p=Object.prototype.hasOwnProperty,f=(e,t)=>p.call(e,t),m=Array.isArray,v=e=>"[object Map]"===C(e),g=e=>"[object Set]"===C(e),w=e=>"[object Date]"===C(e),y=e=>"function"==typeof e,b=e=>"string"==typeof e,x=e=>"symbol"==typeof e,k=e=>null!==e&&"object"==typeof e,E=e=>(k(e)||y(e))&&y(e.then)&&y(e.catch),A=Object.prototype.toString,C=e=>A.call(e),B=e=>C(e).slice(8,-1),M=e=>"[object Object]"===C(e),_=e=>b(e)&&"NaN"!==e&&"-"!==e[0]&&""+parseInt(e,10)===e,S=o(",key,ref,ref_for,ref_key,onVnodeBeforeMount,onVnodeMounted,onVnodeBeforeUpdate,onVnodeUpdated,onVnodeBeforeUnmount,onVnodeUnmounted"),N=o("bind,cloak,else-if,else,for,html,if,model,on,once,pre,show,slot,text,memo"),V=e=>{const t=Object.create(null);return n=>t[n]||(t[n]=e(n))},L=/-(\w)/g,T=V((e=>e.replace(L,((e,t)=>t?t.toUpperCase():"")))),I=/\B([A-Z])/g,Z=V((e=>e.replace(I,"-$1").toLowerCase())),O=V((e=>e.charAt(0).toUpperCase()+e.slice(1))),D=V((e=>e?`on${O(e)}`:"")),R=(e,t)=>!Object.is(e,t),H=(e,...t)=>{for(let n=0;n<e.length;n++)e[n](...t)},P=(e,t,n,r=!1)=>{Object.defineProperty(e,t,{configurable:!0,enumerable:!1,writable:r,value:n})},j=e=>{const t=parseFloat(e);return isNaN(t)?e:t},F=e=>{const t=b(e)?Number(e):NaN;return isNaN(t)?e:t};let z;const q=()=>z||(z="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof self?self:"undefined"!=typeof window?window:void 0!==n.g?n.g:{});const U=o("Infinity,undefined,NaN,isFinite,isNaN,parseFloat,parseInt,decodeURI,decodeURIComponent,encodeURI,encodeURIComponent,Math,Number,Date,Array,Object,Boolean,String,RegExp,Map,Set,JSON,Intl,BigInt,console,Error,Symbol");function $(e){if(m(e)){const t={};for(let n=0;n<e.length;n++){const r=e[n],o=b(r)?Y(r):$(r);if(o)for(const e in o)t[e]=o[e]}return t}if(b(e)||k(e))return e}const W=/;(?![^(]*\))/g,G=/:([^]+)/,K=/\/\*[^]*?\*\//g;function Y(e){const t={};return e.replace(K,"").split(W).forEach((e=>{if(e){const n=e.split(G);n.length>1&&(t[n[0].trim()]=n[1].trim())}})),t}function X(e){let t="";if(b(e))t=e;else if(m(e))for(let n=0;n<e.length;n++){const r=X(e[n]);r&&(t+=r+" ")}else if(k(e))for(const n in e)e[n]&&(t+=n+" ");return t.trim()}function J(e){if(!e)return null;let{class:t,style:n}=e;return t&&!b(t)&&(e.class=X(t)),n&&(e.style=$(n)),e}const Q=o("html,body,base,head,link,meta,style,title,address,article,aside,footer,header,hgroup,h1,h2,h3,h4,h5,h6,nav,section,div,dd,dl,dt,figcaption,figure,picture,hr,img,li,main,ol,p,pre,ul,a,b,abbr,bdi,bdo,br,cite,code,data,dfn,em,i,kbd,mark,q,rp,rt,ruby,s,samp,small,span,strong,sub,sup,time,u,var,wbr,area,audio,map,track,video,embed,object,param,source,canvas,script,noscript,del,ins,caption,col,colgroup,table,thead,tbody,td,th,tr,button,datalist,fieldset,form,input,label,legend,meter,optgroup,option,output,progress,select,textarea,details,dialog,menu,summary,template,blockquote,iframe,tfoot"),ee=o("svg,animate,animateMotion,animateTransform,circle,clipPath,color-profile,defs,desc,discard,ellipse,feBlend,feColorMatrix,feComponentTransfer,feComposite,feConvolveMatrix,feDiffuseLighting,feDisplacementMap,feDistantLight,feDropShadow,feFlood,feFuncA,feFuncB,feFuncG,feFuncR,feGaussianBlur,feImage,feMerge,feMergeNode,feMorphology,feOffset,fePointLight,feSpecularLighting,feSpotLight,feTile,feTurbulence,filter,foreignObject,g,hatch,hatchpath,image,line,linearGradient,marker,mask,mesh,meshgradient,meshpatch,meshrow,metadata,mpath,path,pattern,polygon,polyline,radialGradient,rect,set,solidcolor,stop,switch,symbol,text,textPath,title,tspan,unknown,use,view"),te=o("annotation,annotation-xml,maction,maligngroup,malignmark,math,menclose,merror,mfenced,mfrac,mfraction,mglyph,mi,mlabeledtr,mlongdiv,mmultiscripts,mn,mo,mover,mpadded,mphantom,mprescripts,mroot,mrow,ms,mscarries,mscarry,msgroup,msline,mspace,msqrt,msrow,mstack,mstyle,msub,msubsup,msup,mtable,mtd,mtext,mtr,munder,munderover,none,semantics"),ne=o("area,base,br,col,embed,hr,img,input,link,meta,param,source,track,wbr"),re="itemscope,allowfullscreen,formnovalidate,ismap,nomodule,novalidate,readonly",oe=o(re);function ie(e){return!!e||""===e}function ae(e,t){if(e===t)return!0;let n=w(e),r=w(t);if(n||r)return!(!n||!r)&&e.getTime()===t.getTime();if(n=x(e),r=x(t),n||r)return e===t;if(n=m(e),r=m(t),n||r)return!(!n||!r)&&function(e,t){if(e.length!==t.length)return!1;let n=!0;for(let r=0;n&&r<e.length;r++)n=ae(e[r],t[r]);return n}(e,t);if(n=k(e),r=k(t),n||r){if(!n||!r)return!1;if(Object.keys(e).length!==Object.keys(t).length)return!1;for(const n in e){const r=e.hasOwnProperty(n),o=t.hasOwnProperty(n);if(r&&!o||!r&&o||!ae(e[n],t[n]))return!1}}return String(e)===String(t)}function le(e,t){return e.findIndex((e=>ae(e,t)))}const se=e=>!(!e||!0!==e.__v_isRef),ce=e=>b(e)?e:null==e?"":m(e)||k(e)&&(e.toString===A||!y(e.toString))?se(e)?ce(e.value):JSON.stringify(e,ue,2):String(e),ue=(e,t)=>se(t)?ue(e,t.value):v(t)?{[`Map(${t.size})`]:[...t.entries()].reduce(((e,[t,n],r)=>(e[de(t,r)+" =>"]=n,e)),{})}:g(t)?{[`Set(${t.size})`]:[...t.values()].map((e=>de(e)))}:x(t)?de(t):!k(t)||m(t)||M(t)?t:String(t),de=(e,t="")=>{var n;return x(e)?`Symbol(${null!=(n=e.description)?n:t})`:e};let he,pe;class fe{constructor(e=!1){this.detached=e,this._active=!0,this.effects=[],this.cleanups=[],this._isPaused=!1,this.parent=he,!e&&he&&(this.index=(he.scopes||(he.scopes=[])).push(this)-1)}get active(){return this._active}pause(){if(this._active){let e,t;if(this._isPaused=!0,this.scopes)for(e=0,t=this.scopes.length;e<t;e++)this.scopes[e].pause();for(e=0,t=this.effects.length;e<t;e++)this.effects[e].pause()}}resume(){if(this._active&&this._isPaused){let e,t;if(this._isPaused=!1,this.scopes)for(e=0,t=this.scopes.length;e<t;e++)this.scopes[e].resume();for(e=0,t=this.effects.length;e<t;e++)this.effects[e].resume()}}run(e){if(this._active){const t=he;try{return he=this,e()}finally{he=t}}else 0}on(){he=this}off(){he=this.parent}stop(e){if(this._active){let t,n;for(this._active=!1,t=0,n=this.effects.length;t<n;t++)this.effects[t].stop();for(this.effects.length=0,t=0,n=this.cleanups.length;t<n;t++)this.cleanups[t]();if(this.cleanups.length=0,this.scopes){for(t=0,n=this.scopes.length;t<n;t++)this.scopes[t].stop(!0);this.scopes.length=0}if(!this.detached&&this.parent&&!e){const e=this.parent.scopes.pop();e&&e!==this&&(this.parent.scopes[this.index]=e,e.index=this.index)}this.parent=void 0}}}function me(e){return new fe(e)}function ve(){return he}function ge(e,t=!1){he&&he.cleanups.push(e)}const we=new WeakSet;class ye{constructor(e){this.fn=e,this.deps=void 0,this.depsTail=void 0,this.flags=5,this.next=void 0,this.cleanup=void 0,this.scheduler=void 0,he&&he.active&&he.effects.push(this)}pause(){this.flags|=64}resume(){64&this.flags&&(this.flags&=-65,we.has(this)&&(we.delete(this),this.trigger()))}notify(){2&this.flags&&!(32&this.flags)||8&this.flags||Ee(this)}run(){if(!(1&this.flags))return this.fn();this.flags|=2,Re(this),Be(this);const e=pe,t=Ie;pe=this,Ie=!0;try{return this.fn()}finally{0,Me(this),pe=e,Ie=t,this.flags&=-3}}stop(){if(1&this.flags){for(let e=this.deps;e;e=e.nextDep)Ne(e);this.deps=this.depsTail=void 0,Re(this),this.onStop&&this.onStop(),this.flags&=-2}}trigger(){64&this.flags?we.add(this):this.scheduler?this.scheduler():this.runIfDirty()}runIfDirty(){_e(this)&&this.run()}get dirty(){return _e(this)}}let be,xe,ke=0;function Ee(e,t=!1){if(e.flags|=8,t)return e.next=xe,void(xe=e);e.next=be,be=e}function Ae(){ke++}function Ce(){if(--ke>0)return;if(xe){let e=xe;for(xe=void 0;e;){const t=e.next;e.next=void 0,e.flags&=-9,e=t}}let e;for(;be;){let t=be;for(be=void 0;t;){const n=t.next;if(t.next=void 0,t.flags&=-9,1&t.flags)try{t.trigger()}catch(t){e||(e=t)}t=n}}if(e)throw e}function Be(e){for(let t=e.deps;t;t=t.nextDep)t.version=-1,t.prevActiveLink=t.dep.activeLink,t.dep.activeLink=t}function Me(e){let t,n=e.depsTail,r=n;for(;r;){const e=r.prevDep;-1===r.version?(r===n&&(n=e),Ne(r),Ve(r)):t=r,r.dep.activeLink=r.prevActiveLink,r.prevActiveLink=void 0,r=e}e.deps=t,e.depsTail=n}function _e(e){for(let t=e.deps;t;t=t.nextDep)if(t.dep.version!==t.version||t.dep.computed&&(Se(t.dep.computed)||t.dep.version!==t.version))return!0;return!!e._dirty}function Se(e){if(4&e.flags&&!(16&e.flags))return;if(e.flags&=-17,e.globalVersion===He)return;e.globalVersion=He;const t=e.dep;if(e.flags|=2,t.version>0&&!e.isSSR&&e.deps&&!_e(e))return void(e.flags&=-3);const n=pe,r=Ie;pe=e,Ie=!0;try{Be(e);const n=e.fn(e._value);(0===t.version||R(n,e._value))&&(e._value=n,t.version++)}catch(e){throw t.version++,e}finally{pe=n,Ie=r,Me(e),e.flags&=-3}}function Ne(e,t=!1){const{dep:n,prevSub:r,nextSub:o}=e;if(r&&(r.nextSub=o,e.prevSub=void 0),o&&(o.prevSub=r,e.nextSub=void 0),n.subs===e&&(n.subs=r,!r&&n.computed)){n.computed.flags&=-5;for(let e=n.computed.deps;e;e=e.nextDep)Ne(e,!0)}t||--n.sc||!n.map||n.map.delete(n.key)}function Ve(e){const{prevDep:t,nextDep:n}=e;t&&(t.nextDep=n,e.prevDep=void 0),n&&(n.prevDep=t,e.nextDep=void 0)}function Le(e,t){e.effect instanceof ye&&(e=e.effect.fn);const n=new ye(e);t&&d(n,t);try{n.run()}catch(e){throw n.stop(),e}const r=n.run.bind(n);return r.effect=n,r}function Te(e){e.effect.stop()}let Ie=!0;const Ze=[];function Oe(){Ze.push(Ie),Ie=!1}function De(){const e=Ze.pop();Ie=void 0===e||e}function Re(e){const{cleanup:t}=e;if(e.cleanup=void 0,t){const e=pe;pe=void 0;try{t()}finally{pe=e}}}let He=0;class Pe{constructor(e,t){this.sub=e,this.dep=t,this.version=t.version,this.nextDep=this.prevDep=this.nextSub=this.prevSub=this.prevActiveLink=void 0}}class je{constructor(e){this.computed=e,this.version=0,this.activeLink=void 0,this.subs=void 0,this.map=void 0,this.key=void 0,this.sc=0}track(e){if(!pe||!Ie||pe===this.computed)return;let t=this.activeLink;if(void 0===t||t.sub!==pe)t=this.activeLink=new Pe(pe,this),pe.deps?(t.prevDep=pe.depsTail,pe.depsTail.nextDep=t,pe.depsTail=t):pe.deps=pe.depsTail=t,Fe(t);else if(-1===t.version&&(t.version=this.version,t.nextDep)){const e=t.nextDep;e.prevDep=t.prevDep,t.prevDep&&(t.prevDep.nextDep=e),t.prevDep=pe.depsTail,t.nextDep=void 0,pe.depsTail.nextDep=t,pe.depsTail=t,pe.deps===t&&(pe.deps=e)}return t}trigger(e){this.version++,He++,this.notify(e)}notify(e){Ae();try{0;for(let e=this.subs;e;e=e.prevSub)e.sub.notify()&&e.sub.dep.notify()}finally{Ce()}}}function Fe(e){if(e.dep.sc++,4&e.sub.flags){const t=e.dep.computed;if(t&&!e.dep.subs){t.flags|=20;for(let e=t.deps;e;e=e.nextDep)Fe(e)}const n=e.dep.subs;n!==e&&(e.prevSub=n,n&&(n.nextSub=e)),e.dep.subs=e}}const ze=new WeakMap,qe=Symbol(""),Ue=Symbol(""),$e=Symbol("");function We(e,t,n){if(Ie&&pe){let t=ze.get(e);t||ze.set(e,t=new Map);let r=t.get(n);r||(t.set(n,r=new je),r.map=t,r.key=n),r.track()}}function Ge(e,t,n,r,o,i){const a=ze.get(e);if(!a)return void He++;const l=e=>{e&&e.trigger()};if(Ae(),"clear"===t)a.forEach(l);else{const o=m(e),i=o&&_(n);if(o&&"length"===n){const e=Number(r);a.forEach(((t,n)=>{("length"===n||n===$e||!x(n)&&n>=e)&&l(t)}))}else switch((void 0!==n||a.has(void 0))&&l(a.get(n)),i&&l(a.get($e)),t){case"add":o?i&&l(a.get("length")):(l(a.get(qe)),v(e)&&l(a.get(Ue)));break;case"delete":o||(l(a.get(qe)),v(e)&&l(a.get(Ue)));break;case"set":v(e)&&l(a.get(qe))}}Ce()}function Ke(e){const t=Ot(e);return t===e?t:(We(t,0,$e),It(e)?t:t.map(Rt))}function Ye(e){return We(e=Ot(e),0,$e),e}const Xe={__proto__:null,[Symbol.iterator](){return Je(this,Symbol.iterator,Rt)},concat(...e){return Ke(this).concat(...e.map((e=>m(e)?Ke(e):e)))},entries(){return Je(this,"entries",(e=>(e[1]=Rt(e[1]),e)))},every(e,t){return et(this,"every",e,t,void 0,arguments)},filter(e,t){return et(this,"filter",e,t,(e=>e.map(Rt)),arguments)},find(e,t){return et(this,"find",e,t,Rt,arguments)},findIndex(e,t){return et(this,"findIndex",e,t,void 0,arguments)},findLast(e,t){return et(this,"findLast",e,t,Rt,arguments)},findLastIndex(e,t){return et(this,"findLastIndex",e,t,void 0,arguments)},forEach(e,t){return et(this,"forEach",e,t,void 0,arguments)},includes(...e){return nt(this,"includes",e)},indexOf(...e){return nt(this,"indexOf",e)},join(e){return Ke(this).join(e)},lastIndexOf(...e){return nt(this,"lastIndexOf",e)},map(e,t){return et(this,"map",e,t,void 0,arguments)},pop(){return rt(this,"pop")},push(...e){return rt(this,"push",e)},reduce(e,...t){return tt(this,"reduce",e,t)},reduceRight(e,...t){return tt(this,"reduceRight",e,t)},shift(){return rt(this,"shift")},some(e,t){return et(this,"some",e,t,void 0,arguments)},splice(...e){return rt(this,"splice",e)},toReversed(){return Ke(this).toReversed()},toSorted(e){return Ke(this).toSorted(e)},toSpliced(...e){return Ke(this).toSpliced(...e)},unshift(...e){return rt(this,"unshift",e)},values(){return Je(this,"values",Rt)}};function Je(e,t,n){const r=Ye(e),o=r[t]();return r===e||It(e)||(o._next=o.next,o.next=()=>{const e=o._next();return e.value&&(e.value=n(e.value)),e}),o}const Qe=Array.prototype;function et(e,t,n,r,o,i){const a=Ye(e),l=a!==e&&!It(e),s=a[t];if(s!==Qe[t]){const t=s.apply(e,i);return l?Rt(t):t}let c=n;a!==e&&(l?c=function(t,r){return n.call(this,Rt(t),r,e)}:n.length>2&&(c=function(t,r){return n.call(this,t,r,e)}));const u=s.call(a,c,r);return l&&o?o(u):u}function tt(e,t,n,r){const o=Ye(e);let i=n;return o!==e&&(It(e)?n.length>3&&(i=function(t,r,o){return n.call(this,t,r,o,e)}):i=function(t,r,o){return n.call(this,t,Rt(r),o,e)}),o[t](i,...r)}function nt(e,t,n){const r=Ot(e);We(r,0,$e);const o=r[t](...n);return-1!==o&&!1!==o||!Zt(n[0])?o:(n[0]=Ot(n[0]),r[t](...n))}function rt(e,t,n=[]){Oe(),Ae();const r=Ot(e)[t].apply(e,n);return Ce(),De(),r}const ot=o("__proto__,__v_isRef,__isVue"),it=new Set(Object.getOwnPropertyNames(Symbol).filter((e=>"arguments"!==e&&"caller"!==e)).map((e=>Symbol[e])).filter(x));function at(e){x(e)||(e=String(e));const t=Ot(this);return We(t,0,e),t.hasOwnProperty(e)}class lt{constructor(e=!1,t=!1){this._isReadonly=e,this._isShallow=t}get(e,t,n){if("__v_skip"===t)return e.__v_skip;const r=this._isReadonly,o=this._isShallow;if("__v_isReactive"===t)return!r;if("__v_isReadonly"===t)return r;if("__v_isShallow"===t)return o;if("__v_raw"===t)return n===(r?o?Bt:Ct:o?At:Et).get(e)||Object.getPrototypeOf(e)===Object.getPrototypeOf(n)?e:void 0;const i=m(e);if(!r){let e;if(i&&(e=Xe[t]))return e;if("hasOwnProperty"===t)return at}const a=Reflect.get(e,t,Pt(e)?e:n);return(x(t)?it.has(t):ot(t))?a:(r||We(e,0,t),o?a:Pt(a)?i&&_(t)?a:a.value:k(a)?r?St(a):Mt(a):a)}}class st extends lt{constructor(e=!1){super(!1,e)}set(e,t,n,r){let o=e[t];if(!this._isShallow){const t=Tt(o);if(It(n)||Tt(n)||(o=Ot(o),n=Ot(n)),!m(e)&&Pt(o)&&!Pt(n))return!t&&(o.value=n,!0)}const i=m(e)&&_(t)?Number(t)<e.length:f(e,t),a=Reflect.set(e,t,n,Pt(e)?e:r);return e===Ot(r)&&(i?R(n,o)&&Ge(e,"set",t,n):Ge(e,"add",t,n)),a}deleteProperty(e,t){const n=f(e,t),r=(e[t],Reflect.deleteProperty(e,t));return r&&n&&Ge(e,"delete",t,void 0),r}has(e,t){const n=Reflect.has(e,t);return x(t)&&it.has(t)||We(e,0,t),n}ownKeys(e){return We(e,0,m(e)?"length":qe),Reflect.ownKeys(e)}}class ct extends lt{constructor(e=!1){super(!0,e)}set(e,t){return!0}deleteProperty(e,t){return!0}}const ut=new st,dt=new ct,ht=new st(!0),pt=new ct(!0),ft=e=>e,mt=e=>Reflect.getPrototypeOf(e);function vt(e){return function(...t){return"delete"!==e&&("clear"===e?void 0:this)}}function gt(e,t){const n={get(n){const r=this.__v_raw,o=Ot(r),i=Ot(n);e||(R(n,i)&&We(o,0,n),We(o,0,i));const{has:a}=mt(o),l=t?ft:e?Ht:Rt;return a.call(o,n)?l(r.get(n)):a.call(o,i)?l(r.get(i)):void(r!==o&&r.get(n))},get size(){const t=this.__v_raw;return!e&&We(Ot(t),0,qe),Reflect.get(t,"size",t)},has(t){const n=this.__v_raw,r=Ot(n),o=Ot(t);return e||(R(t,o)&&We(r,0,t),We(r,0,o)),t===o?n.has(t):n.has(t)||n.has(o)},forEach(n,r){const o=this,i=o.__v_raw,a=Ot(i),l=t?ft:e?Ht:Rt;return!e&&We(a,0,qe),i.forEach(((e,t)=>n.call(r,l(e),l(t),o)))}};d(n,e?{add:vt("add"),set:vt("set"),delete:vt("delete"),clear:vt("clear")}:{add(e){t||It(e)||Tt(e)||(e=Ot(e));const n=Ot(this);return mt(n).has.call(n,e)||(n.add(e),Ge(n,"add",e,e)),this},set(e,n){t||It(n)||Tt(n)||(n=Ot(n));const r=Ot(this),{has:o,get:i}=mt(r);let a=o.call(r,e);a||(e=Ot(e),a=o.call(r,e));const l=i.call(r,e);return r.set(e,n),a?R(n,l)&&Ge(r,"set",e,n):Ge(r,"add",e,n),this},delete(e){const t=Ot(this),{has:n,get:r}=mt(t);let o=n.call(t,e);o||(e=Ot(e),o=n.call(t,e));r&&r.call(t,e);const i=t.delete(e);return o&&Ge(t,"delete",e,void 0),i},clear(){const e=Ot(this),t=0!==e.size,n=e.clear();return t&&Ge(e,"clear",void 0,void 0),n}});return["keys","values","entries",Symbol.iterator].forEach((r=>{n[r]=function(e,t,n){return function(...r){const o=this.__v_raw,i=Ot(o),a=v(i),l="entries"===e||e===Symbol.iterator&&a,s="keys"===e&&a,c=o[e](...r),u=n?ft:t?Ht:Rt;return!t&&We(i,0,s?Ue:qe),{next(){const{value:e,done:t}=c.next();return t?{value:e,done:t}:{value:l?[u(e[0]),u(e[1])]:u(e),done:t}},[Symbol.iterator](){return this}}}}(r,e,t)})),n}function wt(e,t){const n=gt(e,t);return(t,r,o)=>"__v_isReactive"===r?!e:"__v_isReadonly"===r?e:"__v_raw"===r?t:Reflect.get(f(n,r)&&r in t?n:t,r,o)}const yt={get:wt(!1,!1)},bt={get:wt(!1,!0)},xt={get:wt(!0,!1)},kt={get:wt(!0,!0)};const Et=new WeakMap,At=new WeakMap,Ct=new WeakMap,Bt=new WeakMap;function Mt(e){return Tt(e)?e:Vt(e,!1,ut,yt,Et)}function _t(e){return Vt(e,!1,ht,bt,At)}function St(e){return Vt(e,!0,dt,xt,Ct)}function Nt(e){return Vt(e,!0,pt,kt,Bt)}function Vt(e,t,n,r,o){if(!k(e))return e;if(e.__v_raw&&(!t||!e.__v_isReactive))return e;const i=o.get(e);if(i)return i;const a=(l=e).__v_skip||!Object.isExtensible(l)?0:function(e){switch(e){case"Object":case"Array":return 1;case"Map":case"Set":case"WeakMap":case"WeakSet":return 2;default:return 0}}(B(l));var l;if(0===a)return e;const s=new Proxy(e,2===a?r:n);return o.set(e,s),s}function Lt(e){return Tt(e)?Lt(e.__v_raw):!(!e||!e.__v_isReactive)}function Tt(e){return!(!e||!e.__v_isReadonly)}function It(e){return!(!e||!e.__v_isShallow)}function Zt(e){return!!e&&!!e.__v_raw}function Ot(e){const t=e&&e.__v_raw;return t?Ot(t):e}function Dt(e){return!f(e,"__v_skip")&&Object.isExtensible(e)&&P(e,"__v_skip",!0),e}const Rt=e=>k(e)?Mt(e):e,Ht=e=>k(e)?St(e):e;function Pt(e){return!!e&&!0===e.__v_isRef}function jt(e){return zt(e,!1)}function Ft(e){return zt(e,!0)}function zt(e,t){return Pt(e)?e:new qt(e,t)}class qt{constructor(e,t){this.dep=new je,this.__v_isRef=!0,this.__v_isShallow=!1,this._rawValue=t?e:Ot(e),this._value=t?e:Rt(e),this.__v_isShallow=t}get value(){return this.dep.track(),this._value}set value(e){const t=this._rawValue,n=this.__v_isShallow||It(e)||Tt(e);e=n?e:Ot(e),R(e,t)&&(this._rawValue=e,this._value=n?e:Rt(e),this.dep.trigger())}}function Ut(e){e.dep&&e.dep.trigger()}function $t(e){return Pt(e)?e.value:e}function Wt(e){return y(e)?e():$t(e)}const Gt={get:(e,t,n)=>"__v_raw"===t?e:$t(Reflect.get(e,t,n)),set:(e,t,n,r)=>{const o=e[t];return Pt(o)&&!Pt(n)?(o.value=n,!0):Reflect.set(e,t,n,r)}};function Kt(e){return Lt(e)?e:new Proxy(e,Gt)}class Yt{constructor(e){this.__v_isRef=!0,this._value=void 0;const t=this.dep=new je,{get:n,set:r}=e(t.track.bind(t),t.trigger.bind(t));this._get=n,this._set=r}get value(){return this._value=this._get()}set value(e){this._set(e)}}function Xt(e){return new Yt(e)}function Jt(e){const t=m(e)?new Array(e.length):{};for(const n in e)t[n]=nn(e,n);return t}class Qt{constructor(e,t,n){this._object=e,this._key=t,this._defaultValue=n,this.__v_isRef=!0,this._value=void 0}get value(){const e=this._object[this._key];return this._value=void 0===e?this._defaultValue:e}set value(e){this._object[this._key]=e}get dep(){return function(e,t){const n=ze.get(e);return n&&n.get(t)}(Ot(this._object),this._key)}}class en{constructor(e){this._getter=e,this.__v_isRef=!0,this.__v_isReadonly=!0,this._value=void 0}get value(){return this._value=this._getter()}}function tn(e,t,n){return Pt(e)?e:y(e)?new en(e):k(e)&&arguments.length>1?nn(e,t,n):jt(e)}function nn(e,t,n){const r=e[t];return Pt(r)?r:new Qt(e,t,n)}class rn{constructor(e,t,n){this.fn=e,this.setter=t,this._value=void 0,this.dep=new je(this),this.__v_isRef=!0,this.deps=void 0,this.depsTail=void 0,this.flags=16,this.globalVersion=He-1,this.next=void 0,this.effect=this,this.__v_isReadonly=!t,this.isSSR=n}notify(){if(this.flags|=16,!(8&this.flags||pe===this))return Ee(this,!0),!0}get value(){const e=this.dep.track();return Se(this),e&&(e.version=this.dep.version),this._value}set value(e){this.setter&&this.setter(e)}}const on={GET:"get",HAS:"has",ITERATE:"iterate"},an={SET:"set",ADD:"add",DELETE:"delete",CLEAR:"clear"},ln={},sn=new WeakMap;let cn;function un(){return cn}function dn(e,t=!1,n=cn){if(n){let t=sn.get(n);t||sn.set(n,t=[]),t.push(e)}else 0}function hn(e,t=1/0,n){if(t<=0||!k(e)||e.__v_skip)return e;if((n=n||new Set).has(e))return e;if(n.add(e),t--,Pt(e))hn(e.value,t,n);else if(m(e))for(let r=0;r<e.length;r++)hn(e[r],t,n);else if(g(e)||v(e))e.forEach((e=>{hn(e,t,n)}));else if(M(e)){for(const r in e)hn(e[r],t,n);for(const r of Object.getOwnPropertySymbols(e))Object.prototype.propertyIsEnumerable.call(e,r)&&hn(e[r],t,n)}return e}const pn=[];function fn(e,t){}const mn={SETUP_FUNCTION:0,0:"SETUP_FUNCTION",RENDER_FUNCTION:1,1:"RENDER_FUNCTION",NATIVE_EVENT_HANDLER:5,5:"NATIVE_EVENT_HANDLER",COMPONENT_EVENT_HANDLER:6,6:"COMPONENT_EVENT_HANDLER",VNODE_HOOK:7,7:"VNODE_HOOK",DIRECTIVE_HOOK:8,8:"DIRECTIVE_HOOK",TRANSITION_HOOK:9,9:"TRANSITION_HOOK",APP_ERROR_HANDLER:10,10:"APP_ERROR_HANDLER",APP_WARN_HANDLER:11,11:"APP_WARN_HANDLER",FUNCTION_REF:12,12:"FUNCTION_REF",ASYNC_COMPONENT_LOADER:13,13:"ASYNC_COMPONENT_LOADER",SCHEDULER:14,14:"SCHEDULER",COMPONENT_UPDATE:15,15:"COMPONENT_UPDATE",APP_UNMOUNT_CLEANUP:16,16:"APP_UNMOUNT_CLEANUP"},vn={sp:"serverPrefetch hook",bc:"beforeCreate hook",c:"created hook",bm:"beforeMount hook",m:"mounted hook",bu:"beforeUpdate hook",u:"updated",bum:"beforeUnmount hook",um:"unmounted hook",a:"activated hook",da:"deactivated hook",ec:"errorCaptured hook",rtc:"renderTracked hook",rtg:"renderTriggered hook",0:"setup function",1:"render function",2:"watcher getter",3:"watcher callback",4:"watcher cleanup function",5:"native event handler",6:"component event handler",7:"vnode hook",8:"directive hook",9:"transition hook",10:"app errorHandler",11:"app warnHandler",12:"ref function",13:"async component loader",14:"scheduler flush",15:"component update",16:"app unmount cleanup function"};function gn(e,t,n,r){try{return r?e(...r):e()}catch(e){yn(e,t,n)}}function wn(e,t,n,r){if(y(e)){const o=gn(e,t,n,r);return o&&E(o)&&o.catch((e=>{yn(e,t,n)})),o}if(m(e)){const o=[];for(let i=0;i<e.length;i++)o.push(wn(e[i],t,n,r));return o}}function yn(e,t,n,r=!0){t&&t.vnode;const{errorHandler:o,throwUnhandledErrorInProduction:a}=t&&t.appContext.config||i;if(t){let r=t.parent;const i=t.proxy,a=`https://vuejs.org/error-reference/#runtime-${n}`;for(;r;){const t=r.ec;if(t)for(let n=0;n<t.length;n++)if(!1===t[n](e,i,a))return;r=r.parent}if(o)return Oe(),gn(o,null,10,[e,i,a]),void De()}!function(e,t,n,r=!0,o=!1){if(o)throw e;console.error(e)}(e,0,0,r,a)}const bn=[];let xn=-1;const kn=[];let En=null,An=0;const Cn=Promise.resolve();let Bn=null;function Mn(e){const t=Bn||Cn;return e?t.then(this?e.bind(this):e):t}function _n(e){if(!(1&e.flags)){const t=Tn(e),n=bn[bn.length-1];!n||!(2&e.flags)&&t>=Tn(n)?bn.push(e):bn.splice(function(e){let t=xn+1,n=bn.length;for(;t<n;){const r=t+n>>>1,o=bn[r],i=Tn(o);i<e||i===e&&2&o.flags?t=r+1:n=r}return t}(t),0,e),e.flags|=1,Sn()}}function Sn(){Bn||(Bn=Cn.then(In))}function Nn(e){m(e)?kn.push(...e):En&&-1===e.id?En.splice(An+1,0,e):1&e.flags||(kn.push(e),e.flags|=1),Sn()}function Vn(e,t,n=xn+1){for(0;n<bn.length;n++){const t=bn[n];if(t&&2&t.flags){if(e&&t.id!==e.uid)continue;0,bn.splice(n,1),n--,4&t.flags&&(t.flags&=-2),t(),4&t.flags||(t.flags&=-2)}}}function Ln(e){if(kn.length){const e=[...new Set(kn)].sort(((e,t)=>Tn(e)-Tn(t)));if(kn.length=0,En)return void En.push(...e);for(En=e,An=0;An<En.length;An++){const e=En[An];0,4&e.flags&&(e.flags&=-2),8&e.flags||e(),e.flags&=-2}En=null,An=0}}const Tn=e=>null==e.id?2&e.flags?-1:1/0:e.id;function In(e){try{for(xn=0;xn<bn.length;xn++){const e=bn[xn];!e||8&e.flags||(4&e.flags&&(e.flags&=-2),gn(e,e.i,e.i?15:14),4&e.flags||(e.flags&=-2))}}finally{for(;xn<bn.length;xn++){const e=bn[xn];e&&(e.flags&=-2)}xn=-1,bn.length=0,Ln(),Bn=null,(bn.length||kn.length)&&In(e)}}let Zn,On=[],Dn=!1;let Rn=null,Hn=null;function Pn(e){const t=Rn;return Rn=e,Hn=e&&e.type.__scopeId||null,t}function jn(e){Hn=e}function Fn(){Hn=null}const zn=e=>qn;function qn(e,t=Rn,n){if(!t)return e;if(e._n)return e;const r=(...n)=>{r._d&&ga(-1);const o=Pn(t);let i;try{i=e(...n)}finally{Pn(o),r._d&&ga(1)}return i};return r._n=!0,r._c=!0,r._d=!0,r}function Un(e,t){if(null===Rn)return e;const n=il(Rn),r=e.dirs||(e.dirs=[]);for(let e=0;e<t.length;e++){let[o,a,l,s=i]=t[e];o&&(y(o)&&(o={mounted:o,updated:o}),o.deep&&hn(a),r.push({dir:o,instance:n,value:a,oldValue:void 0,arg:l,modifiers:s}))}return e}function $n(e,t,n,r){const o=e.dirs,i=t&&t.dirs;for(let a=0;a<o.length;a++){const l=o[a];i&&(l.oldValue=i[a].value);let s=l.dir[r];s&&(Oe(),wn(s,n,8,[e.el,l,e,t]),De())}}const Wn=Symbol("_vte"),Gn=e=>e.__isTeleport,Kn=e=>e&&(e.disabled||""===e.disabled),Yn=e=>e&&(e.defer||""===e.defer),Xn=e=>"undefined"!=typeof SVGElement&&e instanceof SVGElement,Jn=e=>"function"==typeof MathMLElement&&e instanceof MathMLElement,Qn=(e,t)=>{const n=e&&e.to;if(b(n)){if(t){return t(n)}return null}return n},er={name:"Teleport",__isTeleport:!0,process(e,t,n,r,o,i,a,l,s,c){const{mc:u,pc:d,pbc:h,o:{insert:p,querySelector:f,createText:m,createComment:v}}=c,g=Kn(t.props);let{shapeFlag:w,children:y,dynamicChildren:b}=t;if(null==e){const e=t.el=m(""),c=t.anchor=m("");p(e,n,r),p(c,n,r);const d=(e,t)=>{16&w&&(o&&o.isCE&&(o.ce._teleportTarget=e),u(y,e,t,o,i,a,l,s))},h=()=>{const e=t.target=Qn(t.props,f),n=or(e,t,m,p);e&&("svg"!==a&&Xn(e)?a="svg":"mathml"!==a&&Jn(e)&&(a="mathml"),g||(d(e,n),rr(t,!1)))};g&&(d(n,c),rr(t,!0)),Yn(t.props)?Ei((()=>{h(),t.el.__isMounted=!0}),i):h()}else{if(Yn(t.props)&&!e.el.__isMounted)return void Ei((()=>{er.process(e,t,n,r,o,i,a,l,s,c),delete e.el.__isMounted}),i);t.el=e.el,t.targetStart=e.targetStart;const u=t.anchor=e.anchor,p=t.target=e.target,m=t.targetAnchor=e.targetAnchor,v=Kn(e.props),w=v?n:p,y=v?u:m;if("svg"===a||Xn(p)?a="svg":("mathml"===a||Jn(p))&&(a="mathml"),b?(h(e.dynamicChildren,b,w,o,i,a,l),Ni(e,t,!0)):s||d(e,t,w,y,o,i,a,l,!1),g)v?t.props&&e.props&&t.props.to!==e.props.to&&(t.props.to=e.props.to):tr(t,n,u,c,1);else if((t.props&&t.props.to)!==(e.props&&e.props.to)){const e=t.target=Qn(t.props,f);e&&tr(t,e,null,c,0)}else v&&tr(t,p,m,c,1);rr(t,g)}},remove(e,t,n,{um:r,o:{remove:o}},i){const{shapeFlag:a,children:l,anchor:s,targetStart:c,targetAnchor:u,target:d,props:h}=e;if(d&&(o(c),o(u)),i&&o(s),16&a){const e=i||!Kn(h);for(let o=0;o<l.length;o++){const i=l[o];r(i,t,n,e,!!i.dynamicChildren)}}},move:tr,hydrate:function(e,t,n,r,o,i,{o:{nextSibling:a,parentNode:l,querySelector:s,insert:c,createText:u}},d){const h=t.target=Qn(t.props,s);if(h){const s=Kn(t.props),p=h._lpa||h.firstChild;if(16&t.shapeFlag)if(s)t.anchor=d(a(e),t,l(e),n,r,o,i),t.targetStart=p,t.targetAnchor=p&&a(p);else{t.anchor=a(e);let l=p;for(;l;){if(l&&8===l.nodeType)if("teleport start anchor"===l.data)t.targetStart=l;else if("teleport anchor"===l.data){t.targetAnchor=l,h._lpa=t.targetAnchor&&a(t.targetAnchor);break}l=a(l)}t.targetAnchor||or(h,t,u,c),d(p&&a(p),t,h,n,r,o,i)}rr(t,s)}return t.anchor&&a(t.anchor)}};function tr(e,t,n,{o:{insert:r},m:o},i=2){0===i&&r(e.targetAnchor,t,n);const{el:a,anchor:l,shapeFlag:s,children:c,props:u}=e,d=2===i;if(d&&r(a,t,n),(!d||Kn(u))&&16&s)for(let e=0;e<c.length;e++)o(c[e],t,n,2);d&&r(l,t,n)}const nr=er;function rr(e,t){const n=e.ctx;if(n&&n.ut){let r,o;for(t?(r=e.el,o=e.anchor):(r=e.targetStart,o=e.targetAnchor);r&&r!==o;)1===r.nodeType&&r.setAttribute("data-v-owner",n.uid),r=r.nextSibling;n.ut()}}function or(e,t,n,r){const o=t.targetStart=n(""),i=t.targetAnchor=n("");return o[Wn]=i,e&&(r(o,e),r(i,e)),i}const ir=Symbol("_leaveCb"),ar=Symbol("_enterCb");function lr(){const e={isMounted:!1,isLeaving:!1,isUnmounting:!1,leavingVNodes:new Map};return Qr((()=>{e.isMounted=!0})),no((()=>{e.isUnmounting=!0})),e}const sr=[Function,Array],cr={mode:String,appear:Boolean,persisted:Boolean,onBeforeEnter:sr,onEnter:sr,onAfterEnter:sr,onEnterCancelled:sr,onBeforeLeave:sr,onLeave:sr,onAfterLeave:sr,onLeaveCancelled:sr,onBeforeAppear:sr,onAppear:sr,onAfterAppear:sr,onAppearCancelled:sr},ur=e=>{const t=e.subTree;return t.component?ur(t.component):t};function dr(e){let t=e[0];if(e.length>1){let n=!1;for(const r of e)if(r.type!==ca){0,t=r,n=!0;break}}return t}const hr={name:"BaseTransition",props:cr,setup(e,{slots:t}){const n=za(),r=lr();return()=>{const o=t.default&&wr(t.default(),!0);if(!o||!o.length)return;const i=dr(o),a=Ot(e),{mode:l}=a;if(r.isLeaving)return mr(i);const s=vr(i);if(!s)return mr(i);let c=fr(s,a,r,n,(e=>c=e));s.type!==ca&&gr(s,c);let u=n.subTree&&vr(n.subTree);if(u&&u.type!==ca&&!ka(s,u)&&ur(n).type!==ca){let e=fr(u,a,r,n);if(gr(u,e),"out-in"===l&&s.type!==ca)return r.isLeaving=!0,e.afterLeave=()=>{r.isLeaving=!1,8&n.job.flags||n.update(),delete e.afterLeave,u=void 0},mr(i);"in-out"===l&&s.type!==ca?e.delayLeave=(e,t,n)=>{pr(r,u)[String(u.key)]=u,e[ir]=()=>{t(),e[ir]=void 0,delete c.delayedLeave,u=void 0},c.delayedLeave=()=>{n(),delete c.delayedLeave,u=void 0}}:u=void 0}else u&&(u=void 0);return i}}};function pr(e,t){const{leavingVNodes:n}=e;let r=n.get(t.type);return r||(r=Object.create(null),n.set(t.type,r)),r}function fr(e,t,n,r,o){const{appear:i,mode:a,persisted:l=!1,onBeforeEnter:s,onEnter:c,onAfterEnter:u,onEnterCancelled:d,onBeforeLeave:h,onLeave:p,onAfterLeave:f,onLeaveCancelled:v,onBeforeAppear:g,onAppear:w,onAfterAppear:y,onAppearCancelled:b}=t,x=String(e.key),k=pr(n,e),E=(e,t)=>{e&&wn(e,r,9,t)},A=(e,t)=>{const n=t[1];E(e,t),m(e)?e.every((e=>e.length<=1))&&n():e.length<=1&&n()},C={mode:a,persisted:l,beforeEnter(t){let r=s;if(!n.isMounted){if(!i)return;r=g||s}t[ir]&&t[ir](!0);const o=k[x];o&&ka(e,o)&&o.el[ir]&&o.el[ir](),E(r,[t])},enter(e){let t=c,r=u,o=d;if(!n.isMounted){if(!i)return;t=w||c,r=y||u,o=b||d}let a=!1;const l=e[ar]=t=>{a||(a=!0,E(t?o:r,[e]),C.delayedLeave&&C.delayedLeave(),e[ar]=void 0)};t?A(t,[e,l]):l()},leave(t,r){const o=String(e.key);if(t[ar]&&t[ar](!0),n.isUnmounting)return r();E(h,[t]);let i=!1;const a=t[ir]=n=>{i||(i=!0,r(),E(n?v:f,[t]),t[ir]=void 0,k[o]===e&&delete k[o])};k[o]=e,p?A(p,[t,a]):a()},clone(e){const i=fr(e,t,n,r,o);return o&&o(i),i}};return C}function mr(e){if(jr(e))return(e=Na(e)).children=null,e}function vr(e){if(!jr(e))return Gn(e.type)&&e.children?dr(e.children):e;const{shapeFlag:t,children:n}=e;if(n){if(16&t)return n[0];if(32&t&&y(n.default))return n.default()}}function gr(e,t){6&e.shapeFlag&&e.component?(e.transition=t,gr(e.component.subTree,t)):128&e.shapeFlag?(e.ssContent.transition=t.clone(e.ssContent),e.ssFallback.transition=t.clone(e.ssFallback)):e.transition=t}function wr(e,t=!1,n){let r=[],o=0;for(let i=0;i<e.length;i++){let a=e[i];const l=null==n?a.key:String(n)+String(null!=a.key?a.key:i);a.type===la?(128&a.patchFlag&&o++,r=r.concat(wr(a.children,t,l))):(t||a.type!==ca)&&r.push(null!=l?Na(a,{key:l}):a)}if(o>1)for(let e=0;e<r.length;e++)r[e].patchFlag=-2;return r}function yr(e,t){return y(e)?(()=>d({name:e.name},t,{setup:e}))():e}function br(){const e=za();return e?(e.appContext.config.idPrefix||"v")+"-"+e.ids[0]+e.ids[1]++:""}function xr(e){e.ids=[e.ids[0]+e.ids[2]+++"-",0,0]}function kr(e){const t=za(),n=Ft(null);if(t){const r=t.refs===i?t.refs={}:t.refs;Object.defineProperty(r,e,{enumerable:!0,get:()=>n.value,set:e=>n.value=e})}else 0;return n}function Er(e,t,n,r,o=!1){if(m(e))return void e.forEach(((e,i)=>Er(e,t&&(m(t)?t[i]:t),n,r,o)));if(Rr(r)&&!o)return void(512&r.shapeFlag&&r.type.__asyncResolved&&r.component.subTree.component&&Er(e,t,n,r.component.subTree));const a=4&r.shapeFlag?il(r.component):r.el,l=o?null:a,{i:s,r:c}=e;const u=t&&t.r,d=s.refs===i?s.refs={}:s.refs,p=s.setupState,v=Ot(p),g=p===i?()=>!1:e=>f(v,e);if(null!=u&&u!==c&&(b(u)?(d[u]=null,g(u)&&(p[u]=null)):Pt(u)&&(u.value=null)),y(c))gn(c,s,12,[l,d]);else{const t=b(c),r=Pt(c);if(t||r){const i=()=>{if(e.f){const n=t?g(c)?p[c]:d[c]:c.value;o?m(n)&&h(n,a):m(n)?n.includes(a)||n.push(a):t?(d[c]=[a],g(c)&&(p[c]=d[c])):(c.value=[a],e.k&&(d[e.k]=c.value))}else t?(d[c]=l,g(c)&&(p[c]=l)):r&&(c.value=l,e.k&&(d[e.k]=l))};l?(i.id=-1,Ei(i,n)):i()}else 0}}let Ar=!1;const Cr=()=>{Ar||(console.error("Hydration completed but contains mismatches."),Ar=!0)},Br=e=>{if(1===e.nodeType)return(e=>e.namespaceURI.includes("svg")&&"foreignObject"!==e.tagName)(e)?"svg":(e=>e.namespaceURI.includes("MathML"))(e)?"mathml":void 0},Mr=e=>8===e.nodeType;function _r(e){const{mt:t,p:n,o:{patchProp:r,createText:o,nextSibling:i,parentNode:a,remove:l,insert:s,createComment:u}}=e,d=(n,r,l,c,u,y=!1)=>{y=y||!!r.dynamicChildren;const b=Mr(n)&&"["===n.data,x=()=>m(n,r,l,c,u,b),{type:k,ref:E,shapeFlag:A,patchFlag:C}=r;let B=n.nodeType;r.el=n,-2===C&&(y=!1,r.dynamicChildren=null);let M=null;switch(k){case sa:3!==B?""===r.children?(s(r.el=o(""),a(n),n),M=n):M=x():(n.data!==r.children&&(Cr(),n.data=r.children),M=i(n));break;case ca:w(n)?(M=i(n),g(r.el=n.content.firstChild,n,l)):M=8!==B||b?x():i(n);break;case ua:if(b&&(B=(n=i(n)).nodeType),1===B||3===B){M=n;const e=!r.children.length;for(let t=0;t<r.staticCount;t++)e&&(r.children+=1===M.nodeType?M.outerHTML:M.data),t===r.staticCount-1&&(r.anchor=M),M=i(M);return b?i(M):M}x();break;case la:M=b?f(n,r,l,c,u,y):x();break;default:if(1&A)M=1===B&&r.type.toLowerCase()===n.tagName.toLowerCase()||w(n)?h(n,r,l,c,u,y):x();else if(6&A){r.slotScopeIds=u;const e=a(n);if(M=b?v(n):Mr(n)&&"teleport start"===n.data?v(n,n.data,"teleport end"):i(n),t(r,e,null,l,c,Br(e),y),Rr(r)&&!r.type.__asyncResolved){let t;b?(t=Ma(la),t.anchor=M?M.previousSibling:e.lastChild):t=3===n.nodeType?Va(""):Ma("div"),t.el=n,r.component.subTree=t}}else 64&A?M=8!==B?x():r.type.hydrate(n,r,l,c,u,y,e,p):128&A&&(M=r.type.hydrate(n,r,l,c,Br(a(n)),u,y,e,d))}return null!=E&&Er(E,null,c,r),M},h=(e,t,n,o,i,a)=>{a=a||!!t.dynamicChildren;const{type:s,props:u,patchFlag:d,shapeFlag:h,dirs:f,transition:m}=t,v="input"===s||"option"===s;if(v||-1!==d){f&&$n(t,null,n,"created");let s,y=!1;if(w(e)){y=Si(null,m)&&n&&n.vnode.props&&n.vnode.props.appear;const r=e.content.firstChild;y&&m.beforeEnter(r),g(r,e,n),t.el=e=r}if(16&h&&(!u||!u.innerHTML&&!u.textContent)){let r=p(e.firstChild,t,e,n,o,i,a);for(;r;){Vr(e,1)||Cr();const t=r;r=r.nextSibling,l(t)}}else if(8&h){let n=t.children;"\n"!==n[0]||"PRE"!==e.tagName&&"TEXTAREA"!==e.tagName||(n=n.slice(1)),e.textContent!==n&&(Vr(e,0)||Cr(),e.textContent=t.children)}if(u)if(v||!a||48&d){const t=e.tagName.includes("-");for(const o in u)(v&&(o.endsWith("value")||"indeterminate"===o)||c(o)&&!S(o)||"."===o[0]||t)&&r(e,o,null,u[o],void 0,n)}else if(u.onClick)r(e,"onClick",null,u.onClick,void 0,n);else if(4&d&&Lt(u.style))for(const e in u.style)u.style[e];(s=u&&u.onVnodeBeforeMount)&&Ra(s,n,t),f&&$n(t,null,n,"beforeMount"),((s=u&&u.onVnodeMounted)||f||y)&&ia((()=>{s&&Ra(s,n,t),y&&m.enter(e),f&&$n(t,null,n,"mounted")}),o)}return e.nextSibling},p=(e,t,r,a,l,c,u)=>{u=u||!!t.dynamicChildren;const h=t.children,p=h.length;for(let t=0;t<p;t++){const f=u?h[t]:h[t]=Ia(h[t]),m=f.type===sa;e?(m&&!u&&t+1<p&&Ia(h[t+1]).type===sa&&(s(o(e.data.slice(f.children.length)),r,i(e)),e.data=f.children),e=d(e,f,a,l,c,u)):m&&!f.children?s(f.el=o(""),r):(Vr(r,1)||Cr(),n(null,f,r,null,a,l,Br(r),c))}return e},f=(e,t,n,r,o,l)=>{const{slotScopeIds:c}=t;c&&(o=o?o.concat(c):c);const d=a(e),h=p(i(e),t,d,n,r,o,l);return h&&Mr(h)&&"]"===h.data?i(t.anchor=h):(Cr(),s(t.anchor=u("]"),d,h),h)},m=(e,t,r,o,s,c)=>{if(Vr(e.parentElement,1)||Cr(),t.el=null,c){const t=v(e);for(;;){const n=i(e);if(!n||n===t)break;l(n)}}const u=i(e),d=a(e);return l(e),n(null,t,d,u,r,o,Br(d),s),r&&(r.vnode.el=t.el,Ji(r,t.el)),u},v=(e,t="[",n="]")=>{let r=0;for(;e;)if((e=i(e))&&Mr(e)&&(e.data===t&&r++,e.data===n)){if(0===r)return i(e);r--}return e},g=(e,t,n)=>{const r=t.parentNode;r&&r.replaceChild(e,t);let o=n;for(;o;)o.vnode.el===t&&(o.vnode.el=o.subTree.el=e),o=o.parent},w=e=>1===e.nodeType&&"TEMPLATE"===e.tagName;return[(e,t)=>{if(!t.hasChildNodes())return n(null,e,t),Ln(),void(t._vnode=e);d(t.firstChild,e,null,null,null),Ln(),t._vnode=e},d]}const Sr="data-allow-mismatch",Nr={0:"text",1:"children",2:"class",3:"style",4:"attribute"};function Vr(e,t){if(0===t||1===t)for(;e&&!e.hasAttribute(Sr);)e=e.parentElement;const n=e&&e.getAttribute(Sr);if(null==n)return!1;if(""===n)return!0;{const e=n.split(",");return!(0!==t||!e.includes("children"))||n.split(",").includes(Nr[t])}}const Lr=q().requestIdleCallback||(e=>setTimeout(e,1)),Tr=q().cancelIdleCallback||(e=>clearTimeout(e)),Ir=(e=1e4)=>t=>{const n=Lr(t,{timeout:e});return()=>Tr(n)};const Zr=e=>(t,n)=>{const r=new IntersectionObserver((e=>{for(const n of e)if(n.isIntersecting){r.disconnect(),t();break}}),e);return n((e=>{if(e instanceof Element)return function(e){const{top:t,left:n,bottom:r,right:o}=e.getBoundingClientRect(),{innerHeight:i,innerWidth:a}=window;return(t>0&&t<i||r>0&&r<i)&&(n>0&&n<a||o>0&&o<a)}(e)?(t(),r.disconnect(),!1):void r.observe(e)})),()=>r.disconnect()},Or=e=>t=>{if(e){const n=matchMedia(e);if(!n.matches)return n.addEventListener("change",t,{once:!0}),()=>n.removeEventListener("change",t);t()}},Dr=(e=[])=>(t,n)=>{b(e)&&(e=[e]);let r=!1;const o=e=>{r||(r=!0,i(),t(),e.target.dispatchEvent(new e.constructor(e.type,e)))},i=()=>{n((t=>{for(const n of e)t.removeEventListener(n,o)}))};return n((t=>{for(const n of e)t.addEventListener(n,o,{once:!0})})),i};const Rr=e=>!!e.type.__asyncLoader;function Hr(e){y(e)&&(e={loader:e});const{loader:t,loadingComponent:n,errorComponent:r,delay:o=200,hydrate:i,timeout:a,suspensible:l=!0,onError:s}=e;let c,u=null,d=0;const h=()=>{let e;return u||(e=u=t().catch((e=>{if(e=e instanceof Error?e:new Error(String(e)),s)return new Promise(((t,n)=>{s(e,(()=>t((d++,u=null,h()))),(()=>n(e)),d+1)}));throw e})).then((t=>e!==u&&u?u:(t&&(t.__esModule||"Module"===t[Symbol.toStringTag])&&(t=t.default),c=t,t))))};return yr({name:"AsyncComponentWrapper",__asyncLoader:h,__asyncHydrate(e,t,n){const r=i?()=>{const r=i(n,(t=>function(e,t){if(Mr(e)&&"["===e.data){let n=1,r=e.nextSibling;for(;r;){if(1===r.nodeType){if(!1===t(r))break}else if(Mr(r))if("]"===r.data){if(0==--n)break}else"["===r.data&&n++;r=r.nextSibling}}else t(e)}(e,t)));r&&(t.bum||(t.bum=[])).push(r)}:n;c?r():h().then((()=>!t.isUnmounted&&r()))},get __asyncResolved(){return c},setup(){const e=Fa;if(xr(e),c)return()=>Pr(c,e);const t=t=>{u=null,yn(t,e,13,!r)};if(l&&e.suspense||Xa)return h().then((t=>()=>Pr(t,e))).catch((e=>(t(e),()=>r?Ma(r,{error:e}):null)));const i=jt(!1),s=jt(),d=jt(!!o);return o&&setTimeout((()=>{d.value=!1}),o),null!=a&&setTimeout((()=>{if(!i.value&&!s.value){const e=new Error(`Async component timed out after ${a}ms.`);t(e),s.value=e}}),a),h().then((()=>{i.value=!0,e.parent&&jr(e.parent.vnode)&&e.parent.update()})).catch((e=>{t(e),s.value=e})),()=>i.value&&c?Pr(c,e):s.value&&r?Ma(r,{error:s.value}):n&&!d.value?Ma(n):void 0}})}function Pr(e,t){const{ref:n,props:r,children:o,ce:i}=t.vnode,a=Ma(e,r,o);return a.ref=n,a.ce=i,delete t.vnode.ce,a}const jr=e=>e.type.__isKeepAlive,Fr={name:"KeepAlive",__isKeepAlive:!0,props:{include:[String,RegExp,Array],exclude:[String,RegExp,Array],max:[String,Number]},setup(e,{slots:t}){const n=za(),r=n.ctx;if(!r.renderer)return()=>{const e=t.default&&t.default();return e&&1===e.length?e[0]:e};const o=new Map,i=new Set;let a=null;const l=n.suspense,{renderer:{p:s,m:c,um:u,o:{createElement:d}}}=r,h=d("div");function p(e){Gr(e),u(e,n,l,!0)}function f(e){o.forEach(((t,n)=>{const r=al(t.type);r&&!e(r)&&m(n)}))}function m(e){const t=o.get(e);!t||a&&ka(t,a)?a&&Gr(a):p(t),o.delete(e),i.delete(e)}r.activate=(e,t,n,r,o)=>{const i=e.component;c(e,t,n,0,l),s(i.vnode,e,t,n,i,l,r,e.slotScopeIds,o),Ei((()=>{i.isDeactivated=!1,i.a&&H(i.a);const t=e.props&&e.props.onVnodeMounted;t&&Ra(t,i.parent,e)}),l)},r.deactivate=e=>{const t=e.component;Li(t.m),Li(t.a),c(e,h,null,1,l),Ei((()=>{t.da&&H(t.da);const n=e.props&&e.props.onVnodeUnmounted;n&&Ra(n,t.parent,e),t.isDeactivated=!0}),l)},Ri((()=>[e.include,e.exclude]),(([e,t])=>{e&&f((t=>zr(e,t))),t&&f((e=>!zr(t,e)))}),{flush:"post",deep:!0});let v=null;const g=()=>{null!=v&&(Qi(n.subTree.type)?Ei((()=>{o.set(v,Kr(n.subTree))}),n.subTree.suspense):o.set(v,Kr(n.subTree)))};return Qr(g),to(g),no((()=>{o.forEach((e=>{const{subTree:t,suspense:r}=n,o=Kr(t);if(e.type!==o.type||e.key!==o.key)p(e);else{Gr(o);const e=o.component.da;e&&Ei(e,r)}}))})),()=>{if(v=null,!t.default)return a=null;const n=t.default(),r=n[0];if(n.length>1)return a=null,n;if(!(xa(r)&&(4&r.shapeFlag||128&r.shapeFlag)))return a=null,r;let l=Kr(r);if(l.type===ca)return a=null,l;const s=l.type,c=al(Rr(l)?l.type.__asyncResolved||{}:s),{include:u,exclude:d,max:h}=e;if(u&&(!c||!zr(u,c))||d&&c&&zr(d,c))return l.shapeFlag&=-257,a=l,r;const p=null==l.key?s:l.key,f=o.get(p);return l.el&&(l=Na(l),128&r.shapeFlag&&(r.ssContent=l)),v=p,f?(l.el=f.el,l.component=f.component,l.transition&&gr(l,l.transition),l.shapeFlag|=512,i.delete(p),i.add(p)):(i.add(p),h&&i.size>parseInt(h,10)&&m(i.values().next().value)),l.shapeFlag|=256,a=l,Qi(r.type)?r:l}}};function zr(e,t){return m(e)?e.some((e=>zr(e,t))):b(e)?e.split(",").includes(t):"[object RegExp]"===C(e)&&(e.lastIndex=0,e.test(t))}function qr(e,t){$r(e,"a",t)}function Ur(e,t){$r(e,"da",t)}function $r(e,t,n=Fa){const r=e.__wdc||(e.__wdc=()=>{let t=n;for(;t;){if(t.isDeactivated)return;t=t.parent}return e()});if(Yr(t,r,n),n){let e=n.parent;for(;e&&e.parent;)jr(e.parent.vnode)&&Wr(r,t,n,e),e=e.parent}}function Wr(e,t,n,r){const o=Yr(t,e,r,!0);ro((()=>{h(r[t],o)}),n)}function Gr(e){e.shapeFlag&=-257,e.shapeFlag&=-513}function Kr(e){return 128&e.shapeFlag?e.ssContent:e}function Yr(e,t,n=Fa,r=!1){if(n){const o=n[e]||(n[e]=[]),i=t.__weh||(t.__weh=(...r)=>{Oe();const o=$a(n),i=wn(t,n,e,r);return o(),De(),i});return r?o.unshift(i):o.push(i),i}}const Xr=e=>(t,n=Fa)=>{Xa&&"sp"!==e||Yr(e,((...e)=>t(...e)),n)},Jr=Xr("bm"),Qr=Xr("m"),eo=Xr("bu"),to=Xr("u"),no=Xr("bum"),ro=Xr("um"),oo=Xr("sp"),io=Xr("rtg"),ao=Xr("rtc");function lo(e,t=Fa){Yr("ec",e,t)}const so="components",co="directives";function uo(e,t){return mo(so,e,!0,t)||e}const ho=Symbol.for("v-ndc");function po(e){return b(e)?mo(so,e,!1)||e:e||ho}function fo(e){return mo(co,e)}function mo(e,t,n=!0,r=!1){const o=Rn||Fa;if(o){const n=o.type;if(e===so){const e=al(n,!1);if(e&&(e===t||e===T(t)||e===O(T(t))))return n}const i=vo(o[e]||n[e],t)||vo(o.appContext[e],t);return!i&&r?n:i}}function vo(e,t){return e&&(e[t]||e[T(t)]||e[O(T(t))])}function go(e,t,n,r){let o;const i=n&&n[r],a=m(e);if(a||b(e)){let n=!1;a&&Lt(e)&&(n=!It(e),e=Ye(e)),o=new Array(e.length);for(let r=0,a=e.length;r<a;r++)o[r]=t(n?Rt(e[r]):e[r],r,void 0,i&&i[r])}else if("number"==typeof e){0,o=new Array(e);for(let n=0;n<e;n++)o[n]=t(n+1,n,void 0,i&&i[n])}else if(k(e))if(e[Symbol.iterator])o=Array.from(e,((e,n)=>t(e,n,void 0,i&&i[n])));else{const n=Object.keys(e);o=new Array(n.length);for(let r=0,a=n.length;r<a;r++){const a=n[r];o[r]=t(e[a],a,r,i&&i[r])}}else o=[];return n&&(n[r]=o),o}function wo(e,t){for(let n=0;n<t.length;n++){const r=t[n];if(m(r))for(let t=0;t<r.length;t++)e[r[t].name]=r[t].fn;else r&&(e[r.name]=r.key?(...e)=>{const t=r.fn(...e);return t&&(t.key=r.key),t}:r.fn)}return e}function yo(e,t,n={},r,o){if(Rn.ce||Rn.parent&&Rr(Rn.parent)&&Rn.parent.ce)return"default"!==t&&(n.name=t),pa(),ba(la,null,[Ma("slot",n,r&&r())],64);let i=e[t];i&&i._c&&(i._d=!1),pa();const a=i&&bo(i(n)),l=n.key||a&&a.key,s=ba(la,{key:(l&&!x(l)?l:`_${t}`)+(!a&&r?"_fb":"")},a||(r?r():[]),a&&1===e._?64:-2);return!o&&s.scopeId&&(s.slotScopeIds=[s.scopeId+"-s"]),i&&i._c&&(i._d=!0),s}function bo(e){return e.some((e=>!xa(e)||e.type!==ca&&!(e.type===la&&!bo(e.children))))?e:null}function xo(e,t){const n={};for(const r in e)n[t&&/[A-Z]/.test(r)?`on:${r}`:D(r)]=e[r];return n}const ko=e=>e?Ga(e)?il(e):ko(e.parent):null,Eo=d(Object.create(null),{$:e=>e,$el:e=>e.vnode.el,$data:e=>e.data,$props:e=>e.props,$attrs:e=>e.attrs,$slots:e=>e.slots,$refs:e=>e.refs,$parent:e=>ko(e.parent),$root:e=>ko(e.root),$host:e=>e.ce,$emit:e=>e.emit,$options:e=>$o(e),$forceUpdate:e=>e.f||(e.f=()=>{_n(e.update)}),$nextTick:e=>e.n||(e.n=Mn.bind(e.proxy)),$watch:e=>Pi.bind(e)}),Ao=(e,t)=>e!==i&&!e.__isScriptSetup&&f(e,t),Co={get({_:e},t){if("__v_skip"===t)return!0;const{ctx:n,setupState:r,data:o,props:a,accessCache:l,type:s,appContext:c}=e;let u;if("$"!==t[0]){const s=l[t];if(void 0!==s)switch(s){case 1:return r[t];case 2:return o[t];case 4:return n[t];case 3:return a[t]}else{if(Ao(r,t))return l[t]=1,r[t];if(o!==i&&f(o,t))return l[t]=2,o[t];if((u=e.propsOptions[0])&&f(u,t))return l[t]=3,a[t];if(n!==i&&f(n,t))return l[t]=4,n[t];Fo&&(l[t]=0)}}const d=Eo[t];let h,p;return d?("$attrs"===t&&We(e.attrs,0,""),d(e)):(h=s.__cssModules)&&(h=h[t])?h:n!==i&&f(n,t)?(l[t]=4,n[t]):(p=c.config.globalProperties,f(p,t)?p[t]:void 0)},set({_:e},t,n){const{data:r,setupState:o,ctx:a}=e;return Ao(o,t)?(o[t]=n,!0):r!==i&&f(r,t)?(r[t]=n,!0):!f(e.props,t)&&(("$"!==t[0]||!(t.slice(1)in e))&&(a[t]=n,!0))},has({_:{data:e,setupState:t,accessCache:n,ctx:r,appContext:o,propsOptions:a}},l){let s;return!!n[l]||e!==i&&f(e,l)||Ao(t,l)||(s=a[0])&&f(s,l)||f(r,l)||f(Eo,l)||f(o.config.globalProperties,l)},defineProperty(e,t,n){return null!=n.get?e._.accessCache[t]=0:f(n,"value")&&this.set(e,t,n.value,null),Reflect.defineProperty(e,t,n)}};const Bo=d({},Co,{get(e,t){if(t!==Symbol.unscopables)return Co.get(e,t,e)},has:(e,t)=>"_"!==t[0]&&!U(t)});function Mo(){return null}function _o(){return null}function So(e){0}function No(e){0}function Vo(){return null}function Lo(){0}function To(e,t){return null}function Io(){return Oo().slots}function Zo(){return Oo().attrs}function Oo(){const e=za();return e.setupContext||(e.setupContext=ol(e))}function Do(e){return m(e)?e.reduce(((e,t)=>(e[t]=null,e)),{}):e}function Ro(e,t){const n=Do(e);for(const e in t){if(e.startsWith("__skip"))continue;let r=n[e];r?m(r)||y(r)?r=n[e]={type:r,default:t[e]}:r.default=t[e]:null===r&&(r=n[e]={default:t[e]}),r&&t[`__skip_${e}`]&&(r.skipFactory=!0)}return n}function Ho(e,t){return e&&t?m(e)&&m(t)?e.concat(t):d({},Do(e),Do(t)):e||t}function Po(e,t){const n={};for(const r in e)t.includes(r)||Object.defineProperty(n,r,{enumerable:!0,get:()=>e[r]});return n}function jo(e){const t=za();let n=e();return Wa(),E(n)&&(n=n.catch((e=>{throw $a(t),e}))),[n,()=>$a(t)]}let Fo=!0;function zo(e){const t=$o(e),n=e.proxy,r=e.ctx;Fo=!1,t.beforeCreate&&qo(t.beforeCreate,e,"bc");const{data:o,computed:i,methods:a,watch:s,provide:c,inject:u,created:d,beforeMount:h,mounted:p,beforeUpdate:f,updated:v,activated:g,deactivated:w,beforeDestroy:b,beforeUnmount:x,destroyed:E,unmounted:A,render:C,renderTracked:B,renderTriggered:M,errorCaptured:_,serverPrefetch:S,expose:N,inheritAttrs:V,components:L,directives:T,filters:I}=t;if(u&&function(e,t){m(e)&&(e=Yo(e));for(const n in e){const r=e[n];let o;o=k(r)?"default"in r?ii(r.from||n,r.default,!0):ii(r.from||n):ii(r),Pt(o)?Object.defineProperty(t,n,{enumerable:!0,configurable:!0,get:()=>o.value,set:e=>o.value=e}):t[n]=o}}(u,r,null),a)for(const e in a){const t=a[e];y(t)&&(r[e]=t.bind(n))}if(o){0;const t=o.call(n,n);0,k(t)&&(e.data=Mt(t))}if(Fo=!0,i)for(const e in i){const t=i[e],o=y(t)?t.bind(n,n):y(t.get)?t.get.bind(n,n):l;0;const a=!y(t)&&y(t.set)?t.set.bind(n):l,s=sl({get:o,set:a});Object.defineProperty(r,e,{enumerable:!0,configurable:!0,get:()=>s.value,set:e=>s.value=e})}if(s)for(const e in s)Uo(s[e],r,n,e);if(c){const e=y(c)?c.call(n):c;Reflect.ownKeys(e).forEach((t=>{oi(t,e[t])}))}function Z(e,t){m(t)?t.forEach((t=>e(t.bind(n)))):t&&e(t.bind(n))}if(d&&qo(d,e,"c"),Z(Jr,h),Z(Qr,p),Z(eo,f),Z(to,v),Z(qr,g),Z(Ur,w),Z(lo,_),Z(ao,B),Z(io,M),Z(no,x),Z(ro,A),Z(oo,S),m(N))if(N.length){const t=e.exposed||(e.exposed={});N.forEach((e=>{Object.defineProperty(t,e,{get:()=>n[e],set:t=>n[e]=t})}))}else e.exposed||(e.exposed={});C&&e.render===l&&(e.render=C),null!=V&&(e.inheritAttrs=V),L&&(e.components=L),T&&(e.directives=T),S&&xr(e)}function qo(e,t,n){wn(m(e)?e.map((e=>e.bind(t.proxy))):e.bind(t.proxy),t,n)}function Uo(e,t,n,r){let o=r.includes(".")?ji(n,r):()=>n[r];if(b(e)){const n=t[e];y(n)&&Ri(o,n)}else if(y(e))Ri(o,e.bind(n));else if(k(e))if(m(e))e.forEach((e=>Uo(e,t,n,r)));else{const r=y(e.handler)?e.handler.bind(n):t[e.handler];y(r)&&Ri(o,r,e)}else 0}function $o(e){const t=e.type,{mixins:n,extends:r}=t,{mixins:o,optionsCache:i,config:{optionMergeStrategies:a}}=e.appContext,l=i.get(t);let s;return l?s=l:o.length||n||r?(s={},o.length&&o.forEach((e=>Wo(s,e,a,!0))),Wo(s,t,a)):s=t,k(t)&&i.set(t,s),s}function Wo(e,t,n,r=!1){const{mixins:o,extends:i}=t;i&&Wo(e,i,n,!0),o&&o.forEach((t=>Wo(e,t,n,!0)));for(const o in t)if(r&&"expose"===o);else{const r=Go[o]||n&&n[o];e[o]=r?r(e[o],t[o]):t[o]}return e}const Go={data:Ko,props:Qo,emits:Qo,methods:Jo,computed:Jo,beforeCreate:Xo,created:Xo,beforeMount:Xo,mounted:Xo,beforeUpdate:Xo,updated:Xo,beforeDestroy:Xo,beforeUnmount:Xo,destroyed:Xo,unmounted:Xo,activated:Xo,deactivated:Xo,errorCaptured:Xo,serverPrefetch:Xo,components:Jo,directives:Jo,watch:function(e,t){if(!e)return t;if(!t)return e;const n=d(Object.create(null),e);for(const r in t)n[r]=Xo(e[r],t[r]);return n},provide:Ko,inject:function(e,t){return Jo(Yo(e),Yo(t))}};function Ko(e,t){return t?e?function(){return d(y(e)?e.call(this,this):e,y(t)?t.call(this,this):t)}:t:e}function Yo(e){if(m(e)){const t={};for(let n=0;n<e.length;n++)t[e[n]]=e[n];return t}return e}function Xo(e,t){return e?[...new Set([].concat(e,t))]:t}function Jo(e,t){return e?d(Object.create(null),e,t):t}function Qo(e,t){return e?m(e)&&m(t)?[...new Set([...e,...t])]:d(Object.create(null),Do(e),Do(null!=t?t:{})):t}function ei(){return{app:null,config:{isNativeTag:s,performance:!1,globalProperties:{},optionMergeStrategies:{},errorHandler:void 0,warnHandler:void 0,compilerOptions:{}},mixins:[],components:{},directives:{},provides:Object.create(null),optionsCache:new WeakMap,propsCache:new WeakMap,emitsCache:new WeakMap}}let ti=0;function ni(e,t){return function(n,r=null){y(n)||(n=d({},n)),null==r||k(r)||(r=null);const o=ei(),i=new WeakSet,a=[];let l=!1;const s=o.app={_uid:ti++,_component:n,_props:r,_container:null,_context:o,_instance:null,version:pl,get config(){return o.config},set config(e){0},use:(e,...t)=>(i.has(e)||(e&&y(e.install)?(i.add(e),e.install(s,...t)):y(e)&&(i.add(e),e(s,...t))),s),mixin:e=>(o.mixins.includes(e)||o.mixins.push(e),s),component:(e,t)=>t?(o.components[e]=t,s):o.components[e],directive:(e,t)=>t?(o.directives[e]=t,s):o.directives[e],mount(i,a,c){if(!l){0;const u=s._ceVNode||Ma(n,r);return u.appContext=o,!0===c?c="svg":!1===c&&(c=void 0),a&&t?t(u,i):e(u,i,c),l=!0,s._container=i,i.__vue_app__=s,il(u.component)}},onUnmount(e){a.push(e)},unmount(){l&&(wn(a,s._instance,16),e(null,s._container),delete s._container.__vue_app__)},provide:(e,t)=>(o.provides[e]=t,s),runWithContext(e){const t=ri;ri=s;try{return e()}finally{ri=t}}};return s}}let ri=null;function oi(e,t){if(Fa){let n=Fa.provides;const r=Fa.parent&&Fa.parent.provides;r===n&&(n=Fa.provides=Object.create(r)),n[e]=t}else 0}function ii(e,t,n=!1){const r=Fa||Rn;if(r||ri){const o=ri?ri._context.provides:r?null==r.parent?r.vnode.appContext&&r.vnode.appContext.provides:r.parent.provides:void 0;if(o&&e in o)return o[e];if(arguments.length>1)return n&&y(t)?t.call(r&&r.proxy):t}else 0}function ai(){return!!(Fa||Rn||ri)}const li={},si=()=>Object.create(li),ci=e=>Object.getPrototypeOf(e)===li;function ui(e,t,n,r){const[o,a]=e.propsOptions;let l,s=!1;if(t)for(let i in t){if(S(i))continue;const c=t[i];let u;o&&f(o,u=T(i))?a&&a.includes(u)?(l||(l={}))[u]=c:n[u]=c:$i(e.emitsOptions,i)||i in r&&c===r[i]||(r[i]=c,s=!0)}if(a){const t=Ot(n),r=l||i;for(let i=0;i<a.length;i++){const l=a[i];n[l]=di(o,t,l,r[l],e,!f(r,l))}}return s}function di(e,t,n,r,o,i){const a=e[n];if(null!=a){const e=f(a,"default");if(e&&void 0===r){const e=a.default;if(a.type!==Function&&!a.skipFactory&&y(e)){const{propsDefaults:i}=o;if(n in i)r=i[n];else{const a=$a(o);r=i[n]=e.call(null,t),a()}}else r=e;o.ce&&o.ce._setProp(n,r)}a[0]&&(i&&!e?r=!1:!a[1]||""!==r&&r!==Z(n)||(r=!0))}return r}const hi=new WeakMap;function pi(e,t,n=!1){const r=n?hi:t.propsCache,o=r.get(e);if(o)return o;const l=e.props,s={},c=[];let u=!1;if(!y(e)){const r=e=>{u=!0;const[n,r]=pi(e,t,!0);d(s,n),r&&c.push(...r)};!n&&t.mixins.length&&t.mixins.forEach(r),e.extends&&r(e.extends),e.mixins&&e.mixins.forEach(r)}if(!l&&!u)return k(e)&&r.set(e,a),a;if(m(l))for(let e=0;e<l.length;e++){0;const t=T(l[e]);fi(t)&&(s[t]=i)}else if(l){0;for(const e in l){const t=T(e);if(fi(t)){const n=l[e],r=s[t]=m(n)||y(n)?{type:n}:d({},n),o=r.type;let i=!1,a=!0;if(m(o))for(let e=0;e<o.length;++e){const t=o[e],n=y(t)&&t.name;if("Boolean"===n){i=!0;break}"String"===n&&(a=!1)}else i=y(o)&&"Boolean"===o.name;r[0]=i,r[1]=a,(i||f(r,"default"))&&c.push(t)}}}const h=[s,c];return k(e)&&r.set(e,h),h}function fi(e){return"$"!==e[0]&&!S(e)}const mi=e=>"_"===e[0]||"$stable"===e,vi=e=>m(e)?e.map(Ia):[Ia(e)],gi=(e,t,n)=>{if(t._n)return t;const r=qn(((...e)=>vi(t(...e))),n);return r._c=!1,r},wi=(e,t,n)=>{const r=e._ctx;for(const n in e){if(mi(n))continue;const o=e[n];if(y(o))t[n]=gi(0,o,r);else if(null!=o){0;const e=vi(o);t[n]=()=>e}}},yi=(e,t)=>{const n=vi(t);e.slots.default=()=>n},bi=(e,t,n)=>{for(const r in t)(n||"_"!==r)&&(e[r]=t[r])},xi=(e,t,n)=>{const r=e.slots=si();if(32&e.vnode.shapeFlag){const e=t._;e?(bi(r,t,n),n&&P(r,"_",e,!0)):wi(t,r)}else t&&yi(e,t)},ki=(e,t,n)=>{const{vnode:r,slots:o}=e;let a=!0,l=i;if(32&r.shapeFlag){const e=t._;e?n&&1===e?a=!1:bi(o,t,n):(a=!t.$stable,wi(t,o)),l=t}else t&&(yi(e,t),l={default:1});if(a)for(const e in o)mi(e)||null!=l[e]||delete o[e]};const Ei=ia;function Ai(e){return Bi(e)}function Ci(e){return Bi(e,_r)}function Bi(e,t){q().__VUE__=!0;const{insert:n,remove:r,patchProp:o,createElement:s,createText:c,createComment:u,setText:d,setElementText:h,parentNode:p,nextSibling:m,setScopeId:v=l,insertStaticContent:g}=e,w=(e,t,n,r=null,o=null,i=null,a=void 0,l=null,s=!!t.dynamicChildren)=>{if(e===t)return;e&&!ka(e,t)&&(r=Y(e),U(e,o,i,!0),e=null),-2===t.patchFlag&&(s=!1,t.dynamicChildren=null);const{type:c,ref:u,shapeFlag:d}=t;switch(c){case sa:y(e,t,n,r);break;case ca:b(e,t,n,r);break;case ua:null==e&&x(t,n,r,a);break;case la:V(e,t,n,r,o,i,a,l,s);break;default:1&d?E(e,t,n,r,o,i,a,l,s):6&d?L(e,t,n,r,o,i,a,l,s):(64&d||128&d)&&c.process(e,t,n,r,o,i,a,l,s,Q)}null!=u&&o&&Er(u,e&&e.ref,i,t||e,!t)},y=(e,t,r,o)=>{if(null==e)n(t.el=c(t.children),r,o);else{const n=t.el=e.el;t.children!==e.children&&d(n,t.children)}},b=(e,t,r,o)=>{null==e?n(t.el=u(t.children||""),r,o):t.el=e.el},x=(e,t,n,r)=>{[e.el,e.anchor]=g(e.children,t,n,r,e.el,e.anchor)},k=({el:e,anchor:t})=>{let n;for(;e&&e!==t;)n=m(e),r(e),e=n;r(t)},E=(e,t,n,r,o,i,a,l,s)=>{"svg"===t.type?a="svg":"math"===t.type&&(a="mathml"),null==e?A(t,n,r,o,i,a,l,s):M(e,t,o,i,a,l,s)},A=(e,t,r,i,a,l,c,u)=>{let d,p;const{props:f,shapeFlag:m,transition:v,dirs:g}=e;if(d=e.el=s(e.type,l,f&&f.is,f),8&m?h(d,e.children):16&m&&B(e.children,d,null,i,a,Mi(e,l),c,u),g&&$n(e,null,i,"created"),C(d,e,e.scopeId,c,i),f){for(const e in f)"value"===e||S(e)||o(d,e,null,f[e],l,i);"value"in f&&o(d,"value",null,f.value,l),(p=f.onVnodeBeforeMount)&&Ra(p,i,e)}g&&$n(e,null,i,"beforeMount");const w=Si(a,v);w&&v.beforeEnter(d),n(d,t,r),((p=f&&f.onVnodeMounted)||w||g)&&Ei((()=>{p&&Ra(p,i,e),w&&v.enter(d),g&&$n(e,null,i,"mounted")}),a)},C=(e,t,n,r,o)=>{if(n&&v(e,n),r)for(let t=0;t<r.length;t++)v(e,r[t]);if(o){let n=o.subTree;if(t===n||Qi(n.type)&&(n.ssContent===t||n.ssFallback===t)){const t=o.vnode;C(e,t,t.scopeId,t.slotScopeIds,o.parent)}}},B=(e,t,n,r,o,i,a,l,s=0)=>{for(let c=s;c<e.length;c++){const s=e[c]=l?Za(e[c]):Ia(e[c]);w(null,s,t,n,r,o,i,a,l)}},M=(e,t,n,r,a,l,s)=>{const c=t.el=e.el;let{patchFlag:u,dynamicChildren:d,dirs:p}=t;u|=16&e.patchFlag;const f=e.props||i,m=t.props||i;let v;if(n&&_i(n,!1),(v=m.onVnodeBeforeUpdate)&&Ra(v,n,t,e),p&&$n(t,e,n,"beforeUpdate"),n&&_i(n,!0),(f.innerHTML&&null==m.innerHTML||f.textContent&&null==m.textContent)&&h(c,""),d?_(e.dynamicChildren,d,c,n,r,Mi(t,a),l):s||P(e,t,c,null,n,r,Mi(t,a),l,!1),u>0){if(16&u)N(c,f,m,n,a);else if(2&u&&f.class!==m.class&&o(c,"class",null,m.class,a),4&u&&o(c,"style",f.style,m.style,a),8&u){const e=t.dynamicProps;for(let t=0;t<e.length;t++){const r=e[t],i=f[r],l=m[r];l===i&&"value"!==r||o(c,r,i,l,a,n)}}1&u&&e.children!==t.children&&h(c,t.children)}else s||null!=d||N(c,f,m,n,a);((v=m.onVnodeUpdated)||p)&&Ei((()=>{v&&Ra(v,n,t,e),p&&$n(t,e,n,"updated")}),r)},_=(e,t,n,r,o,i,a)=>{for(let l=0;l<t.length;l++){const s=e[l],c=t[l],u=s.el&&(s.type===la||!ka(s,c)||70&s.shapeFlag)?p(s.el):n;w(s,c,u,null,r,o,i,a,!0)}},N=(e,t,n,r,a)=>{if(t!==n){if(t!==i)for(const i in t)S(i)||i in n||o(e,i,t[i],null,a,r);for(const i in n){if(S(i))continue;const l=n[i],s=t[i];l!==s&&"value"!==i&&o(e,i,s,l,a,r)}"value"in n&&o(e,"value",t.value,n.value,a)}},V=(e,t,r,o,i,a,l,s,u)=>{const d=t.el=e?e.el:c(""),h=t.anchor=e?e.anchor:c("");let{patchFlag:p,dynamicChildren:f,slotScopeIds:m}=t;m&&(s=s?s.concat(m):m),null==e?(n(d,r,o),n(h,r,o),B(t.children||[],r,h,i,a,l,s,u)):p>0&&64&p&&f&&e.dynamicChildren?(_(e.dynamicChildren,f,r,i,a,l,s),(null!=t.key||i&&t===i.subTree)&&Ni(e,t,!0)):P(e,t,r,h,i,a,l,s,u)},L=(e,t,n,r,o,i,a,l,s)=>{t.slotScopeIds=l,null==e?512&t.shapeFlag?o.ctx.activate(t,n,r,a,s):I(t,n,r,o,i,a,s):O(e,t,s)},I=(e,t,n,r,o,i,a)=>{const l=e.component=ja(e,r,o);if(jr(e)&&(l.ctx.renderer=Q),Ja(l,!1,a),l.asyncDep){if(o&&o.registerDep(l,D,a),!e.el){const e=l.subTree=Ma(ca);b(null,e,t,n)}}else D(l,e,t,n,o,i,a)},O=(e,t,n)=>{const r=t.component=e.component;if(function(e,t,n){const{props:r,children:o,component:i}=e,{props:a,children:l,patchFlag:s}=t,c=i.emitsOptions;0;if(t.dirs||t.transition)return!0;if(!(n&&s>=0))return!(!o&&!l||l&&l.$stable)||r!==a&&(r?!a||Xi(r,a,c):!!a);if(1024&s)return!0;if(16&s)return r?Xi(r,a,c):!!a;if(8&s){const e=t.dynamicProps;for(let t=0;t<e.length;t++){const n=e[t];if(a[n]!==r[n]&&!$i(c,n))return!0}}return!1}(e,t,n)){if(r.asyncDep&&!r.asyncResolved)return void R(r,t,n);r.next=t,r.update()}else t.el=e.el,r.vnode=t},D=(e,t,n,r,o,i,a)=>{const l=()=>{if(e.isMounted){let{next:t,bu:n,u:r,parent:s,vnode:c}=e;{const n=Vi(e);if(n)return t&&(t.el=c.el,R(e,t,a)),void n.asyncDep.then((()=>{e.isUnmounted||l()}))}let u,d=t;0,_i(e,!1),t?(t.el=c.el,R(e,t,a)):t=c,n&&H(n),(u=t.props&&t.props.onVnodeBeforeUpdate)&&Ra(u,s,t,c),_i(e,!0);const h=Wi(e);0;const f=e.subTree;e.subTree=h,w(f,h,p(f.el),Y(f),e,o,i),t.el=h.el,null===d&&Ji(e,h.el),r&&Ei(r,o),(u=t.props&&t.props.onVnodeUpdated)&&Ei((()=>Ra(u,s,t,c)),o)}else{let a;const{el:l,props:s}=t,{bm:c,m:u,parent:d,root:h,type:p}=e,f=Rr(t);if(_i(e,!1),c&&H(c),!f&&(a=s&&s.onVnodeBeforeMount)&&Ra(a,d,t),_i(e,!0),l&&te){const t=()=>{e.subTree=Wi(e),te(l,e.subTree,e,o,null)};f&&p.__asyncHydrate?p.__asyncHydrate(l,e,t):t()}else{h.ce&&h.ce._injectChildStyle(p);const a=e.subTree=Wi(e);0,w(null,a,n,r,e,o,i),t.el=a.el}if(u&&Ei(u,o),!f&&(a=s&&s.onVnodeMounted)){const e=t;Ei((()=>Ra(a,d,e)),o)}(256&t.shapeFlag||d&&Rr(d.vnode)&&256&d.vnode.shapeFlag)&&e.a&&Ei(e.a,o),e.isMounted=!0,t=n=r=null}};e.scope.on();const s=e.effect=new ye(l);e.scope.off();const c=e.update=s.run.bind(s),u=e.job=s.runIfDirty.bind(s);u.i=e,u.id=e.uid,s.scheduler=()=>_n(u),_i(e,!0),c()},R=(e,t,n)=>{t.component=e;const r=e.vnode.props;e.vnode=t,e.next=null,function(e,t,n,r){const{props:o,attrs:i,vnode:{patchFlag:a}}=e,l=Ot(o),[s]=e.propsOptions;let c=!1;if(!(r||a>0)||16&a){let r;ui(e,t,o,i)&&(c=!0);for(const i in l)t&&(f(t,i)||(r=Z(i))!==i&&f(t,r))||(s?!n||void 0===n[i]&&void 0===n[r]||(o[i]=di(s,l,i,void 0,e,!0)):delete o[i]);if(i!==l)for(const e in i)t&&f(t,e)||(delete i[e],c=!0)}else if(8&a){const n=e.vnode.dynamicProps;for(let r=0;r<n.length;r++){let a=n[r];if($i(e.emitsOptions,a))continue;const u=t[a];if(s)if(f(i,a))u!==i[a]&&(i[a]=u,c=!0);else{const t=T(a);o[t]=di(s,l,t,u,e,!1)}else u!==i[a]&&(i[a]=u,c=!0)}}c&&Ge(e.attrs,"set","")}(e,t.props,r,n),ki(e,t.children,n),Oe(),Vn(e),De()},P=(e,t,n,r,o,i,a,l,s=!1)=>{const c=e&&e.children,u=e?e.shapeFlag:0,d=t.children,{patchFlag:p,shapeFlag:f}=t;if(p>0){if(128&p)return void F(c,d,n,r,o,i,a,l,s);if(256&p)return void j(c,d,n,r,o,i,a,l,s)}8&f?(16&u&&K(c,o,i),d!==c&&h(n,d)):16&u?16&f?F(c,d,n,r,o,i,a,l,s):K(c,o,i,!0):(8&u&&h(n,""),16&f&&B(d,n,r,o,i,a,l,s))},j=(e,t,n,r,o,i,l,s,c)=>{t=t||a;const u=(e=e||a).length,d=t.length,h=Math.min(u,d);let p;for(p=0;p<h;p++){const r=t[p]=c?Za(t[p]):Ia(t[p]);w(e[p],r,n,null,o,i,l,s,c)}u>d?K(e,o,i,!0,!1,h):B(t,n,r,o,i,l,s,c,h)},F=(e,t,n,r,o,i,l,s,c)=>{let u=0;const d=t.length;let h=e.length-1,p=d-1;for(;u<=h&&u<=p;){const r=e[u],a=t[u]=c?Za(t[u]):Ia(t[u]);if(!ka(r,a))break;w(r,a,n,null,o,i,l,s,c),u++}for(;u<=h&&u<=p;){const r=e[h],a=t[p]=c?Za(t[p]):Ia(t[p]);if(!ka(r,a))break;w(r,a,n,null,o,i,l,s,c),h--,p--}if(u>h){if(u<=p){const e=p+1,a=e<d?t[e].el:r;for(;u<=p;)w(null,t[u]=c?Za(t[u]):Ia(t[u]),n,a,o,i,l,s,c),u++}}else if(u>p)for(;u<=h;)U(e[u],o,i,!0),u++;else{const f=u,m=u,v=new Map;for(u=m;u<=p;u++){const e=t[u]=c?Za(t[u]):Ia(t[u]);null!=e.key&&v.set(e.key,u)}let g,y=0;const b=p-m+1;let x=!1,k=0;const E=new Array(b);for(u=0;u<b;u++)E[u]=0;for(u=f;u<=h;u++){const r=e[u];if(y>=b){U(r,o,i,!0);continue}let a;if(null!=r.key)a=v.get(r.key);else for(g=m;g<=p;g++)if(0===E[g-m]&&ka(r,t[g])){a=g;break}void 0===a?U(r,o,i,!0):(E[a-m]=u+1,a>=k?k=a:x=!0,w(r,t[a],n,null,o,i,l,s,c),y++)}const A=x?function(e){const t=e.slice(),n=[0];let r,o,i,a,l;const s=e.length;for(r=0;r<s;r++){const s=e[r];if(0!==s){if(o=n[n.length-1],e[o]<s){t[r]=o,n.push(r);continue}for(i=0,a=n.length-1;i<a;)l=i+a>>1,e[n[l]]<s?i=l+1:a=l;s<e[n[i]]&&(i>0&&(t[r]=n[i-1]),n[i]=r)}}i=n.length,a=n[i-1];for(;i-- >0;)n[i]=a,a=t[a];return n}(E):a;for(g=A.length-1,u=b-1;u>=0;u--){const e=m+u,a=t[e],h=e+1<d?t[e+1].el:r;0===E[u]?w(null,a,n,h,o,i,l,s,c):x&&(g<0||u!==A[g]?z(a,n,h,2):g--)}}},z=(e,t,r,o,i=null)=>{const{el:a,type:l,transition:s,children:c,shapeFlag:u}=e;if(6&u)return void z(e.component.subTree,t,r,o);if(128&u)return void e.suspense.move(t,r,o);if(64&u)return void l.move(e,t,r,Q);if(l===la){n(a,t,r);for(let e=0;e<c.length;e++)z(c[e],t,r,o);return void n(e.anchor,t,r)}if(l===ua)return void(({el:e,anchor:t},r,o)=>{let i;for(;e&&e!==t;)i=m(e),n(e,r,o),e=i;n(t,r,o)})(e,t,r);if(2!==o&&1&u&&s)if(0===o)s.beforeEnter(a),n(a,t,r),Ei((()=>s.enter(a)),i);else{const{leave:e,delayLeave:o,afterLeave:i}=s,l=()=>n(a,t,r),c=()=>{e(a,(()=>{l(),i&&i()}))};o?o(a,l,c):c()}else n(a,t,r)},U=(e,t,n,r=!1,o=!1)=>{const{type:i,props:a,ref:l,children:s,dynamicChildren:c,shapeFlag:u,patchFlag:d,dirs:h,cacheIndex:p}=e;if(-2===d&&(o=!1),null!=l&&Er(l,null,n,e,!0),null!=p&&(t.renderCache[p]=void 0),256&u)return void t.ctx.deactivate(e);const f=1&u&&h,m=!Rr(e);let v;if(m&&(v=a&&a.onVnodeBeforeUnmount)&&Ra(v,t,e),6&u)G(e.component,n,r);else{if(128&u)return void e.suspense.unmount(n,r);f&&$n(e,null,t,"beforeUnmount"),64&u?e.type.remove(e,t,n,Q,r):c&&!c.hasOnce&&(i!==la||d>0&&64&d)?K(c,t,n,!1,!0):(i===la&&384&d||!o&&16&u)&&K(s,t,n),r&&$(e)}(m&&(v=a&&a.onVnodeUnmounted)||f)&&Ei((()=>{v&&Ra(v,t,e),f&&$n(e,null,t,"unmounted")}),n)},$=e=>{const{type:t,el:n,anchor:o,transition:i}=e;if(t===la)return void W(n,o);if(t===ua)return void k(e);const a=()=>{r(n),i&&!i.persisted&&i.afterLeave&&i.afterLeave()};if(1&e.shapeFlag&&i&&!i.persisted){const{leave:t,delayLeave:r}=i,o=()=>t(n,a);r?r(e.el,a,o):o()}else a()},W=(e,t)=>{let n;for(;e!==t;)n=m(e),r(e),e=n;r(t)},G=(e,t,n)=>{const{bum:r,scope:o,job:i,subTree:a,um:l,m:s,a:c}=e;Li(s),Li(c),r&&H(r),o.stop(),i&&(i.flags|=8,U(a,e,t,n)),l&&Ei(l,t),Ei((()=>{e.isUnmounted=!0}),t),t&&t.pendingBranch&&!t.isUnmounted&&e.asyncDep&&!e.asyncResolved&&e.suspenseId===t.pendingId&&(t.deps--,0===t.deps&&t.resolve())},K=(e,t,n,r=!1,o=!1,i=0)=>{for(let a=i;a<e.length;a++)U(e[a],t,n,r,o)},Y=e=>{if(6&e.shapeFlag)return Y(e.component.subTree);if(128&e.shapeFlag)return e.suspense.next();const t=m(e.anchor||e.el),n=t&&t[Wn];return n?m(n):t};let X=!1;const J=(e,t,n)=>{null==e?t._vnode&&U(t._vnode,null,null,!0):w(t._vnode||null,e,t,null,null,null,n),t._vnode=e,X||(X=!0,Vn(),Ln(),X=!1)},Q={p:w,um:U,m:z,r:$,mt:I,mc:B,pc:P,pbc:_,n:Y,o:e};let ee,te;return t&&([ee,te]=t(Q)),{render:J,hydrate:ee,createApp:ni(J,ee)}}function Mi({type:e,props:t},n){return"svg"===n&&"foreignObject"===e||"mathml"===n&&"annotation-xml"===e&&t&&t.encoding&&t.encoding.includes("html")?void 0:n}function _i({effect:e,job:t},n){n?(e.flags|=32,t.flags|=4):(e.flags&=-33,t.flags&=-5)}function Si(e,t){return(!e||e&&!e.pendingBranch)&&t&&!t.persisted}function Ni(e,t,n=!1){const r=e.children,o=t.children;if(m(r)&&m(o))for(let e=0;e<r.length;e++){const t=r[e];let i=o[e];1&i.shapeFlag&&!i.dynamicChildren&&((i.patchFlag<=0||32===i.patchFlag)&&(i=o[e]=Za(o[e]),i.el=t.el),n||-2===i.patchFlag||Ni(t,i)),i.type===sa&&(i.el=t.el)}}function Vi(e){const t=e.subTree.component;if(t)return t.asyncDep&&!t.asyncResolved?t:Vi(t)}function Li(e){if(e)for(let t=0;t<e.length;t++)e[t].flags|=8}const Ti=Symbol.for("v-scx"),Ii=()=>{{const e=ii(Ti);return e}};function Zi(e,t){return Hi(e,null,t)}function Oi(e,t){return Hi(e,null,{flush:"post"})}function Di(e,t){return Hi(e,null,{flush:"sync"})}function Ri(e,t,n){return Hi(e,t,n)}function Hi(e,t,n=i){const{immediate:r,deep:o,flush:a,once:s}=n;const c=d({},n);const u=t&&r||!t&&"post"!==a;let p;if(Xa)if("sync"===a){const e=Ii();p=e.__watcherHandles||(e.__watcherHandles=[])}else if(!u){const e=()=>{};return e.stop=l,e.resume=l,e.pause=l,e}const f=Fa;c.call=(e,t,n)=>wn(e,f,t,n);let v=!1;"post"===a?c.scheduler=e=>{Ei(e,f&&f.suspense)}:"sync"!==a&&(v=!0,c.scheduler=(e,t)=>{t?e():_n(e)}),c.augmentJob=e=>{t&&(e.flags|=4),v&&(e.flags|=2,f&&(e.id=f.uid,e.i=f))};const g=function(e,t,n=i){const{immediate:r,deep:o,once:a,scheduler:s,augmentJob:c,call:u}=n,d=e=>o?e:It(e)||!1===o||0===o?hn(e,1):hn(e);let p,f,v,g,w=!1,b=!1;if(Pt(e)?(f=()=>e.value,w=It(e)):Lt(e)?(f=()=>d(e),w=!0):m(e)?(b=!0,w=e.some((e=>Lt(e)||It(e))),f=()=>e.map((e=>Pt(e)?e.value:Lt(e)?d(e):y(e)?u?u(e,2):e():void 0))):f=y(e)?t?u?()=>u(e,2):e:()=>{if(v){Oe();try{v()}finally{De()}}const t=cn;cn=p;try{return u?u(e,3,[g]):e(g)}finally{cn=t}}:l,t&&o){const e=f,t=!0===o?1/0:o;f=()=>hn(e(),t)}const x=ve(),k=()=>{p.stop(),x&&x.active&&h(x.effects,p)};if(a&&t){const e=t;t=(...t)=>{e(...t),k()}}let E=b?new Array(e.length).fill(ln):ln;const A=e=>{if(1&p.flags&&(p.dirty||e))if(t){const e=p.run();if(o||w||(b?e.some(((e,t)=>R(e,E[t]))):R(e,E))){v&&v();const n=cn;cn=p;try{const n=[e,E===ln?void 0:b&&E[0]===ln?[]:E,g];u?u(t,3,n):t(...n),E=e}finally{cn=n}}}else p.run()};return c&&c(A),p=new ye(f),p.scheduler=s?()=>s(A,!1):A,g=e=>dn(e,!1,p),v=p.onStop=()=>{const e=sn.get(p);if(e){if(u)u(e,4);else for(const t of e)t();sn.delete(p)}},t?r?A(!0):E=p.run():s?s(A.bind(null,!0),!0):p.run(),k.pause=p.pause.bind(p),k.resume=p.resume.bind(p),k.stop=k,k}(e,t,c);return Xa&&(p?p.push(g):u&&g()),g}function Pi(e,t,n){const r=this.proxy,o=b(e)?e.includes(".")?ji(r,e):()=>r[e]:e.bind(r,r);let i;y(t)?i=t:(i=t.handler,n=t);const a=$a(this),l=Hi(o,i.bind(r),n);return a(),l}function ji(e,t){const n=t.split(".");return()=>{let t=e;for(let e=0;e<n.length&&t;e++)t=t[n[e]];return t}}function Fi(e,t,n=i){const r=za();const o=T(t);const a=Z(t),l=zi(e,o),s=Xt(((l,s)=>{let c,u,d=i;return Di((()=>{const t=e[o];R(c,t)&&(c=t,s())})),{get:()=>(l(),n.get?n.get(c):c),set(e){const l=n.set?n.set(e):e;if(!(R(l,c)||d!==i&&R(e,d)))return;const h=r.vnode.props;h&&(t in h||o in h||a in h)&&(`onUpdate:${t}`in h||`onUpdate:${o}`in h||`onUpdate:${a}`in h)||(c=e,s()),r.emit(`update:${t}`,l),R(e,l)&&R(e,d)&&!R(l,u)&&s(),d=e,u=l}}}));return s[Symbol.iterator]=()=>{let e=0;return{next:()=>e<2?{value:e++?l||i:s,done:!1}:{done:!0}}},s}const zi=(e,t)=>"modelValue"===t||"model-value"===t?e.modelModifiers:e[`${t}Modifiers`]||e[`${T(t)}Modifiers`]||e[`${Z(t)}Modifiers`];function qi(e,t,...n){if(e.isUnmounted)return;const r=e.vnode.props||i;let o=n;const a=t.startsWith("update:"),l=a&&zi(r,t.slice(7));let s;l&&(l.trim&&(o=n.map((e=>b(e)?e.trim():e))),l.number&&(o=n.map(j)));let c=r[s=D(t)]||r[s=D(T(t))];!c&&a&&(c=r[s=D(Z(t))]),c&&wn(c,e,6,o);const u=r[s+"Once"];if(u){if(e.emitted){if(e.emitted[s])return}else e.emitted={};e.emitted[s]=!0,wn(u,e,6,o)}}function Ui(e,t,n=!1){const r=t.emitsCache,o=r.get(e);if(void 0!==o)return o;const i=e.emits;let a={},l=!1;if(!y(e)){const r=e=>{const n=Ui(e,t,!0);n&&(l=!0,d(a,n))};!n&&t.mixins.length&&t.mixins.forEach(r),e.extends&&r(e.extends),e.mixins&&e.mixins.forEach(r)}return i||l?(m(i)?i.forEach((e=>a[e]=null)):d(a,i),k(e)&&r.set(e,a),a):(k(e)&&r.set(e,null),null)}function $i(e,t){return!(!e||!c(t))&&(t=t.slice(2).replace(/Once$/,""),f(e,t[0].toLowerCase()+t.slice(1))||f(e,Z(t))||f(e,t))}function Wi(e){const{type:t,vnode:n,proxy:r,withProxy:o,propsOptions:[i],slots:a,attrs:l,emit:s,render:c,renderCache:d,props:h,data:p,setupState:f,ctx:m,inheritAttrs:v}=e,g=Pn(e);let w,y;try{if(4&n.shapeFlag){const e=o||r,t=e;w=Ia(c.call(t,e,d,h,f,p,m)),y=l}else{const e=t;0,w=Ia(e.length>1?e(h,{attrs:l,slots:a,emit:s}):e(h,null)),y=t.props?l:Ki(l)}}catch(t){da.length=0,yn(t,e,1),w=Ma(ca)}let b=w;if(y&&!1!==v){const e=Object.keys(y),{shapeFlag:t}=b;e.length&&7&t&&(i&&e.some(u)&&(y=Yi(y,i)),b=Na(b,y,!1,!0))}return n.dirs&&(b=Na(b,null,!1,!0),b.dirs=b.dirs?b.dirs.concat(n.dirs):n.dirs),n.transition&&gr(b,n.transition),w=b,Pn(g),w}function Gi(e,t=!0){let n;for(let t=0;t<e.length;t++){const r=e[t];if(!xa(r))return;if(r.type!==ca||"v-if"===r.children){if(n)return;n=r}}return n}const Ki=e=>{let t;for(const n in e)("class"===n||"style"===n||c(n))&&((t||(t={}))[n]=e[n]);return t},Yi=(e,t)=>{const n={};for(const r in e)u(r)&&r.slice(9)in t||(n[r]=e[r]);return n};function Xi(e,t,n){const r=Object.keys(t);if(r.length!==Object.keys(e).length)return!0;for(let o=0;o<r.length;o++){const i=r[o];if(t[i]!==e[i]&&!$i(n,i))return!0}return!1}function Ji({vnode:e,parent:t},n){for(;t;){const r=t.subTree;if(r.suspense&&r.suspense.activeBranch===e&&(r.el=e.el),r!==e)break;(e=t.vnode).el=n,t=t.parent}}const Qi=e=>e.__isSuspense;let ea=0;const ta={name:"Suspense",__isSuspense:!0,process(e,t,n,r,o,i,a,l,s,c){if(null==e)!function(e,t,n,r,o,i,a,l,s){const{p:c,o:{createElement:u}}=s,d=u("div"),h=e.suspense=ra(e,o,r,t,d,n,i,a,l,s);c(null,h.pendingBranch=e.ssContent,d,null,r,h,i,a),h.deps>0?(na(e,"onPending"),na(e,"onFallback"),c(null,e.ssFallback,t,n,r,null,i,a),aa(h,e.ssFallback)):h.resolve(!1,!0)}(t,n,r,o,i,a,l,s,c);else{if(i&&i.deps>0&&!e.suspense.isInFallback)return t.suspense=e.suspense,t.suspense.vnode=t,void(t.el=e.el);!function(e,t,n,r,o,i,a,l,{p:s,um:c,o:{createElement:u}}){const d=t.suspense=e.suspense;d.vnode=t,t.el=e.el;const h=t.ssContent,p=t.ssFallback,{activeBranch:f,pendingBranch:m,isInFallback:v,isHydrating:g}=d;if(m)d.pendingBranch=h,ka(h,m)?(s(m,h,d.hiddenContainer,null,o,d,i,a,l),d.deps<=0?d.resolve():v&&(g||(s(f,p,n,r,o,null,i,a,l),aa(d,p)))):(d.pendingId=ea++,g?(d.isHydrating=!1,d.activeBranch=m):c(m,o,d),d.deps=0,d.effects.length=0,d.hiddenContainer=u("div"),v?(s(null,h,d.hiddenContainer,null,o,d,i,a,l),d.deps<=0?d.resolve():(s(f,p,n,r,o,null,i,a,l),aa(d,p))):f&&ka(h,f)?(s(f,h,n,r,o,d,i,a,l),d.resolve(!0)):(s(null,h,d.hiddenContainer,null,o,d,i,a,l),d.deps<=0&&d.resolve()));else if(f&&ka(h,f))s(f,h,n,r,o,d,i,a,l),aa(d,h);else if(na(t,"onPending"),d.pendingBranch=h,512&h.shapeFlag?d.pendingId=h.component.suspenseId:d.pendingId=ea++,s(null,h,d.hiddenContainer,null,o,d,i,a,l),d.deps<=0)d.resolve();else{const{timeout:e,pendingId:t}=d;e>0?setTimeout((()=>{d.pendingId===t&&d.fallback(p)}),e):0===e&&d.fallback(p)}}(e,t,n,r,o,a,l,s,c)}},hydrate:function(e,t,n,r,o,i,a,l,s){const c=t.suspense=ra(t,r,n,e.parentNode,document.createElement("div"),null,o,i,a,l,!0),u=s(e,c.pendingBranch=t.ssContent,n,c,i,a);0===c.deps&&c.resolve(!1,!0);return u},normalize:function(e){const{shapeFlag:t,children:n}=e,r=32&t;e.ssContent=oa(r?n.default:n),e.ssFallback=r?oa(n.fallback):Ma(ca)}};function na(e,t){const n=e.props&&e.props[t];y(n)&&n()}function ra(e,t,n,r,o,i,a,l,s,c,u=!1){const{p:d,m:h,um:p,n:f,o:{parentNode:m,remove:v}}=c;let g;const w=function(e){const t=e.props&&e.props.suspensible;return null!=t&&!1!==t}(e);w&&t&&t.pendingBranch&&(g=t.pendingId,t.deps++);const y=e.props?F(e.props.timeout):void 0;const b=i,x={vnode:e,parent:t,parentComponent:n,namespace:a,container:r,hiddenContainer:o,deps:0,pendingId:ea++,timeout:"number"==typeof y?y:-1,activeBranch:null,pendingBranch:null,isInFallback:!u,isHydrating:u,isUnmounted:!1,effects:[],resolve(e=!1,n=!1){const{vnode:r,activeBranch:o,pendingBranch:a,pendingId:l,effects:s,parentComponent:c,container:u}=x;let d=!1;x.isHydrating?x.isHydrating=!1:e||(d=o&&a.transition&&"out-in"===a.transition.mode,d&&(o.transition.afterLeave=()=>{l===x.pendingId&&(h(a,u,i===b?f(o):i,0),Nn(s))}),o&&(m(o.el)===u&&(i=f(o)),p(o,c,x,!0)),d||h(a,u,i,0)),aa(x,a),x.pendingBranch=null,x.isInFallback=!1;let v=x.parent,y=!1;for(;v;){if(v.pendingBranch){v.effects.push(...s),y=!0;break}v=v.parent}y||d||Nn(s),x.effects=[],w&&t&&t.pendingBranch&&g===t.pendingId&&(t.deps--,0!==t.deps||n||t.resolve()),na(r,"onResolve")},fallback(e){if(!x.pendingBranch)return;const{vnode:t,activeBranch:n,parentComponent:r,container:o,namespace:i}=x;na(t,"onFallback");const a=f(n),c=()=>{x.isInFallback&&(d(null,e,o,a,r,null,i,l,s),aa(x,e))},u=e.transition&&"out-in"===e.transition.mode;u&&(n.transition.afterLeave=c),x.isInFallback=!0,p(n,r,null,!0),u||c()},move(e,t,n){x.activeBranch&&h(x.activeBranch,e,t,n),x.container=e},next:()=>x.activeBranch&&f(x.activeBranch),registerDep(e,t,n){const r=!!x.pendingBranch;r&&x.deps++;const o=e.vnode.el;e.asyncDep.catch((t=>{yn(t,e,0)})).then((i=>{if(e.isUnmounted||x.isUnmounted||x.pendingId!==e.suspenseId)return;e.asyncResolved=!0;const{vnode:l}=e;Qa(e,i,!1),o&&(l.el=o);const s=!o&&e.subTree.el;t(e,l,m(o||e.subTree.el),o?null:f(e.subTree),x,a,n),s&&v(s),Ji(e,l.el),r&&0==--x.deps&&x.resolve()}))},unmount(e,t){x.isUnmounted=!0,x.activeBranch&&p(x.activeBranch,n,e,t),x.pendingBranch&&p(x.pendingBranch,n,e,t)}};return x}function oa(e){let t;if(y(e)){const n=va&&e._c;n&&(e._d=!1,pa()),e=e(),n&&(e._d=!0,t=ha,fa())}if(m(e)){const t=Gi(e);0,e=t}return e=Ia(e),t&&!e.dynamicChildren&&(e.dynamicChildren=t.filter((t=>t!==e))),e}function ia(e,t){t&&t.pendingBranch?m(e)?t.effects.push(...e):t.effects.push(e):Nn(e)}function aa(e,t){e.activeBranch=t;const{vnode:n,parentComponent:r}=e;let o=t.el;for(;!o&&t.component;)o=(t=t.component.subTree).el;n.el=o,r&&r.subTree===n&&(r.vnode.el=o,Ji(r,o))}const la=Symbol.for("v-fgt"),sa=Symbol.for("v-txt"),ca=Symbol.for("v-cmt"),ua=Symbol.for("v-stc"),da=[];let ha=null;function pa(e=!1){da.push(ha=e?null:[])}function fa(){da.pop(),ha=da[da.length-1]||null}let ma,va=1;function ga(e,t=!1){va+=e,e<0&&ha&&t&&(ha.hasOnce=!0)}function wa(e){return e.dynamicChildren=va>0?ha||a:null,fa(),va>0&&ha&&ha.push(e),e}function ya(e,t,n,r,o,i){return wa(Ba(e,t,n,r,o,i,!0))}function ba(e,t,n,r,o){return wa(Ma(e,t,n,r,o,!0))}function xa(e){return!!e&&!0===e.__v_isVNode}function ka(e,t){return e.type===t.type&&e.key===t.key}function Ea(e){ma=e}const Aa=({key:e})=>null!=e?e:null,Ca=({ref:e,ref_key:t,ref_for:n})=>("number"==typeof e&&(e=""+e),null!=e?b(e)||Pt(e)||y(e)?{i:Rn,r:e,k:t,f:!!n}:e:null);function Ba(e,t=null,n=null,r=0,o=null,i=(e===la?0:1),a=!1,l=!1){const s={__v_isVNode:!0,__v_skip:!0,type:e,props:t,key:t&&Aa(t),ref:t&&Ca(t),scopeId:Hn,slotScopeIds:null,children:n,component:null,suspense:null,ssContent:null,ssFallback:null,dirs:null,transition:null,el:null,anchor:null,target:null,targetStart:null,targetAnchor:null,staticCount:0,shapeFlag:i,patchFlag:r,dynamicProps:o,dynamicChildren:null,appContext:null,ctx:Rn};return l?(Oa(s,n),128&i&&e.normalize(s)):n&&(s.shapeFlag|=b(n)?8:16),va>0&&!a&&ha&&(s.patchFlag>0||6&i)&&32!==s.patchFlag&&ha.push(s),s}const Ma=_a;function _a(e,t=null,n=null,r=0,o=null,i=!1){if(e&&e!==ho||(e=ca),xa(e)){const r=Na(e,t,!0);return n&&Oa(r,n),va>0&&!i&&ha&&(6&r.shapeFlag?ha[ha.indexOf(e)]=r:ha.push(r)),r.patchFlag=-2,r}if(ll(e)&&(e=e.__vccOpts),t){t=Sa(t);let{class:e,style:n}=t;e&&!b(e)&&(t.class=X(e)),k(n)&&(Zt(n)&&!m(n)&&(n=d({},n)),t.style=$(n))}return Ba(e,t,n,r,o,b(e)?1:Qi(e)?128:Gn(e)?64:k(e)?4:y(e)?2:0,i,!0)}function Sa(e){return e?Zt(e)||ci(e)?d({},e):e:null}function Na(e,t,n=!1,r=!1){const{props:o,ref:i,patchFlag:a,children:l,transition:s}=e,c=t?Da(o||{},t):o,u={__v_isVNode:!0,__v_skip:!0,type:e.type,props:c,key:c&&Aa(c),ref:t&&t.ref?n&&i?m(i)?i.concat(Ca(t)):[i,Ca(t)]:Ca(t):i,scopeId:e.scopeId,slotScopeIds:e.slotScopeIds,children:l,target:e.target,targetStart:e.targetStart,targetAnchor:e.targetAnchor,staticCount:e.staticCount,shapeFlag:e.shapeFlag,patchFlag:t&&e.type!==la?-1===a?16:16|a:a,dynamicProps:e.dynamicProps,dynamicChildren:e.dynamicChildren,appContext:e.appContext,dirs:e.dirs,transition:s,component:e.component,suspense:e.suspense,ssContent:e.ssContent&&Na(e.ssContent),ssFallback:e.ssFallback&&Na(e.ssFallback),el:e.el,anchor:e.anchor,ctx:e.ctx,ce:e.ce};return s&&r&&gr(u,s.clone(u)),u}function Va(e=" ",t=0){return Ma(sa,null,e,t)}function La(e,t){const n=Ma(ua,null,e);return n.staticCount=t,n}function Ta(e="",t=!1){return t?(pa(),ba(ca,null,e)):Ma(ca,null,e)}function Ia(e){return null==e||"boolean"==typeof e?Ma(ca):m(e)?Ma(la,null,e.slice()):xa(e)?Za(e):Ma(sa,null,String(e))}function Za(e){return null===e.el&&-1!==e.patchFlag||e.memo?e:Na(e)}function Oa(e,t){let n=0;const{shapeFlag:r}=e;if(null==t)t=null;else if(m(t))n=16;else if("object"==typeof t){if(65&r){const n=t.default;return void(n&&(n._c&&(n._d=!1),Oa(e,n()),n._c&&(n._d=!0)))}{n=32;const r=t._;r||ci(t)?3===r&&Rn&&(1===Rn.slots._?t._=1:(t._=2,e.patchFlag|=1024)):t._ctx=Rn}}else y(t)?(t={default:t,_ctx:Rn},n=32):(t=String(t),64&r?(n=16,t=[Va(t)]):n=8);e.children=t,e.shapeFlag|=n}function Da(...e){const t={};for(let n=0;n<e.length;n++){const r=e[n];for(const e in r)if("class"===e)t.class!==r.class&&(t.class=X([t.class,r.class]));else if("style"===e)t.style=$([t.style,r.style]);else if(c(e)){const n=t[e],o=r[e];!o||n===o||m(n)&&n.includes(o)||(t[e]=n?[].concat(n,o):o)}else""!==e&&(t[e]=r[e])}return t}function Ra(e,t,n,r=null){wn(e,t,7,[n,r])}const Ha=ei();let Pa=0;function ja(e,t,n){const r=e.type,o=(t?t.appContext:e.appContext)||Ha,a={uid:Pa++,vnode:e,type:r,parent:t,appContext:o,root:null,next:null,subTree:null,effect:null,update:null,job:null,scope:new fe(!0),render:null,proxy:null,exposed:null,exposeProxy:null,withProxy:null,provides:t?t.provides:Object.create(o.provides),ids:t?t.ids:["",0,0],accessCache:null,renderCache:[],components:null,directives:null,propsOptions:pi(r,o),emitsOptions:Ui(r,o),emit:null,emitted:null,propsDefaults:i,inheritAttrs:r.inheritAttrs,ctx:i,data:i,props:i,attrs:i,slots:i,refs:i,setupState:i,setupContext:null,suspense:n,suspenseId:n?n.pendingId:0,asyncDep:null,asyncResolved:!1,isMounted:!1,isUnmounted:!1,isDeactivated:!1,bc:null,c:null,bm:null,m:null,bu:null,u:null,um:null,bum:null,da:null,a:null,rtg:null,rtc:null,ec:null,sp:null};return a.ctx={_:a},a.root=t?t.root:a,a.emit=qi.bind(null,a),e.ce&&e.ce(a),a}let Fa=null;const za=()=>Fa||Rn;let qa,Ua;{const e=q(),t=(t,n)=>{let r;return(r=e[t])||(r=e[t]=[]),r.push(n),e=>{r.length>1?r.forEach((t=>t(e))):r[0](e)}};qa=t("__VUE_INSTANCE_SETTERS__",(e=>Fa=e)),Ua=t("__VUE_SSR_SETTERS__",(e=>Xa=e))}const $a=e=>{const t=Fa;return qa(e),e.scope.on(),()=>{e.scope.off(),qa(t)}},Wa=()=>{Fa&&Fa.scope.off(),qa(null)};function Ga(e){return 4&e.vnode.shapeFlag}let Ka,Ya,Xa=!1;function Ja(e,t=!1,n=!1){t&&Ua(t);const{props:r,children:o}=e.vnode,i=Ga(e);!function(e,t,n,r=!1){const o={},i=si();e.propsDefaults=Object.create(null),ui(e,t,o,i);for(const t in e.propsOptions[0])t in o||(o[t]=void 0);n?e.props=r?o:_t(o):e.type.props?e.props=o:e.props=i,e.attrs=i}(e,r,i,t),xi(e,o,n);const a=i?function(e,t){const n=e.type;0;e.accessCache=Object.create(null),e.proxy=new Proxy(e.ctx,Co),!1;const{setup:r}=n;if(r){Oe();const n=e.setupContext=r.length>1?ol(e):null,o=$a(e),i=gn(r,e,0,[e.props,n]),a=E(i);if(De(),o(),!a&&!e.sp||Rr(e)||xr(e),a){if(i.then(Wa,Wa),t)return i.then((n=>{Qa(e,n,t)})).catch((t=>{yn(t,e,0)}));e.asyncDep=i}else Qa(e,i,t)}else nl(e,t)}(e,t):void 0;return t&&Ua(!1),a}function Qa(e,t,n){y(t)?e.type.__ssrInlineRender?e.ssrRender=t:e.render=t:k(t)&&(e.setupState=Kt(t)),nl(e,n)}function el(e){Ka=e,Ya=e=>{e.render._rc&&(e.withProxy=new Proxy(e.ctx,Bo))}}const tl=()=>!Ka;function nl(e,t,n){const r=e.type;if(!e.render){if(!t&&Ka&&!r.render){const t=r.template||$o(e).template;if(t){0;const{isCustomElement:n,compilerOptions:o}=e.appContext.config,{delimiters:i,compilerOptions:a}=r,l=d(d({isCustomElement:n,delimiters:i},o),a);r.render=Ka(t,l)}}e.render=r.render||l,Ya&&Ya(e)}{const t=$a(e);Oe();try{zo(e)}finally{De(),t()}}}const rl={get:(e,t)=>(We(e,0,""),e[t])};function ol(e){const t=t=>{e.exposed=t||{}};return{attrs:new Proxy(e.attrs,rl),slots:e.slots,emit:e.emit,expose:t}}function il(e){return e.exposed?e.exposeProxy||(e.exposeProxy=new Proxy(Kt(Dt(e.exposed)),{get:(t,n)=>n in t?t[n]:n in Eo?Eo[n](e):void 0,has:(e,t)=>t in e||t in Eo})):e.proxy}function al(e,t=!0){return y(e)?e.displayName||e.name:e.name||t&&e.__name}function ll(e){return y(e)&&"__vccOpts"in e}const sl=(e,t)=>{const n=function(e,t,n=!1){let r,o;return y(e)?r=e:(r=e.get,o=e.set),new rn(r,o,n)}(e,0,Xa);return n};function cl(e,t,n){const r=arguments.length;return 2===r?k(t)&&!m(t)?xa(t)?Ma(e,null,[t]):Ma(e,t):Ma(e,null,t):(r>3?n=Array.prototype.slice.call(arguments,2):3===r&&xa(n)&&(n=[n]),Ma(e,t,n))}function ul(){return void 0}function dl(e,t,n,r){const o=n[r];if(o&&hl(o,e))return o;const i=t();return i.memo=e.slice(),i.cacheIndex=r,n[r]=i}function hl(e,t){const n=e.memo;if(n.length!=t.length)return!1;for(let e=0;e<n.length;e++)if(R(n[e],t[e]))return!1;return va>0&&ha&&ha.push(e),!0}const pl="3.5.13",fl=l,ml=vn,vl=Zn,gl=function e(t,n){var r,o;if(Zn=t,Zn)Zn.enabled=!0,On.forEach((({event:e,args:t})=>Zn.emit(e,...t))),On=[];else if("undefined"!=typeof window&&window.HTMLElement&&!(null==(o=null==(r=window.navigator)?void 0:r.userAgent)?void 0:o.includes("jsdom"))){(n.__VUE_DEVTOOLS_HOOK_REPLAY__=n.__VUE_DEVTOOLS_HOOK_REPLAY__||[]).push((t=>{e(t,n)})),setTimeout((()=>{Zn||(n.__VUE_DEVTOOLS_HOOK_REPLAY__=null,Dn=!0,On=[])}),3e3)}else Dn=!0,On=[]},wl={createComponentInstance:ja,setupComponent:Ja,renderComponentRoot:Wi,setCurrentRenderingInstance:Pn,isVNode:xa,normalizeVNode:Ia,getComponentPublicInstance:il,ensureValidVNode:bo,pushWarningContext:function(e){pn.push(e)},popWarningContext:function(){pn.pop()}},yl=null,bl=null,xl=null;let kl;const El="undefined"!=typeof window&&window.trustedTypes;if(El)try{kl=El.createPolicy("vue",{createHTML:e=>e})}catch(e){}const Al=kl?e=>kl.createHTML(e):e=>e,Cl="undefined"!=typeof document?document:null,Bl=Cl&&Cl.createElement("template"),Ml={insert:(e,t,n)=>{t.insertBefore(e,n||null)},remove:e=>{const t=e.parentNode;t&&t.removeChild(e)},createElement:(e,t,n,r)=>{const o="svg"===t?Cl.createElementNS("http://www.w3.org/2000/svg",e):"mathml"===t?Cl.createElementNS("http://www.w3.org/1998/Math/MathML",e):n?Cl.createElement(e,{is:n}):Cl.createElement(e);return"select"===e&&r&&null!=r.multiple&&o.setAttribute("multiple",r.multiple),o},createText:e=>Cl.createTextNode(e),createComment:e=>Cl.createComment(e),setText:(e,t)=>{e.nodeValue=t},setElementText:(e,t)=>{e.textContent=t},parentNode:e=>e.parentNode,nextSibling:e=>e.nextSibling,querySelector:e=>Cl.querySelector(e),setScopeId(e,t){e.setAttribute(t,"")},insertStaticContent(e,t,n,r,o,i){const a=n?n.previousSibling:t.lastChild;if(o&&(o===i||o.nextSibling))for(;t.insertBefore(o.cloneNode(!0),n),o!==i&&(o=o.nextSibling););else{Bl.innerHTML=Al("svg"===r?`<svg>${e}</svg>`:"mathml"===r?`<math>${e}</math>`:e);const o=Bl.content;if("svg"===r||"mathml"===r){const e=o.firstChild;for(;e.firstChild;)o.appendChild(e.firstChild);o.removeChild(e)}t.insertBefore(o,n)}return[a?a.nextSibling:t.firstChild,n?n.previousSibling:t.lastChild]}},_l="transition",Sl="animation",Nl=Symbol("_vtc"),Vl={name:String,type:String,css:{type:Boolean,default:!0},duration:[String,Number,Object],enterFromClass:String,enterActiveClass:String,enterToClass:String,appearFromClass:String,appearActiveClass:String,appearToClass:String,leaveFromClass:String,leaveActiveClass:String,leaveToClass:String},Ll=d({},cr,Vl),Tl=(e=>(e.displayName="Transition",e.props=Ll,e))(((e,{slots:t})=>cl(hr,Ol(e),t))),Il=(e,t=[])=>{m(e)?e.forEach((e=>e(...t))):e&&e(...t)},Zl=e=>!!e&&(m(e)?e.some((e=>e.length>1)):e.length>1);function Ol(e){const t={};for(const n in e)n in Vl||(t[n]=e[n]);if(!1===e.css)return t;const{name:n="v",type:r,duration:o,enterFromClass:i=`${n}-enter-from`,enterActiveClass:a=`${n}-enter-active`,enterToClass:l=`${n}-enter-to`,appearFromClass:s=i,appearActiveClass:c=a,appearToClass:u=l,leaveFromClass:h=`${n}-leave-from`,leaveActiveClass:p=`${n}-leave-active`,leaveToClass:f=`${n}-leave-to`}=e,m=function(e){if(null==e)return null;if(k(e))return[Dl(e.enter),Dl(e.leave)];{const t=Dl(e);return[t,t]}}(o),v=m&&m[0],g=m&&m[1],{onBeforeEnter:w,onEnter:y,onEnterCancelled:b,onLeave:x,onLeaveCancelled:E,onBeforeAppear:A=w,onAppear:C=y,onAppearCancelled:B=b}=t,M=(e,t,n,r)=>{e._enterCancelled=r,Hl(e,t?u:l),Hl(e,t?c:a),n&&n()},_=(e,t)=>{e._isLeaving=!1,Hl(e,h),Hl(e,f),Hl(e,p),t&&t()},S=e=>(t,n)=>{const o=e?C:y,a=()=>M(t,e,n);Il(o,[t,a]),Pl((()=>{Hl(t,e?s:i),Rl(t,e?u:l),Zl(o)||Fl(t,r,v,a)}))};return d(t,{onBeforeEnter(e){Il(w,[e]),Rl(e,i),Rl(e,a)},onBeforeAppear(e){Il(A,[e]),Rl(e,s),Rl(e,c)},onEnter:S(!1),onAppear:S(!0),onLeave(e,t){e._isLeaving=!0;const n=()=>_(e,t);Rl(e,h),e._enterCancelled?(Rl(e,p),$l()):($l(),Rl(e,p)),Pl((()=>{e._isLeaving&&(Hl(e,h),Rl(e,f),Zl(x)||Fl(e,r,g,n))})),Il(x,[e,n])},onEnterCancelled(e){M(e,!1,void 0,!0),Il(b,[e])},onAppearCancelled(e){M(e,!0,void 0,!0),Il(B,[e])},onLeaveCancelled(e){_(e),Il(E,[e])}})}function Dl(e){return F(e)}function Rl(e,t){t.split(/\s+/).forEach((t=>t&&e.classList.add(t))),(e[Nl]||(e[Nl]=new Set)).add(t)}function Hl(e,t){t.split(/\s+/).forEach((t=>t&&e.classList.remove(t)));const n=e[Nl];n&&(n.delete(t),n.size||(e[Nl]=void 0))}function Pl(e){requestAnimationFrame((()=>{requestAnimationFrame(e)}))}let jl=0;function Fl(e,t,n,r){const o=e._endId=++jl,i=()=>{o===e._endId&&r()};if(null!=n)return setTimeout(i,n);const{type:a,timeout:l,propCount:s}=zl(e,t);if(!a)return r();const c=a+"end";let u=0;const d=()=>{e.removeEventListener(c,h),i()},h=t=>{t.target===e&&++u>=s&&d()};setTimeout((()=>{u<s&&d()}),l+1),e.addEventListener(c,h)}function zl(e,t){const n=window.getComputedStyle(e),r=e=>(n[e]||"").split(", "),o=r(`${_l}Delay`),i=r(`${_l}Duration`),a=ql(o,i),l=r(`${Sl}Delay`),s=r(`${Sl}Duration`),c=ql(l,s);let u=null,d=0,h=0;t===_l?a>0&&(u=_l,d=a,h=i.length):t===Sl?c>0&&(u=Sl,d=c,h=s.length):(d=Math.max(a,c),u=d>0?a>c?_l:Sl:null,h=u?u===_l?i.length:s.length:0);return{type:u,timeout:d,propCount:h,hasTransform:u===_l&&/\b(transform|all)(,|$)/.test(r(`${_l}Property`).toString())}}function ql(e,t){for(;e.length<t.length;)e=e.concat(e);return Math.max(...t.map(((t,n)=>Ul(t)+Ul(e[n]))))}function Ul(e){return"auto"===e?0:1e3*Number(e.slice(0,-1).replace(",","."))}function $l(){return document.body.offsetHeight}const Wl=Symbol("_vod"),Gl=Symbol("_vsh"),Kl={beforeMount(e,{value:t},{transition:n}){e[Wl]="none"===e.style.display?"":e.style.display,n&&t?n.beforeEnter(e):Yl(e,t)},mounted(e,{value:t},{transition:n}){n&&t&&n.enter(e)},updated(e,{value:t,oldValue:n},{transition:r}){!t!=!n&&(r?t?(r.beforeEnter(e),Yl(e,!0),r.enter(e)):r.leave(e,(()=>{Yl(e,!1)})):Yl(e,t))},beforeUnmount(e,{value:t}){Yl(e,t)}};function Yl(e,t){e.style.display=t?e[Wl]:"none",e[Gl]=!t}const Xl=Symbol("");function Jl(e){const t=za();if(!t)return;const n=t.ut=(n=e(t.proxy))=>{Array.from(document.querySelectorAll(`[data-v-owner="${t.uid}"]`)).forEach((e=>es(e,n)))};const r=()=>{const r=e(t.proxy);t.ce?es(t.ce,r):Ql(t.subTree,r),n(r)};eo((()=>{Nn(r)})),Qr((()=>{Ri(r,l,{flush:"post"});const e=new MutationObserver(r);e.observe(t.subTree.el.parentNode,{childList:!0}),ro((()=>e.disconnect()))}))}function Ql(e,t){if(128&e.shapeFlag){const n=e.suspense;e=n.activeBranch,n.pendingBranch&&!n.isHydrating&&n.effects.push((()=>{Ql(n.activeBranch,t)}))}for(;e.component;)e=e.component.subTree;if(1&e.shapeFlag&&e.el)es(e.el,t);else if(e.type===la)e.children.forEach((e=>Ql(e,t)));else if(e.type===ua){let{el:n,anchor:r}=e;for(;n&&(es(n,t),n!==r);)n=n.nextSibling}}function es(e,t){if(1===e.nodeType){const n=e.style;let r="";for(const e in t)n.setProperty(`--${e}`,t[e]),r+=`--${e}: ${t[e]};`;n[Xl]=r}}const ts=/(^|;)\s*display\s*:/;const ns=/\s*!important$/;function rs(e,t,n){if(m(n))n.forEach((n=>rs(e,t,n)));else if(null==n&&(n=""),t.startsWith("--"))e.setProperty(t,n);else{const r=function(e,t){const n=is[t];if(n)return n;let r=T(t);if("filter"!==r&&r in e)return is[t]=r;r=O(r);for(let n=0;n<os.length;n++){const o=os[n]+r;if(o in e)return is[t]=o}return t}(e,t);ns.test(n)?e.setProperty(Z(r),n.replace(ns,""),"important"):e[r]=n}}const os=["Webkit","Moz","ms"],is={};const as="http://www.w3.org/1999/xlink";function ls(e,t,n,r,o,i=oe(t)){r&&t.startsWith("xlink:")?null==n?e.removeAttributeNS(as,t.slice(6,t.length)):e.setAttributeNS(as,t,n):null==n||i&&!ie(n)?e.removeAttribute(t):e.setAttribute(t,i?"":x(n)?String(n):n)}function ss(e,t,n,r,o){if("innerHTML"===t||"textContent"===t)return void(null!=n&&(e[t]="innerHTML"===t?Al(n):n));const i=e.tagName;if("value"===t&&"PROGRESS"!==i&&!i.includes("-")){const r="OPTION"===i?e.getAttribute("value")||"":e.value,o=null==n?"checkbox"===e.type?"on":"":String(n);return r===o&&"_value"in e||(e.value=o),null==n&&e.removeAttribute(t),void(e._value=n)}let a=!1;if(""===n||null==n){const r=typeof e[t];"boolean"===r?n=ie(n):null==n&&"string"===r?(n="",a=!0):"number"===r&&(n=0,a=!0)}try{e[t]=n}catch(e){0}a&&e.removeAttribute(o||t)}function cs(e,t,n,r){e.addEventListener(t,n,r)}const us=Symbol("_vei");function ds(e,t,n,r,o=null){const i=e[us]||(e[us]={}),a=i[t];if(r&&a)a.value=r;else{const[n,l]=function(e){let t;if(hs.test(e)){let n;for(t={};n=e.match(hs);)e=e.slice(0,e.length-n[0].length),t[n[0].toLowerCase()]=!0}const n=":"===e[2]?e.slice(3):Z(e.slice(2));return[n,t]}(t);if(r){const a=i[t]=function(e,t){const n=e=>{if(e._vts){if(e._vts<=n.attached)return}else e._vts=Date.now();wn(function(e,t){if(m(t)){const n=e.stopImmediatePropagation;return e.stopImmediatePropagation=()=>{n.call(e),e._stopped=!0},t.map((e=>t=>!t._stopped&&e&&e(t)))}return t}(e,n.value),t,5,[e])};return n.value=e,n.attached=ms(),n}(r,o);cs(e,n,a,l)}else a&&(!function(e,t,n,r){e.removeEventListener(t,n,r)}(e,n,a,l),i[t]=void 0)}}const hs=/(?:Once|Passive|Capture)$/;let ps=0;const fs=Promise.resolve(),ms=()=>ps||(fs.then((()=>ps=0)),ps=Date.now());const vs=e=>111===e.charCodeAt(0)&&110===e.charCodeAt(1)&&e.charCodeAt(2)>96&&e.charCodeAt(2)<123;const gs={};function ws(e,t,n){const r=yr(e,t);M(r)&&d(r,t);class o extends xs{constructor(e){super(r,e,n)}}return o.def=r,o}const ys=(e,t)=>ws(e,t,lc),bs="undefined"!=typeof HTMLElement?HTMLElement:class{};class xs extends bs{constructor(e,t={},n=ac){super(),this._def=e,this._props=t,this._createApp=n,this._isVueCE=!0,this._instance=null,this._app=null,this._nonce=this._def.nonce,this._connected=!1,this._resolved=!1,this._numberProps=null,this._styleChildren=new WeakSet,this._ob=null,this.shadowRoot&&n!==ac?this._root=this.shadowRoot:!1!==e.shadowRoot?(this.attachShadow({mode:"open"}),this._root=this.shadowRoot):this._root=this,this._def.__asyncLoader||this._resolveProps(this._def)}connectedCallback(){if(!this.isConnected)return;this.shadowRoot||this._parseSlots(),this._connected=!0;let e=this;for(;e=e&&(e.parentNode||e.host);)if(e instanceof xs){this._parent=e;break}this._instance||(this._resolved?(this._setParent(),this._update()):e&&e._pendingResolve?this._pendingResolve=e._pendingResolve.then((()=>{this._pendingResolve=void 0,this._resolveDef()})):this._resolveDef())}_setParent(e=this._parent){e&&(this._instance.parent=e._instance,this._instance.provides=e._instance.provides)}disconnectedCallback(){this._connected=!1,Mn((()=>{this._connected||(this._ob&&(this._ob.disconnect(),this._ob=null),this._app&&this._app.unmount(),this._instance&&(this._instance.ce=void 0),this._app=this._instance=null)}))}_resolveDef(){if(this._pendingResolve)return;for(let e=0;e<this.attributes.length;e++)this._setAttr(this.attributes[e].name);this._ob=new MutationObserver((e=>{for(const t of e)this._setAttr(t.attributeName)})),this._ob.observe(this,{attributes:!0});const e=(e,t=!1)=>{this._resolved=!0,this._pendingResolve=void 0;const{props:n,styles:r}=e;let o;if(n&&!m(n))for(const e in n){const t=n[e];(t===Number||t&&t.type===Number)&&(e in this._props&&(this._props[e]=F(this._props[e])),(o||(o=Object.create(null)))[T(e)]=!0)}this._numberProps=o,t&&this._resolveProps(e),this.shadowRoot&&this._applyStyles(r),this._mount(e)},t=this._def.__asyncLoader;t?this._pendingResolve=t().then((t=>e(this._def=t,!0))):e(this._def)}_mount(e){this._app=this._createApp(e),e.configureApp&&e.configureApp(this._app),this._app._ceVNode=this._createVNode(),this._app.mount(this._root);const t=this._instance&&this._instance.exposed;if(t)for(const e in t)f(this,e)||Object.defineProperty(this,e,{get:()=>$t(t[e])})}_resolveProps(e){const{props:t}=e,n=m(t)?t:Object.keys(t||{});for(const e of Object.keys(this))"_"!==e[0]&&n.includes(e)&&this._setProp(e,this[e]);for(const e of n.map(T))Object.defineProperty(this,e,{get(){return this._getProp(e)},set(t){this._setProp(e,t,!0,!0)}})}_setAttr(e){if(e.startsWith("data-v-"))return;const t=this.hasAttribute(e);let n=t?this.getAttribute(e):gs;const r=T(e);t&&this._numberProps&&this._numberProps[r]&&(n=F(n)),this._setProp(r,n,!1,!0)}_getProp(e){return this._props[e]}_setProp(e,t,n=!0,r=!1){if(t!==this._props[e]&&(t===gs?delete this._props[e]:(this._props[e]=t,"key"===e&&this._app&&(this._app._ceVNode.key=t)),r&&this._instance&&this._update(),n)){const n=this._ob;n&&n.disconnect(),!0===t?this.setAttribute(Z(e),""):"string"==typeof t||"number"==typeof t?this.setAttribute(Z(e),t+""):t||this.removeAttribute(Z(e)),n&&n.observe(this,{attributes:!0})}}_update(){oc(this._createVNode(),this._root)}_createVNode(){const e={};this.shadowRoot||(e.onVnodeMounted=e.onVnodeUpdated=this._renderSlots.bind(this));const t=Ma(this._def,d(e,this._props));return this._instance||(t.ce=e=>{this._instance=e,e.ce=this,e.isCE=!0;const t=(e,t)=>{this.dispatchEvent(new CustomEvent(e,M(t[0])?d({detail:t},t[0]):{detail:t}))};e.emit=(e,...n)=>{t(e,n),Z(e)!==e&&t(Z(e),n)},this._setParent()}),t}_applyStyles(e,t){if(!e)return;if(t){if(t===this._def||this._styleChildren.has(t))return;this._styleChildren.add(t)}const n=this._nonce;for(let t=e.length-1;t>=0;t--){const r=document.createElement("style");n&&r.setAttribute("nonce",n),r.textContent=e[t],this.shadowRoot.prepend(r)}}_parseSlots(){const e=this._slots={};let t;for(;t=this.firstChild;){const n=1===t.nodeType&&t.getAttribute("slot")||"default";(e[n]||(e[n]=[])).push(t),this.removeChild(t)}}_renderSlots(){const e=(this._teleportTarget||this).querySelectorAll("slot"),t=this._instance.type.__scopeId;for(let n=0;n<e.length;n++){const r=e[n],o=r.getAttribute("name")||"default",i=this._slots[o],a=r.parentNode;if(i)for(const e of i){if(t&&1===e.nodeType){const n=t+"-s",r=document.createTreeWalker(e,1);let o;for(e.setAttribute(n,"");o=r.nextNode();)o.setAttribute(n,"")}a.insertBefore(e,r)}else for(;r.firstChild;)a.insertBefore(r.firstChild,r);a.removeChild(r)}}_injectChildStyle(e){this._applyStyles(e.styles,e)}_removeChildStyle(e){0}}function ks(e){const t=za(),n=t&&t.ce;return n||null}function Es(){const e=ks();return e&&e.shadowRoot}function As(e="$style"){{const t=za();if(!t)return i;const n=t.type.__cssModules;if(!n)return i;const r=n[e];return r||i}}const Cs=new WeakMap,Bs=new WeakMap,Ms=Symbol("_moveCb"),_s=Symbol("_enterCb"),Ss=(e=>(delete e.props.mode,e))({name:"TransitionGroup",props:d({},Ll,{tag:String,moveClass:String}),setup(e,{slots:t}){const n=za(),r=lr();let o,i;return to((()=>{if(!o.length)return;const t=e.moveClass||`${e.name||"v"}-move`;if(!function(e,t,n){const r=e.cloneNode(),o=e[Nl];o&&o.forEach((e=>{e.split(/\s+/).forEach((e=>e&&r.classList.remove(e)))}));n.split(/\s+/).forEach((e=>e&&r.classList.add(e))),r.style.display="none";const i=1===t.nodeType?t:t.parentNode;i.appendChild(r);const{hasTransform:a}=zl(r);return i.removeChild(r),a}(o[0].el,n.vnode.el,t))return;o.forEach(Ns),o.forEach(Vs);const r=o.filter(Ls);$l(),r.forEach((e=>{const n=e.el,r=n.style;Rl(n,t),r.transform=r.webkitTransform=r.transitionDuration="";const o=n[Ms]=e=>{e&&e.target!==n||e&&!/transform$/.test(e.propertyName)||(n.removeEventListener("transitionend",o),n[Ms]=null,Hl(n,t))};n.addEventListener("transitionend",o)}))})),()=>{const a=Ot(e),l=Ol(a);let s=a.tag||la;if(o=[],i)for(let e=0;e<i.length;e++){const t=i[e];t.el&&t.el instanceof Element&&(o.push(t),gr(t,fr(t,l,r,n)),Cs.set(t,t.el.getBoundingClientRect()))}i=t.default?wr(t.default()):[];for(let e=0;e<i.length;e++){const t=i[e];null!=t.key&&gr(t,fr(t,l,r,n))}return Ma(s,null,i)}}});function Ns(e){const t=e.el;t[Ms]&&t[Ms](),t[_s]&&t[_s]()}function Vs(e){Bs.set(e,e.el.getBoundingClientRect())}function Ls(e){const t=Cs.get(e),n=Bs.get(e),r=t.left-n.left,o=t.top-n.top;if(r||o){const t=e.el.style;return t.transform=t.webkitTransform=`translate(${r}px,${o}px)`,t.transitionDuration="0s",e}}const Ts=e=>{const t=e.props["onUpdate:modelValue"]||!1;return m(t)?e=>H(t,e):t};function Is(e){e.target.composing=!0}function Zs(e){const t=e.target;t.composing&&(t.composing=!1,t.dispatchEvent(new Event("input")))}const Os=Symbol("_assign"),Ds={created(e,{modifiers:{lazy:t,trim:n,number:r}},o){e[Os]=Ts(o);const i=r||o.props&&"number"===o.props.type;cs(e,t?"change":"input",(t=>{if(t.target.composing)return;let r=e.value;n&&(r=r.trim()),i&&(r=j(r)),e[Os](r)})),n&&cs(e,"change",(()=>{e.value=e.value.trim()})),t||(cs(e,"compositionstart",Is),cs(e,"compositionend",Zs),cs(e,"change",Zs))},mounted(e,{value:t}){e.value=null==t?"":t},beforeUpdate(e,{value:t,oldValue:n,modifiers:{lazy:r,trim:o,number:i}},a){if(e[Os]=Ts(a),e.composing)return;const l=null==t?"":t;if((!i&&"number"!==e.type||/^0\d/.test(e.value)?e.value:j(e.value))!==l){if(document.activeElement===e&&"range"!==e.type){if(r&&t===n)return;if(o&&e.value.trim()===l)return}e.value=l}}},Rs={deep:!0,created(e,t,n){e[Os]=Ts(n),cs(e,"change",(()=>{const t=e._modelValue,n=zs(e),r=e.checked,o=e[Os];if(m(t)){const e=le(t,n),i=-1!==e;if(r&&!i)o(t.concat(n));else if(!r&&i){const n=[...t];n.splice(e,1),o(n)}}else if(g(t)){const e=new Set(t);r?e.add(n):e.delete(n),o(e)}else o(qs(e,r))}))},mounted:Hs,beforeUpdate(e,t,n){e[Os]=Ts(n),Hs(e,t,n)}};function Hs(e,{value:t,oldValue:n},r){let o;if(e._modelValue=t,m(t))o=le(t,r.props.value)>-1;else if(g(t))o=t.has(r.props.value);else{if(t===n)return;o=ae(t,qs(e,!0))}e.checked!==o&&(e.checked=o)}const Ps={created(e,{value:t},n){e.checked=ae(t,n.props.value),e[Os]=Ts(n),cs(e,"change",(()=>{e[Os](zs(e))}))},beforeUpdate(e,{value:t,oldValue:n},r){e[Os]=Ts(r),t!==n&&(e.checked=ae(t,r.props.value))}},js={deep:!0,created(e,{value:t,modifiers:{number:n}},r){const o=g(t);cs(e,"change",(()=>{const t=Array.prototype.filter.call(e.options,(e=>e.selected)).map((e=>n?j(zs(e)):zs(e)));e[Os](e.multiple?o?new Set(t):t:t[0]),e._assigning=!0,Mn((()=>{e._assigning=!1}))})),e[Os]=Ts(r)},mounted(e,{value:t}){Fs(e,t)},beforeUpdate(e,t,n){e[Os]=Ts(n)},updated(e,{value:t}){e._assigning||Fs(e,t)}};function Fs(e,t){const n=e.multiple,r=m(t);if(!n||r||g(t)){for(let o=0,i=e.options.length;o<i;o++){const i=e.options[o],a=zs(i);if(n)if(r){const e=typeof a;i.selected="string"===e||"number"===e?t.some((e=>String(e)===String(a))):le(t,a)>-1}else i.selected=t.has(a);else if(ae(zs(i),t))return void(e.selectedIndex!==o&&(e.selectedIndex=o))}n||-1===e.selectedIndex||(e.selectedIndex=-1)}}function zs(e){return"_value"in e?e._value:e.value}function qs(e,t){const n=t?"_trueValue":"_falseValue";return n in e?e[n]:t}const Us={created(e,t,n){Ws(e,t,n,null,"created")},mounted(e,t,n){Ws(e,t,n,null,"mounted")},beforeUpdate(e,t,n,r){Ws(e,t,n,r,"beforeUpdate")},updated(e,t,n,r){Ws(e,t,n,r,"updated")}};function $s(e,t){switch(e){case"SELECT":return js;case"TEXTAREA":return Ds;default:switch(t){case"checkbox":return Rs;case"radio":return Ps;default:return Ds}}}function Ws(e,t,n,r,o){const i=$s(e.tagName,n.props&&n.props.type)[o];i&&i(e,t,n,r)}const Gs=["ctrl","shift","alt","meta"],Ks={stop:e=>e.stopPropagation(),prevent:e=>e.preventDefault(),self:e=>e.target!==e.currentTarget,ctrl:e=>!e.ctrlKey,shift:e=>!e.shiftKey,alt:e=>!e.altKey,meta:e=>!e.metaKey,left:e=>"button"in e&&0!==e.button,middle:e=>"button"in e&&1!==e.button,right:e=>"button"in e&&2!==e.button,exact:(e,t)=>Gs.some((n=>e[`${n}Key`]&&!t.includes(n)))},Ys=(e,t)=>{const n=e._withMods||(e._withMods={}),r=t.join(".");return n[r]||(n[r]=(n,...r)=>{for(let e=0;e<t.length;e++){const r=Ks[t[e]];if(r&&r(n,t))return}return e(n,...r)})},Xs={esc:"escape",space:" ",up:"arrow-up",left:"arrow-left",right:"arrow-right",down:"arrow-down",delete:"backspace"},Js=(e,t)=>{const n=e._withKeys||(e._withKeys={}),r=t.join(".");return n[r]||(n[r]=n=>{if(!("key"in n))return;const r=Z(n.key);return t.some((e=>e===r||Xs[e]===r))?e(n):void 0})},Qs=d({patchProp:(e,t,n,r,o,i)=>{const a="svg"===o;"class"===t?function(e,t,n){const r=e[Nl];r&&(t=(t?[t,...r]:[...r]).join(" ")),null==t?e.removeAttribute("class"):n?e.setAttribute("class",t):e.className=t}(e,r,a):"style"===t?function(e,t,n){const r=e.style,o=b(n);let i=!1;if(n&&!o){if(t)if(b(t))for(const e of t.split(";")){const t=e.slice(0,e.indexOf(":")).trim();null==n[t]&&rs(r,t,"")}else for(const e in t)null==n[e]&&rs(r,e,"");for(const e in n)"display"===e&&(i=!0),rs(r,e,n[e])}else if(o){if(t!==n){const e=r[Xl];e&&(n+=";"+e),r.cssText=n,i=ts.test(n)}}else t&&e.removeAttribute("style");Wl in e&&(e[Wl]=i?r.display:"",e[Gl]&&(r.display="none"))}(e,n,r):c(t)?u(t)||ds(e,t,0,r,i):("."===t[0]?(t=t.slice(1),1):"^"===t[0]?(t=t.slice(1),0):function(e,t,n,r){if(r)return"innerHTML"===t||"textContent"===t||!!(t in e&&vs(t)&&y(n));if("spellcheck"===t||"draggable"===t||"translate"===t)return!1;if("form"===t)return!1;if("list"===t&&"INPUT"===e.tagName)return!1;if("type"===t&&"TEXTAREA"===e.tagName)return!1;if("width"===t||"height"===t){const t=e.tagName;if("IMG"===t||"VIDEO"===t||"CANVAS"===t||"SOURCE"===t)return!1}if(vs(t)&&b(n))return!1;return t in e}(e,t,r,a))?(ss(e,t,r),e.tagName.includes("-")||"value"!==t&&"checked"!==t&&"selected"!==t||ls(e,t,r,a,0,"value"!==t)):!e._isVueCE||!/[A-Z]/.test(t)&&b(r)?("true-value"===t?e._trueValue=r:"false-value"===t&&(e._falseValue=r),ls(e,t,r,a)):ss(e,T(t),r,0,t)}},Ml);let ec,tc=!1;function nc(){return ec||(ec=Ai(Qs))}function rc(){return ec=tc?ec:Ci(Qs),tc=!0,ec}const oc=(...e)=>{nc().render(...e)},ic=(...e)=>{rc().hydrate(...e)},ac=(...e)=>{const t=nc().createApp(...e);const{mount:n}=t;return t.mount=e=>{const r=cc(e);if(!r)return;const o=t._component;y(o)||o.render||o.template||(o.template=r.innerHTML),1===r.nodeType&&(r.textContent="");const i=n(r,!1,sc(r));return r instanceof Element&&(r.removeAttribute("v-cloak"),r.setAttribute("data-v-app","")),i},t},lc=(...e)=>{const t=rc().createApp(...e);const{mount:n}=t;return t.mount=e=>{const t=cc(e);if(t)return n(t,!0,sc(t))},t};function sc(e){return e instanceof SVGElement?"svg":"function"==typeof MathMLElement&&e instanceof MathMLElement?"mathml":void 0}function cc(e){if(b(e)){return document.querySelector(e)}return e}let uc=!1;const dc=()=>{uc||(uc=!0,Ds.getSSRProps=({value:e})=>({value:e}),Ps.getSSRProps=({value:e},t)=>{if(t.props&&ae(t.props.value,e))return{checked:!0}},Rs.getSSRProps=({value:e},t)=>{if(m(e)){if(t.props&&le(e,t.props.value)>-1)return{checked:!0}}else if(g(e)){if(t.props&&e.has(t.props.value))return{checked:!0}}else if(e)return{checked:!0}},Us.getSSRProps=(e,t)=>{if("string"!=typeof t.type)return;const n=$s(t.type.toUpperCase(),t.props&&t.props.type);return n.getSSRProps?n.getSSRProps(e,t):void 0},Kl.getSSRProps=({value:e})=>{if(!e)return{style:{display:"none"}}})},hc=Symbol(""),pc=Symbol(""),fc=Symbol(""),mc=Symbol(""),vc=Symbol(""),gc=Symbol(""),wc=Symbol(""),yc=Symbol(""),bc=Symbol(""),xc=Symbol(""),kc=Symbol(""),Ec=Symbol(""),Ac=Symbol(""),Cc=Symbol(""),Bc=Symbol(""),Mc=Symbol(""),_c=Symbol(""),Sc=Symbol(""),Nc=Symbol(""),Vc=Symbol(""),Lc=Symbol(""),Tc=Symbol(""),Ic=Symbol(""),Zc=Symbol(""),Oc=Symbol(""),Dc=Symbol(""),Rc=Symbol(""),Hc=Symbol(""),Pc=Symbol(""),jc=Symbol(""),Fc=Symbol(""),zc=Symbol(""),qc=Symbol(""),Uc=Symbol(""),$c=Symbol(""),Wc=Symbol(""),Gc=Symbol(""),Kc=Symbol(""),Yc=Symbol(""),Xc={[hc]:"Fragment",[pc]:"Teleport",[fc]:"Suspense",[mc]:"KeepAlive",[vc]:"BaseTransition",[gc]:"openBlock",[wc]:"createBlock",[yc]:"createElementBlock",[bc]:"createVNode",[xc]:"createElementVNode",[kc]:"createCommentVNode",[Ec]:"createTextVNode",[Ac]:"createStaticVNode",[Cc]:"resolveComponent",[Bc]:"resolveDynamicComponent",[Mc]:"resolveDirective",[_c]:"resolveFilter",[Sc]:"withDirectives",[Nc]:"renderList",[Vc]:"renderSlot",[Lc]:"createSlots",[Tc]:"toDisplayString",[Ic]:"mergeProps",[Zc]:"normalizeClass",[Oc]:"normalizeStyle",[Dc]:"normalizeProps",[Rc]:"guardReactiveProps",[Hc]:"toHandlers",[Pc]:"camelize",[jc]:"capitalize",[Fc]:"toHandlerKey",[zc]:"setBlockTracking",[qc]:"pushScopeId",[Uc]:"popScopeId",[$c]:"withCtx",[Wc]:"unref",[Gc]:"isRef",[Kc]:"withMemo",[Yc]:"isMemoSame"};const Jc={start:{line:1,column:1,offset:0},end:{line:1,column:1,offset:0},source:""};function Qc(e,t,n,r,o,i,a,l=!1,s=!1,c=!1,u=Jc){return e&&(l?(e.helper(gc),e.helper(cu(e.inSSR,c))):e.helper(su(e.inSSR,c)),a&&e.helper(Sc)),{type:13,tag:t,props:n,children:r,patchFlag:o,dynamicProps:i,directives:a,isBlock:l,disableTracking:s,isComponent:c,loc:u}}function eu(e,t=Jc){return{type:17,loc:t,elements:e}}function tu(e,t=Jc){return{type:15,loc:t,properties:e}}function nu(e,t){return{type:16,loc:Jc,key:b(e)?ru(e,!0):e,value:t}}function ru(e,t=!1,n=Jc,r=0){return{type:4,loc:n,content:e,isStatic:t,constType:t?3:r}}function ou(e,t=Jc){return{type:8,loc:t,children:e}}function iu(e,t=[],n=Jc){return{type:14,loc:n,callee:e,arguments:t}}function au(e,t=void 0,n=!1,r=!1,o=Jc){return{type:18,params:e,returns:t,newline:n,isSlot:r,loc:o}}function lu(e,t,n,r=!0){return{type:19,test:e,consequent:t,alternate:n,newline:r,loc:Jc}}function su(e,t){return e||t?bc:xc}function cu(e,t){return e||t?wc:yc}function uu(e,{helper:t,removeHelper:n,inSSR:r}){e.isBlock||(e.isBlock=!0,n(su(r,e.isComponent)),t(gc),t(cu(r,e.isComponent)))}const du=new Uint8Array([123,123]),hu=new Uint8Array([125,125]);function pu(e){return e>=97&&e<=122||e>=65&&e<=90}function fu(e){return 32===e||10===e||9===e||12===e||13===e}function mu(e){return 47===e||62===e||fu(e)}function vu(e){const t=new Uint8Array(e.length);for(let n=0;n<e.length;n++)t[n]=e.charCodeAt(n);return t}const gu={Cdata:new Uint8Array([67,68,65,84,65,91]),CdataEnd:new Uint8Array([93,93,62]),CommentEnd:new Uint8Array([45,45,62]),ScriptEnd:new Uint8Array([60,47,115,99,114,105,112,116]),StyleEnd:new Uint8Array([60,47,115,116,121,108,101]),TitleEnd:new Uint8Array([60,47,116,105,116,108,101]),TextareaEnd:new Uint8Array([60,47,116,101,120,116,97,114,101,97])};function wu(e,{compatConfig:t}){const n=t&&t[e];return"MODE"===e?n||3:n}function yu(e,t){const n=wu("MODE",t),r=wu(e,t);return 3===n?!0===r:!1!==r}function bu(e,t,n,...r){return yu(e,t)}function xu(e){throw e}function ku(e){}function Eu(e,t,n,r){const o=new SyntaxError(String(`https://vuejs.org/error-reference/#compiler-${e}`));return o.code=e,o.loc=t,o}const Au=e=>4===e.type&&e.isStatic;function Cu(e){switch(e){case"Teleport":case"teleport":return pc;case"Suspense":case"suspense":return fc;case"KeepAlive":case"keep-alive":return mc;case"BaseTransition":case"base-transition":return vc}}const Bu=/^\d|[^\$\w\xA0-\uFFFF]/,Mu=e=>!Bu.test(e),_u=/[A-Za-z_$\xA0-\uFFFF]/,Su=/[\.\?\w$\xA0-\uFFFF]/,Nu=/\s+[.[]\s*|\s*[.[]\s+/g,Vu=e=>4===e.type?e.content:e.loc.source,Lu=e=>{const t=Vu(e).trim().replace(Nu,(e=>e.trim()));let n=0,r=[],o=0,i=0,a=null;for(let e=0;e<t.length;e++){const l=t.charAt(e);switch(n){case 0:if("["===l)r.push(n),n=1,o++;else if("("===l)r.push(n),n=2,i++;else if(!(0===e?_u:Su).test(l))return!1;break;case 1:"'"===l||'"'===l||"`"===l?(r.push(n),n=3,a=l):"["===l?o++:"]"===l&&(--o||(n=r.pop()));break;case 2:if("'"===l||'"'===l||"`"===l)r.push(n),n=3,a=l;else if("("===l)i++;else if(")"===l){if(e===t.length-1)return!1;--i||(n=r.pop())}break;case 3:l===a&&(n=r.pop(),a=null)}}return!o&&!i},Tu=/^\s*(async\s*)?(\([^)]*?\)|[\w$_]+)\s*(:[^=]+)?=>|^\s*(async\s+)?function(?:\s+[\w$]+)?\s*\(/,Iu=e=>Tu.test(Vu(e));function Zu(e,t,n=!1){for(let r=0;r<e.props.length;r++){const o=e.props[r];if(7===o.type&&(n||o.exp)&&(b(t)?o.name===t:t.test(o.name)))return o}}function Ou(e,t,n=!1,r=!1){for(let o=0;o<e.props.length;o++){const i=e.props[o];if(6===i.type){if(n)continue;if(i.name===t&&(i.value||r))return i}else if("bind"===i.name&&(i.exp||r)&&Du(i.arg,t))return i}}function Du(e,t){return!(!e||!Au(e)||e.content!==t)}function Ru(e){return 5===e.type||2===e.type}function Hu(e){return 7===e.type&&"slot"===e.name}function Pu(e){return 1===e.type&&3===e.tagType}function ju(e){return 1===e.type&&2===e.tagType}const Fu=new Set([Dc,Rc]);function zu(e,t=[]){if(e&&!b(e)&&14===e.type){const n=e.callee;if(!b(n)&&Fu.has(n))return zu(e.arguments[0],t.concat(e))}return[e,t]}function qu(e,t,n){let r,o,i=13===e.type?e.props:e.arguments[2],a=[];if(i&&!b(i)&&14===i.type){const e=zu(i);i=e[0],a=e[1],o=a[a.length-1]}if(null==i||b(i))r=tu([t]);else if(14===i.type){const e=i.arguments[0];b(e)||15!==e.type?i.callee===Hc?r=iu(n.helper(Ic),[tu([t]),i]):i.arguments.unshift(tu([t])):Uu(t,e)||e.properties.unshift(t),!r&&(r=i)}else 15===i.type?(Uu(t,i)||i.properties.unshift(t),r=i):(r=iu(n.helper(Ic),[tu([t]),i]),o&&o.callee===Rc&&(o=a[a.length-2]));13===e.type?o?o.arguments[0]=r:e.props=r:o?o.arguments[0]=r:e.arguments[2]=r}function Uu(e,t){let n=!1;if(4===e.key.type){const r=e.key.content;n=t.properties.some((e=>4===e.key.type&&e.key.content===r))}return n}function $u(e,t){return`_${t}_${e.replace(/[^\w]/g,((t,n)=>"-"===t?"_":e.charCodeAt(n).toString()))}`}const Wu=/([\s\S]*?)\s+(?:in|of)\s+(\S[\s\S]*)/,Gu={parseMode:"base",ns:0,delimiters:["{{","}}"],getNamespace:()=>0,isVoidTag:s,isPreTag:s,isIgnoreNewlineTag:s,isCustomElement:s,onError:xu,onWarn:ku,comments:!1,prefixIdentifiers:!1};let Ku=Gu,Yu=null,Xu="",Ju=null,Qu=null,ed="",td=-1,nd=-1,rd=0,od=!1,id=null;const ad=[],ld=new class{constructor(e,t){this.stack=e,this.cbs=t,this.state=1,this.buffer="",this.sectionStart=0,this.index=0,this.entityStart=0,this.baseState=1,this.inRCDATA=!1,this.inXML=!1,this.inVPre=!1,this.newlines=[],this.mode=0,this.delimiterOpen=du,this.delimiterClose=hu,this.delimiterIndex=-1,this.currentSequence=void 0,this.sequenceIndex=0}get inSFCRoot(){return 2===this.mode&&0===this.stack.length}reset(){this.state=1,this.mode=0,this.buffer="",this.sectionStart=0,this.index=0,this.baseState=1,this.inRCDATA=!1,this.currentSequence=void 0,this.newlines.length=0,this.delimiterOpen=du,this.delimiterClose=hu}getPos(e){let t=1,n=e+1;for(let r=this.newlines.length-1;r>=0;r--){const o=this.newlines[r];if(e>o){t=r+2,n=e-o;break}}return{column:n,line:t,offset:e}}peek(){return this.buffer.charCodeAt(this.index+1)}stateText(e){60===e?(this.index>this.sectionStart&&this.cbs.ontext(this.sectionStart,this.index),this.state=5,this.sectionStart=this.index):this.inVPre||e!==this.delimiterOpen[0]||(this.state=2,this.delimiterIndex=0,this.stateInterpolationOpen(e))}stateInterpolationOpen(e){if(e===this.delimiterOpen[this.delimiterIndex])if(this.delimiterIndex===this.delimiterOpen.length-1){const e=this.index+1-this.delimiterOpen.length;e>this.sectionStart&&this.cbs.ontext(this.sectionStart,e),this.state=3,this.sectionStart=e}else this.delimiterIndex++;else this.inRCDATA?(this.state=32,this.stateInRCDATA(e)):(this.state=1,this.stateText(e))}stateInterpolation(e){e===this.delimiterClose[0]&&(this.state=4,this.delimiterIndex=0,this.stateInterpolationClose(e))}stateInterpolationClose(e){e===this.delimiterClose[this.delimiterIndex]?this.delimiterIndex===this.delimiterClose.length-1?(this.cbs.oninterpolation(this.sectionStart,this.index+1),this.inRCDATA?this.state=32:this.state=1,this.sectionStart=this.index+1):this.delimiterIndex++:(this.state=3,this.stateInterpolation(e))}stateSpecialStartSequence(e){const t=this.sequenceIndex===this.currentSequence.length;if(t?mu(e):(32|e)===this.currentSequence[this.sequenceIndex]){if(!t)return void this.sequenceIndex++}else this.inRCDATA=!1;this.sequenceIndex=0,this.state=6,this.stateInTagName(e)}stateInRCDATA(e){if(this.sequenceIndex===this.currentSequence.length){if(62===e||fu(e)){const t=this.index-this.currentSequence.length;if(this.sectionStart<t){const e=this.index;this.index=t,this.cbs.ontext(this.sectionStart,t),this.index=e}return this.sectionStart=t+2,this.stateInClosingTagName(e),void(this.inRCDATA=!1)}this.sequenceIndex=0}(32|e)===this.currentSequence[this.sequenceIndex]?this.sequenceIndex+=1:0===this.sequenceIndex?this.currentSequence===gu.TitleEnd||this.currentSequence===gu.TextareaEnd&&!this.inSFCRoot?this.inVPre||e!==this.delimiterOpen[0]||(this.state=2,this.delimiterIndex=0,this.stateInterpolationOpen(e)):this.fastForwardTo(60)&&(this.sequenceIndex=1):this.sequenceIndex=Number(60===e)}stateCDATASequence(e){e===gu.Cdata[this.sequenceIndex]?++this.sequenceIndex===gu.Cdata.length&&(this.state=28,this.currentSequence=gu.CdataEnd,this.sequenceIndex=0,this.sectionStart=this.index+1):(this.sequenceIndex=0,this.state=23,this.stateInDeclaration(e))}fastForwardTo(e){for(;++this.index<this.buffer.length;){const t=this.buffer.charCodeAt(this.index);if(10===t&&this.newlines.push(this.index),t===e)return!0}return this.index=this.buffer.length-1,!1}stateInCommentLike(e){e===this.currentSequence[this.sequenceIndex]?++this.sequenceIndex===this.currentSequence.length&&(this.currentSequence===gu.CdataEnd?this.cbs.oncdata(this.sectionStart,this.index-2):this.cbs.oncomment(this.sectionStart,this.index-2),this.sequenceIndex=0,this.sectionStart=this.index+1,this.state=1):0===this.sequenceIndex?this.fastForwardTo(this.currentSequence[0])&&(this.sequenceIndex=1):e!==this.currentSequence[this.sequenceIndex-1]&&(this.sequenceIndex=0)}startSpecial(e,t){this.enterRCDATA(e,t),this.state=31}enterRCDATA(e,t){this.inRCDATA=!0,this.currentSequence=e,this.sequenceIndex=t}stateBeforeTagName(e){33===e?(this.state=22,this.sectionStart=this.index+1):63===e?(this.state=24,this.sectionStart=this.index+1):pu(e)?(this.sectionStart=this.index,0===this.mode?this.state=6:this.inSFCRoot?this.state=34:this.inXML?this.state=6:this.state=116===e?30:115===e?29:6):47===e?this.state=8:(this.state=1,this.stateText(e))}stateInTagName(e){mu(e)&&this.handleTagName(e)}stateInSFCRootTagName(e){if(mu(e)){const t=this.buffer.slice(this.sectionStart,this.index);"template"!==t&&this.enterRCDATA(vu("</"+t),0),this.handleTagName(e)}}handleTagName(e){this.cbs.onopentagname(this.sectionStart,this.index),this.sectionStart=-1,this.state=11,this.stateBeforeAttrName(e)}stateBeforeClosingTagName(e){fu(e)||(62===e?(this.state=1,this.sectionStart=this.index+1):(this.state=pu(e)?9:27,this.sectionStart=this.index))}stateInClosingTagName(e){(62===e||fu(e))&&(this.cbs.onclosetag(this.sectionStart,this.index),this.sectionStart=-1,this.state=10,this.stateAfterClosingTagName(e))}stateAfterClosingTagName(e){62===e&&(this.state=1,this.sectionStart=this.index+1)}stateBeforeAttrName(e){62===e?(this.cbs.onopentagend(this.index),this.inRCDATA?this.state=32:this.state=1,this.sectionStart=this.index+1):47===e?this.state=7:60===e&&47===this.peek()?(this.cbs.onopentagend(this.index),this.state=5,this.sectionStart=this.index):fu(e)||this.handleAttrStart(e)}handleAttrStart(e){118===e&&45===this.peek()?(this.state=13,this.sectionStart=this.index):46===e||58===e||64===e||35===e?(this.cbs.ondirname(this.index,this.index+1),this.state=14,this.sectionStart=this.index+1):(this.state=12,this.sectionStart=this.index)}stateInSelfClosingTag(e){62===e?(this.cbs.onselfclosingtag(this.index),this.state=1,this.sectionStart=this.index+1,this.inRCDATA=!1):fu(e)||(this.state=11,this.stateBeforeAttrName(e))}stateInAttrName(e){(61===e||mu(e))&&(this.cbs.onattribname(this.sectionStart,this.index),this.handleAttrNameEnd(e))}stateInDirName(e){61===e||mu(e)?(this.cbs.ondirname(this.sectionStart,this.index),this.handleAttrNameEnd(e)):58===e?(this.cbs.ondirname(this.sectionStart,this.index),this.state=14,this.sectionStart=this.index+1):46===e&&(this.cbs.ondirname(this.sectionStart,this.index),this.state=16,this.sectionStart=this.index+1)}stateInDirArg(e){61===e||mu(e)?(this.cbs.ondirarg(this.sectionStart,this.index),this.handleAttrNameEnd(e)):91===e?this.state=15:46===e&&(this.cbs.ondirarg(this.sectionStart,this.index),this.state=16,this.sectionStart=this.index+1)}stateInDynamicDirArg(e){93===e?this.state=14:(61===e||mu(e))&&(this.cbs.ondirarg(this.sectionStart,this.index+1),this.handleAttrNameEnd(e))}stateInDirModifier(e){61===e||mu(e)?(this.cbs.ondirmodifier(this.sectionStart,this.index),this.handleAttrNameEnd(e)):46===e&&(this.cbs.ondirmodifier(this.sectionStart,this.index),this.sectionStart=this.index+1)}handleAttrNameEnd(e){this.sectionStart=this.index,this.state=17,this.cbs.onattribnameend(this.index),this.stateAfterAttrName(e)}stateAfterAttrName(e){61===e?this.state=18:47===e||62===e?(this.cbs.onattribend(0,this.sectionStart),this.sectionStart=-1,this.state=11,this.stateBeforeAttrName(e)):fu(e)||(this.cbs.onattribend(0,this.sectionStart),this.handleAttrStart(e))}stateBeforeAttrValue(e){34===e?(this.state=19,this.sectionStart=this.index+1):39===e?(this.state=20,this.sectionStart=this.index+1):fu(e)||(this.sectionStart=this.index,this.state=21,this.stateInAttrValueNoQuotes(e))}handleInAttrValue(e,t){(e===t||this.fastForwardTo(t))&&(this.cbs.onattribdata(this.sectionStart,this.index),this.sectionStart=-1,this.cbs.onattribend(34===t?3:2,this.index+1),this.state=11)}stateInAttrValueDoubleQuotes(e){this.handleInAttrValue(e,34)}stateInAttrValueSingleQuotes(e){this.handleInAttrValue(e,39)}stateInAttrValueNoQuotes(e){fu(e)||62===e?(this.cbs.onattribdata(this.sectionStart,this.index),this.sectionStart=-1,this.cbs.onattribend(1,this.index),this.state=11,this.stateBeforeAttrName(e)):39!==e&&60!==e&&61!==e&&96!==e||this.cbs.onerr(18,this.index)}stateBeforeDeclaration(e){91===e?(this.state=26,this.sequenceIndex=0):this.state=45===e?25:23}stateInDeclaration(e){(62===e||this.fastForwardTo(62))&&(this.state=1,this.sectionStart=this.index+1)}stateInProcessingInstruction(e){(62===e||this.fastForwardTo(62))&&(this.cbs.onprocessinginstruction(this.sectionStart,this.index),this.state=1,this.sectionStart=this.index+1)}stateBeforeComment(e){45===e?(this.state=28,this.currentSequence=gu.CommentEnd,this.sequenceIndex=2,this.sectionStart=this.index+1):this.state=23}stateInSpecialComment(e){(62===e||this.fastForwardTo(62))&&(this.cbs.oncomment(this.sectionStart,this.index),this.state=1,this.sectionStart=this.index+1)}stateBeforeSpecialS(e){e===gu.ScriptEnd[3]?this.startSpecial(gu.ScriptEnd,4):e===gu.StyleEnd[3]?this.startSpecial(gu.StyleEnd,4):(this.state=6,this.stateInTagName(e))}stateBeforeSpecialT(e){e===gu.TitleEnd[3]?this.startSpecial(gu.TitleEnd,4):e===gu.TextareaEnd[3]?this.startSpecial(gu.TextareaEnd,4):(this.state=6,this.stateInTagName(e))}startEntity(){}stateInEntity(){}parse(e){for(this.buffer=e;this.index<this.buffer.length;){const e=this.buffer.charCodeAt(this.index);switch(10===e&&this.newlines.push(this.index),this.state){case 1:this.stateText(e);break;case 2:this.stateInterpolationOpen(e);break;case 3:this.stateInterpolation(e);break;case 4:this.stateInterpolationClose(e);break;case 31:this.stateSpecialStartSequence(e);break;case 32:this.stateInRCDATA(e);break;case 26:this.stateCDATASequence(e);break;case 19:this.stateInAttrValueDoubleQuotes(e);break;case 12:this.stateInAttrName(e);break;case 13:this.stateInDirName(e);break;case 14:this.stateInDirArg(e);break;case 15:this.stateInDynamicDirArg(e);break;case 16:this.stateInDirModifier(e);break;case 28:this.stateInCommentLike(e);break;case 27:this.stateInSpecialComment(e);break;case 11:this.stateBeforeAttrName(e);break;case 6:this.stateInTagName(e);break;case 34:this.stateInSFCRootTagName(e);break;case 9:this.stateInClosingTagName(e);break;case 5:this.stateBeforeTagName(e);break;case 17:this.stateAfterAttrName(e);break;case 20:this.stateInAttrValueSingleQuotes(e);break;case 18:this.stateBeforeAttrValue(e);break;case 8:this.stateBeforeClosingTagName(e);break;case 10:this.stateAfterClosingTagName(e);break;case 29:this.stateBeforeSpecialS(e);break;case 30:this.stateBeforeSpecialT(e);break;case 21:this.stateInAttrValueNoQuotes(e);break;case 7:this.stateInSelfClosingTag(e);break;case 23:this.stateInDeclaration(e);break;case 22:this.stateBeforeDeclaration(e);break;case 25:this.stateBeforeComment(e);break;case 24:this.stateInProcessingInstruction(e);break;case 33:this.stateInEntity()}this.index++}this.cleanup(),this.finish()}cleanup(){this.sectionStart!==this.index&&(1===this.state||32===this.state&&0===this.sequenceIndex?(this.cbs.ontext(this.sectionStart,this.index),this.sectionStart=this.index):19!==this.state&&20!==this.state&&21!==this.state||(this.cbs.onattribdata(this.sectionStart,this.index),this.sectionStart=this.index))}finish(){this.handleTrailingData(),this.cbs.onend()}handleTrailingData(){const e=this.buffer.length;this.sectionStart>=e||(28===this.state?this.currentSequence===gu.CdataEnd?this.cbs.oncdata(this.sectionStart,e):this.cbs.oncomment(this.sectionStart,e):6===this.state||11===this.state||18===this.state||17===this.state||12===this.state||13===this.state||14===this.state||15===this.state||16===this.state||20===this.state||19===this.state||21===this.state||9===this.state||this.cbs.ontext(this.sectionStart,e))}emitCodePoint(e,t){}}(ad,{onerr:_d,ontext(e,t){hd(ud(e,t),e,t)},ontextentity(e,t,n){hd(e,t,n)},oninterpolation(e,t){if(od)return hd(ud(e,t),e,t);let n=e+ld.delimiterOpen.length,r=t-ld.delimiterClose.length;for(;fu(Xu.charCodeAt(n));)n++;for(;fu(Xu.charCodeAt(r-1));)r--;let o=ud(n,r);o.includes("&")&&(o=Ku.decodeEntities(o,!1)),kd({type:5,content:Md(o,!1,Ed(n,r)),loc:Ed(e,t)})},onopentagname(e,t){const n=ud(e,t);Ju={type:1,tag:n,ns:Ku.getNamespace(n,ad[0],Ku.ns),tagType:0,props:[],children:[],loc:Ed(e-1,t),codegenNode:void 0}},onopentagend(e){dd(e)},onclosetag(e,t){const n=ud(e,t);if(!Ku.isVoidTag(n)){let r=!1;for(let e=0;e<ad.length;e++){if(ad[e].tag.toLowerCase()===n.toLowerCase()){r=!0,e>0&&_d(24,ad[0].loc.start.offset);for(let n=0;n<=e;n++){pd(ad.shift(),t,n<e)}break}}r||_d(23,fd(e,60))}},onselfclosingtag(e){const t=Ju.tag;Ju.isSelfClosing=!0,dd(e),ad[0]&&ad[0].tag===t&&pd(ad.shift(),e)},onattribname(e,t){Qu={type:6,name:ud(e,t),nameLoc:Ed(e,t),value:void 0,loc:Ed(e)}},ondirname(e,t){const n=ud(e,t),r="."===n||":"===n?"bind":"@"===n?"on":"#"===n?"slot":n.slice(2);if(od||""!==r||_d(26,e),od||""===r)Qu={type:6,name:n,nameLoc:Ed(e,t),value:void 0,loc:Ed(e)};else if(Qu={type:7,name:r,rawName:n,exp:void 0,arg:void 0,modifiers:"."===n?[ru("prop")]:[],loc:Ed(e)},"pre"===r){od=ld.inVPre=!0,id=Ju;const e=Ju.props;for(let t=0;t<e.length;t++)7===e[t].type&&(e[t]=Bd(e[t]))}},ondirarg(e,t){if(e===t)return;const n=ud(e,t);if(od)Qu.name+=n,Cd(Qu.nameLoc,t);else{const r="["!==n[0];Qu.arg=Md(r?n:n.slice(1,-1),r,Ed(e,t),r?3:0)}},ondirmodifier(e,t){const n=ud(e,t);if(od)Qu.name+="."+n,Cd(Qu.nameLoc,t);else if("slot"===Qu.name){const e=Qu.arg;e&&(e.content+="."+n,Cd(e.loc,t))}else{const r=ru(n,!0,Ed(e,t));Qu.modifiers.push(r)}},onattribdata(e,t){ed+=ud(e,t),td<0&&(td=e),nd=t},onattribentity(e,t,n){ed+=e,td<0&&(td=t),nd=n},onattribnameend(e){const t=Qu.loc.start.offset,n=ud(t,e);7===Qu.type&&(Qu.rawName=n),Ju.props.some((e=>(7===e.type?e.rawName:e.name)===n))&&_d(2,t)},onattribend(e,t){if(Ju&&Qu){if(Cd(Qu.loc,t),0!==e)if(ed.includes("&")&&(ed=Ku.decodeEntities(ed,!0)),6===Qu.type)"class"===Qu.name&&(ed=xd(ed).trim()),1!==e||ed||_d(13,t),Qu.value={type:2,content:ed,loc:1===e?Ed(td,nd):Ed(td-1,nd+1)},ld.inSFCRoot&&"template"===Ju.tag&&"lang"===Qu.name&&ed&&"html"!==ed&&ld.enterRCDATA(vu("</template"),0);else{let e=0;Qu.exp=Md(ed,!1,Ed(td,nd),0,e),"for"===Qu.name&&(Qu.forParseResult=function(e){const t=e.loc,n=e.content,r=n.match(Wu);if(!r)return;const[,o,i]=r,a=(e,n,r=!1)=>{const o=t.start.offset+n;return Md(e,!1,Ed(o,o+e.length),0,r?1:0)},l={source:a(i.trim(),n.indexOf(i,o.length)),value:void 0,key:void 0,index:void 0,finalized:!1};let s=o.trim().replace(cd,"").trim();const c=o.indexOf(s),u=s.match(sd);if(u){s=s.replace(sd,"").trim();const e=u[1].trim();let t;if(e&&(t=n.indexOf(e,c+s.length),l.key=a(e,t,!0)),u[2]){const r=u[2].trim();r&&(l.index=a(r,n.indexOf(r,l.key?t+e.length:c+s.length),!0))}}s&&(l.value=a(s,c,!0));return l}(Qu.exp));let t=-1;"bind"===Qu.name&&(t=Qu.modifiers.findIndex((e=>"sync"===e.content)))>-1&&bu("COMPILER_V_BIND_SYNC",Ku,Qu.loc,Qu.rawName)&&(Qu.name="model",Qu.modifiers.splice(t,1))}7===Qu.type&&"pre"===Qu.name||Ju.props.push(Qu)}ed="",td=nd=-1},oncomment(e,t){Ku.comments&&kd({type:3,content:ud(e,t),loc:Ed(e-4,t+3)})},onend(){const e=Xu.length;for(let t=0;t<ad.length;t++)pd(ad[t],e-1),_d(24,ad[t].loc.start.offset)},oncdata(e,t){0!==ad[0].ns?hd(ud(e,t),e,t):_d(1,e-9)},onprocessinginstruction(e){0===(ad[0]?ad[0].ns:Ku.ns)&&_d(21,e-1)}}),sd=/,([^,\}\]]*)(?:,([^,\}\]]*))?$/,cd=/^\(|\)$/g;function ud(e,t){return Xu.slice(e,t)}function dd(e){ld.inSFCRoot&&(Ju.innerLoc=Ed(e+1,e+1)),kd(Ju);const{tag:t,ns:n}=Ju;0===n&&Ku.isPreTag(t)&&rd++,Ku.isVoidTag(t)?pd(Ju,e):(ad.unshift(Ju),1!==n&&2!==n||(ld.inXML=!0)),Ju=null}function hd(e,t,n){{const t=ad[0]&&ad[0].tag;"script"!==t&&"style"!==t&&e.includes("&")&&(e=Ku.decodeEntities(e,!1))}const r=ad[0]||Yu,o=r.children[r.children.length-1];o&&2===o.type?(o.content+=e,Cd(o.loc,n)):r.children.push({type:2,content:e,loc:Ed(t,n)})}function pd(e,t,n=!1){Cd(e.loc,n?fd(t,60):function(e,t){let n=e;for(;Xu.charCodeAt(n)!==t&&n<Xu.length-1;)n++;return n}(t,62)+1),ld.inSFCRoot&&(e.children.length?e.innerLoc.end=d({},e.children[e.children.length-1].loc.end):e.innerLoc.end=d({},e.innerLoc.start),e.innerLoc.source=ud(e.innerLoc.start.offset,e.innerLoc.end.offset));const{tag:r,ns:o,children:i}=e;if(od||("slot"===r?e.tagType=2:vd(e)?e.tagType=3:function({tag:e,props:t}){if(Ku.isCustomElement(e))return!1;if("component"===e||(n=e.charCodeAt(0),n>64&&n<91)||Cu(e)||Ku.isBuiltInComponent&&Ku.isBuiltInComponent(e)||Ku.isNativeTag&&!Ku.isNativeTag(e))return!0;var n;for(let e=0;e<t.length;e++){const n=t[e];if(6===n.type){if("is"===n.name&&n.value){if(n.value.content.startsWith("vue:"))return!0;if(bu("COMPILER_IS_ON_ELEMENT",Ku,n.loc))return!0}}else if("bind"===n.name&&Du(n.arg,"is")&&bu("COMPILER_IS_ON_ELEMENT",Ku,n.loc))return!0}return!1}(e)&&(e.tagType=1)),ld.inRCDATA||(e.children=wd(i)),0===o&&Ku.isIgnoreNewlineTag(r)){const e=i[0];e&&2===e.type&&(e.content=e.content.replace(/^\r?\n/,""))}0===o&&Ku.isPreTag(r)&&rd--,id===e&&(od=ld.inVPre=!1,id=null),ld.inXML&&0===(ad[0]?ad[0].ns:Ku.ns)&&(ld.inXML=!1);{const t=e.props;if(!ld.inSFCRoot&&yu("COMPILER_NATIVE_TEMPLATE",Ku)&&"template"===e.tag&&!vd(e)){const t=ad[0]||Yu,n=t.children.indexOf(e);t.children.splice(n,1,...e.children)}const n=t.find((e=>6===e.type&&"inline-template"===e.name));n&&bu("COMPILER_INLINE_TEMPLATE",Ku,n.loc)&&e.children.length&&(n.value={type:2,content:ud(e.children[0].loc.start.offset,e.children[e.children.length-1].loc.end.offset),loc:n.loc})}}function fd(e,t){let n=e;for(;Xu.charCodeAt(n)!==t&&n>=0;)n--;return n}const md=new Set(["if","else","else-if","for","slot"]);function vd({tag:e,props:t}){if("template"===e)for(let e=0;e<t.length;e++)if(7===t[e].type&&md.has(t[e].name))return!0;return!1}const gd=/\r\n/g;function wd(e,t){const n="preserve"!==Ku.whitespace;let r=!1;for(let t=0;t<e.length;t++){const o=e[t];if(2===o.type)if(rd)o.content=o.content.replace(gd,"\n");else if(yd(o.content)){const i=e[t-1]&&e[t-1].type,a=e[t+1]&&e[t+1].type;!i||!a||n&&(3===i&&(3===a||1===a)||1===i&&(3===a||1===a&&bd(o.content)))?(r=!0,e[t]=null):o.content=" "}else n&&(o.content=xd(o.content))}return r?e.filter(Boolean):e}function yd(e){for(let t=0;t<e.length;t++)if(!fu(e.charCodeAt(t)))return!1;return!0}function bd(e){for(let t=0;t<e.length;t++){const n=e.charCodeAt(t);if(10===n||13===n)return!0}return!1}function xd(e){let t="",n=!1;for(let r=0;r<e.length;r++)fu(e.charCodeAt(r))?n||(t+=" ",n=!0):(t+=e[r],n=!1);return t}function kd(e){(ad[0]||Yu).children.push(e)}function Ed(e,t){return{start:ld.getPos(e),end:null==t?t:ld.getPos(t),source:null==t?t:ud(e,t)}}function Ad(e){return Ed(e.start.offset,e.end.offset)}function Cd(e,t){e.end=ld.getPos(t),e.source=ud(e.start.offset,t)}function Bd(e){const t={type:6,name:e.rawName,nameLoc:Ed(e.loc.start.offset,e.loc.start.offset+e.rawName.length),value:void 0,loc:e.loc};if(e.exp){const n=e.exp.loc;n.end.offset<e.loc.end.offset&&(n.start.offset--,n.start.column--,n.end.offset++,n.end.column++),t.value={type:2,content:e.exp.content,loc:n}}return t}function Md(e,t=!1,n,r=0,o=0){return ru(e,t,n,r)}function _d(e,t,n){Ku.onError(Eu(e,Ed(t,t)))}function Sd(e,t){if(ld.reset(),Ju=null,Qu=null,ed="",td=-1,nd=-1,ad.length=0,Xu=e,Ku=d({},Gu),t){let e;for(e in t)null!=t[e]&&(Ku[e]=t[e])}ld.mode="html"===Ku.parseMode?1:"sfc"===Ku.parseMode?2:0,ld.inXML=1===Ku.ns||2===Ku.ns;const n=t&&t.delimiters;n&&(ld.delimiterOpen=vu(n[0]),ld.delimiterClose=vu(n[1]));const r=Yu=function(e,t=""){return{type:0,source:t,children:e,helpers:new Set,components:[],directives:[],hoists:[],imports:[],cached:[],temps:0,codegenNode:void 0,loc:Jc}}([],e);return ld.parse(Xu),r.loc=Ed(0,e.length),r.children=wd(r.children),Yu=null,r}function Nd(e,t){Ld(e,void 0,t,Vd(e,e.children[0]))}function Vd(e,t){const{children:n}=e;return 1===n.length&&1===t.type&&!ju(t)}function Ld(e,t,n,r=!1,o=!1){const{children:i}=e,a=[];for(let t=0;t<i.length;t++){const l=i[t];if(1===l.type&&0===l.tagType){const e=r?0:Td(l,n);if(e>0){if(e>=2){l.codegenNode.patchFlag=-1,a.push(l);continue}}else{const e=l.codegenNode;if(13===e.type){const t=e.patchFlag;if((void 0===t||512===t||1===t)&&Od(l,n)>=2){const t=Dd(l);t&&(e.props=n.hoist(t))}e.dynamicProps&&(e.dynamicProps=n.hoist(e.dynamicProps))}}}else if(12===l.type){if((r?0:Td(l,n))>=2){a.push(l);continue}}if(1===l.type){const t=1===l.tagType;t&&n.scopes.vSlot++,Ld(l,e,n,!1,o),t&&n.scopes.vSlot--}else if(11===l.type)Ld(l,e,n,1===l.children.length,!0);else if(9===l.type)for(let t=0;t<l.branches.length;t++)Ld(l.branches[t],e,n,1===l.branches[t].children.length,o)}let l=!1;if(a.length===i.length&&1===e.type)if(0===e.tagType&&e.codegenNode&&13===e.codegenNode.type&&m(e.codegenNode.children))e.codegenNode.children=s(eu(e.codegenNode.children)),l=!0;else if(1===e.tagType&&e.codegenNode&&13===e.codegenNode.type&&e.codegenNode.children&&!m(e.codegenNode.children)&&15===e.codegenNode.children.type){const t=c(e.codegenNode,"default");t&&(t.returns=s(eu(t.returns)),l=!0)}else if(3===e.tagType&&t&&1===t.type&&1===t.tagType&&t.codegenNode&&13===t.codegenNode.type&&t.codegenNode.children&&!m(t.codegenNode.children)&&15===t.codegenNode.children.type){const n=Zu(e,"slot",!0),r=n&&n.arg&&c(t.codegenNode,n.arg);r&&(r.returns=s(eu(r.returns)),l=!0)}if(!l)for(const e of a)e.codegenNode=n.cache(e.codegenNode);function s(e){const t=n.cache(e);return o&&n.hmr&&(t.needArraySpread=!0),t}function c(e,t){if(e.children&&!m(e.children)&&15===e.children.type){const n=e.children.properties.find((e=>e.key===t||e.key.content===t));return n&&n.value}}a.length&&n.transformHoist&&n.transformHoist(i,n,e)}function Td(e,t){const{constantCache:n}=t;switch(e.type){case 1:if(0!==e.tagType)return 0;const r=n.get(e);if(void 0!==r)return r;const o=e.codegenNode;if(13!==o.type)return 0;if(o.isBlock&&"svg"!==e.tag&&"foreignObject"!==e.tag&&"math"!==e.tag)return 0;if(void 0===o.patchFlag){let r=3;const i=Od(e,t);if(0===i)return n.set(e,0),0;i<r&&(r=i);for(let o=0;o<e.children.length;o++){const i=Td(e.children[o],t);if(0===i)return n.set(e,0),0;i<r&&(r=i)}if(r>1)for(let o=0;o<e.props.length;o++){const i=e.props[o];if(7===i.type&&"bind"===i.name&&i.exp){const o=Td(i.exp,t);if(0===o)return n.set(e,0),0;o<r&&(r=o)}}if(o.isBlock){for(let t=0;t<e.props.length;t++){if(7===e.props[t].type)return n.set(e,0),0}t.removeHelper(gc),t.removeHelper(cu(t.inSSR,o.isComponent)),o.isBlock=!1,t.helper(su(t.inSSR,o.isComponent))}return n.set(e,r),r}return n.set(e,0),0;case 2:case 3:return 3;case 9:case 11:case 10:default:return 0;case 5:case 12:return Td(e.content,t);case 4:return e.constType;case 8:let i=3;for(let n=0;n<e.children.length;n++){const r=e.children[n];if(b(r)||x(r))continue;const o=Td(r,t);if(0===o)return 0;o<i&&(i=o)}return i;case 20:return 2}}const Id=new Set([Zc,Oc,Dc,Rc]);function Zd(e,t){if(14===e.type&&!b(e.callee)&&Id.has(e.callee)){const n=e.arguments[0];if(4===n.type)return Td(n,t);if(14===n.type)return Zd(n,t)}return 0}function Od(e,t){let n=3;const r=Dd(e);if(r&&15===r.type){const{properties:e}=r;for(let r=0;r<e.length;r++){const{key:o,value:i}=e[r],a=Td(o,t);if(0===a)return a;let l;if(a<n&&(n=a),l=4===i.type?Td(i,t):14===i.type?Zd(i,t):0,0===l)return l;l<n&&(n=l)}}return n}function Dd(e){const t=e.codegenNode;if(13===t.type)return t.props}function Rd(e,{filename:t="",prefixIdentifiers:n=!1,hoistStatic:r=!1,hmr:o=!1,cacheHandlers:a=!1,nodeTransforms:s=[],directiveTransforms:c={},transformHoist:u=null,isBuiltInComponent:d=l,isCustomElement:h=l,expressionPlugins:p=[],scopeId:f=null,slotted:m=!0,ssr:v=!1,inSSR:g=!1,ssrCssVars:w="",bindingMetadata:y=i,inline:x=!1,isTS:k=!1,onError:E=xu,onWarn:A=ku,compatConfig:C}){const B=t.replace(/\?.*$/,"").match(/([^/\\]+)\.\w+$/),M={filename:t,selfName:B&&O(T(B[1])),prefixIdentifiers:n,hoistStatic:r,hmr:o,cacheHandlers:a,nodeTransforms:s,directiveTransforms:c,transformHoist:u,isBuiltInComponent:d,isCustomElement:h,expressionPlugins:p,scopeId:f,slotted:m,ssr:v,inSSR:g,ssrCssVars:w,bindingMetadata:y,inline:x,isTS:k,onError:E,onWarn:A,compatConfig:C,root:e,helpers:new Map,components:new Set,directives:new Set,hoists:[],imports:[],cached:[],constantCache:new WeakMap,temps:0,identifiers:Object.create(null),scopes:{vFor:0,vSlot:0,vPre:0,vOnce:0},parent:null,grandParent:null,currentNode:e,childIndex:0,inVOnce:!1,helper(e){const t=M.helpers.get(e)||0;return M.helpers.set(e,t+1),e},removeHelper(e){const t=M.helpers.get(e);if(t){const n=t-1;n?M.helpers.set(e,n):M.helpers.delete(e)}},helperString:e=>`_${Xc[M.helper(e)]}`,replaceNode(e){M.parent.children[M.childIndex]=M.currentNode=e},removeNode(e){const t=M.parent.children,n=e?t.indexOf(e):M.currentNode?M.childIndex:-1;e&&e!==M.currentNode?M.childIndex>n&&(M.childIndex--,M.onNodeRemoved()):(M.currentNode=null,M.onNodeRemoved()),M.parent.children.splice(n,1)},onNodeRemoved:l,addIdentifiers(e){},removeIdentifiers(e){},hoist(e){b(e)&&(e=ru(e)),M.hoists.push(e);const t=ru(`_hoisted_${M.hoists.length}`,!1,e.loc,2);return t.hoisted=e,t},cache(e,t=!1,n=!1){const r=function(e,t,n=!1,r=!1){return{type:20,index:e,value:t,needPauseTracking:n,inVOnce:r,needArraySpread:!1,loc:Jc}}(M.cached.length,e,t,n);return M.cached.push(r),r}};return M.filters=new Set,M}function Hd(e,t){const n=Rd(e,t);Pd(e,n),t.hoistStatic&&Nd(e,n),t.ssr||function(e,t){const{helper:n}=t,{children:r}=e;if(1===r.length){const n=r[0];if(Vd(e,n)&&n.codegenNode){const r=n.codegenNode;13===r.type&&uu(r,t),e.codegenNode=r}else e.codegenNode=n}else if(r.length>1){let r=64;0,e.codegenNode=Qc(t,n(hc),void 0,e.children,r,void 0,void 0,!0,void 0,!1)}}(e,n),e.helpers=new Set([...n.helpers.keys()]),e.components=[...n.components],e.directives=[...n.directives],e.imports=n.imports,e.hoists=n.hoists,e.temps=n.temps,e.cached=n.cached,e.transformed=!0,e.filters=[...n.filters]}function Pd(e,t){t.currentNode=e;const{nodeTransforms:n}=t,r=[];for(let o=0;o<n.length;o++){const i=n[o](e,t);if(i&&(m(i)?r.push(...i):r.push(i)),!t.currentNode)return;e=t.currentNode}switch(e.type){case 3:t.ssr||t.helper(kc);break;case 5:t.ssr||t.helper(Tc);break;case 9:for(let n=0;n<e.branches.length;n++)Pd(e.branches[n],t);break;case 10:case 11:case 1:case 0:!function(e,t){let n=0;const r=()=>{n--};for(;n<e.children.length;n++){const o=e.children[n];b(o)||(t.grandParent=t.parent,t.parent=e,t.childIndex=n,t.onNodeRemoved=r,Pd(o,t))}}(e,t)}t.currentNode=e;let o=r.length;for(;o--;)r[o]()}function jd(e,t){const n=b(e)?t=>t===e:t=>e.test(t);return(e,r)=>{if(1===e.type){const{props:o}=e;if(3===e.tagType&&o.some(Hu))return;const i=[];for(let a=0;a<o.length;a++){const l=o[a];if(7===l.type&&n(l.name)){o.splice(a,1),a--;const n=t(e,l,r);n&&i.push(n)}}return i}}}const Fd="/*@__PURE__*/",zd=e=>`${Xc[e]}: _${Xc[e]}`;function qd(e,t={}){const n=function(e,{mode:t="function",prefixIdentifiers:n="module"===t,sourceMap:r=!1,filename:o="template.vue.html",scopeId:i=null,optimizeImports:a=!1,runtimeGlobalName:l="Vue",runtimeModuleName:s="vue",ssrRuntimeModuleName:c="vue/server-renderer",ssr:u=!1,isTS:d=!1,inSSR:h=!1}){const p={mode:t,prefixIdentifiers:n,sourceMap:r,filename:o,scopeId:i,optimizeImports:a,runtimeGlobalName:l,runtimeModuleName:s,ssrRuntimeModuleName:c,ssr:u,isTS:d,inSSR:h,source:e.source,code:"",column:1,line:1,offset:0,indentLevel:0,pure:!1,map:void 0,helper:e=>`_${Xc[e]}`,push(e,t=-2,n){p.code+=e},indent(){f(++p.indentLevel)},deindent(e=!1){e?--p.indentLevel:f(--p.indentLevel)},newline(){f(p.indentLevel)}};function f(e){p.push("\n"+"  ".repeat(e),0)}return p}(e,t);t.onContextCreated&&t.onContextCreated(n);const{mode:r,push:o,prefixIdentifiers:i,indent:a,deindent:l,newline:s,scopeId:c,ssr:u}=n,d=Array.from(e.helpers),h=d.length>0,p=!i&&"module"!==r;!function(e,t){const{ssr:n,prefixIdentifiers:r,push:o,newline:i,runtimeModuleName:a,runtimeGlobalName:l,ssrRuntimeModuleName:s}=t,c=l,u=Array.from(e.helpers);if(u.length>0&&(o(`const _Vue = ${c}\n`,-1),e.hoists.length)){o(`const { ${[bc,xc,kc,Ec,Ac].filter((e=>u.includes(e))).map(zd).join(", ")} } = _Vue\n`,-1)}(function(e,t){if(!e.length)return;t.pure=!0;const{push:n,newline:r}=t;r();for(let o=0;o<e.length;o++){const i=e[o];i&&(n(`const _hoisted_${o+1} = `),Gd(i,t),r())}t.pure=!1})(e.hoists,t),i(),o("return ")}(e,n);if(o(`function ${u?"ssrRender":"render"}(${(u?["_ctx","_push","_parent","_attrs"]:["_ctx","_cache"]).join(", ")}) {`),a(),p&&(o("with (_ctx) {"),a(),h&&(o(`const { ${d.map(zd).join(", ")} } = _Vue\n`,-1),s())),e.components.length&&(Ud(e.components,"component",n),(e.directives.length||e.temps>0)&&s()),e.directives.length&&(Ud(e.directives,"directive",n),e.temps>0&&s()),e.filters&&e.filters.length&&(s(),Ud(e.filters,"filter",n),s()),e.temps>0){o("let ");for(let t=0;t<e.temps;t++)o(`${t>0?", ":""}_temp${t}`)}return(e.components.length||e.directives.length||e.temps)&&(o("\n",0),s()),u||o("return "),e.codegenNode?Gd(e.codegenNode,n):o("null"),p&&(l(),o("}")),l(),o("}"),{ast:e,code:n.code,preamble:"",map:n.map?n.map.toJSON():void 0}}function Ud(e,t,{helper:n,push:r,newline:o,isTS:i}){const a=n("filter"===t?_c:"component"===t?Cc:Mc);for(let n=0;n<e.length;n++){let l=e[n];const s=l.endsWith("__self");s&&(l=l.slice(0,-6)),r(`const ${$u(l,t)} = ${a}(${JSON.stringify(l)}${s?", true":""})${i?"!":""}`),n<e.length-1&&o()}}function $d(e,t){const n=e.length>3||!1;t.push("["),n&&t.indent(),Wd(e,t,n),n&&t.deindent(),t.push("]")}function Wd(e,t,n=!1,r=!0){const{push:o,newline:i}=t;for(let a=0;a<e.length;a++){const l=e[a];b(l)?o(l,-3):m(l)?$d(l,t):Gd(l,t),a<e.length-1&&(n?(r&&o(","),i()):r&&o(", "))}}function Gd(e,t){if(b(e))t.push(e,-3);else if(x(e))t.push(t.helper(e));else switch(e.type){case 1:case 9:case 11:case 12:Gd(e.codegenNode,t);break;case 2:!function(e,t){t.push(JSON.stringify(e.content),-3,e)}(e,t);break;case 4:Kd(e,t);break;case 5:!function(e,t){const{push:n,helper:r,pure:o}=t;o&&n(Fd);n(`${r(Tc)}(`),Gd(e.content,t),n(")")}(e,t);break;case 8:Yd(e,t);break;case 3:!function(e,t){const{push:n,helper:r,pure:o}=t;o&&n(Fd);n(`${r(kc)}(${JSON.stringify(e.content)})`,-3,e)}(e,t);break;case 13:!function(e,t){const{push:n,helper:r,pure:o}=t,{tag:i,props:a,children:l,patchFlag:s,dynamicProps:c,directives:u,isBlock:d,disableTracking:h,isComponent:p}=e;let f;s&&(f=String(s));u&&n(r(Sc)+"(");d&&n(`(${r(gc)}(${h?"true":""}), `);o&&n(Fd);const m=d?cu(t.inSSR,p):su(t.inSSR,p);n(r(m)+"(",-2,e),Wd(function(e){let t=e.length;for(;t--&&null==e[t];);return e.slice(0,t+1).map((e=>e||"null"))}([i,a,l,f,c]),t),n(")"),d&&n(")");u&&(n(", "),Gd(u,t),n(")"))}(e,t);break;case 14:!function(e,t){const{push:n,helper:r,pure:o}=t,i=b(e.callee)?e.callee:r(e.callee);o&&n(Fd);n(i+"(",-2,e),Wd(e.arguments,t),n(")")}(e,t);break;case 15:!function(e,t){const{push:n,indent:r,deindent:o,newline:i}=t,{properties:a}=e;if(!a.length)return void n("{}",-2,e);const l=a.length>1||!1;n(l?"{":"{ "),l&&r();for(let e=0;e<a.length;e++){const{key:r,value:o}=a[e];Xd(r,t),n(": "),Gd(o,t),e<a.length-1&&(n(","),i())}l&&o(),n(l?"}":" }")}(e,t);break;case 17:!function(e,t){$d(e.elements,t)}(e,t);break;case 18:!function(e,t){const{push:n,indent:r,deindent:o}=t,{params:i,returns:a,body:l,newline:s,isSlot:c}=e;c&&n(`_${Xc[$c]}(`);n("(",-2,e),m(i)?Wd(i,t):i&&Gd(i,t);n(") => "),(s||l)&&(n("{"),r());a?(s&&n("return "),m(a)?$d(a,t):Gd(a,t)):l&&Gd(l,t);(s||l)&&(o(),n("}"));c&&(e.isNonScopedSlot&&n(", undefined, true"),n(")"))}(e,t);break;case 19:!function(e,t){const{test:n,consequent:r,alternate:o,newline:i}=e,{push:a,indent:l,deindent:s,newline:c}=t;if(4===n.type){const e=!Mu(n.content);e&&a("("),Kd(n,t),e&&a(")")}else a("("),Gd(n,t),a(")");i&&l(),t.indentLevel++,i||a(" "),a("? "),Gd(r,t),t.indentLevel--,i&&c(),i||a(" "),a(": ");const u=19===o.type;u||t.indentLevel++;Gd(o,t),u||t.indentLevel--;i&&s(!0)}(e,t);break;case 20:!function(e,t){const{push:n,helper:r,indent:o,deindent:i,newline:a}=t,{needPauseTracking:l,needArraySpread:s}=e;s&&n("[...(");n(`_cache[${e.index}] || (`),l&&(o(),n(`${r(zc)}(-1`),e.inVOnce&&n(", true"),n("),"),a(),n("("));n(`_cache[${e.index}] = `),Gd(e.value,t),l&&(n(`).cacheIndex = ${e.index},`),a(),n(`${r(zc)}(1),`),a(),n(`_cache[${e.index}]`),i());n(")"),s&&n(")]")}(e,t);break;case 21:Wd(e.body,t,!0,!1)}}function Kd(e,t){const{content:n,isStatic:r}=e;t.push(r?JSON.stringify(n):n,-3,e)}function Yd(e,t){for(let n=0;n<e.children.length;n++){const r=e.children[n];b(r)?t.push(r,-3):Gd(r,t)}}function Xd(e,t){const{push:n}=t;if(8===e.type)n("["),Yd(e,t),n("]");else if(e.isStatic){n(Mu(e.content)?e.content:JSON.stringify(e.content),-2,e)}else n(`[${e.content}]`,-3,e)}new RegExp("\\b"+"arguments,await,break,case,catch,class,const,continue,debugger,default,delete,do,else,export,extends,finally,for,function,if,import,let,new,return,super,switch,throw,try,var,void,while,with,yield".split(",").join("\\b|\\b")+"\\b");const Jd=jd(/^(if|else|else-if)$/,((e,t,n)=>function(e,t,n,r){if(!("else"===t.name||t.exp&&t.exp.content.trim())){const r=t.exp?t.exp.loc:e.loc;n.onError(Eu(28,t.loc)),t.exp=ru("true",!1,r)}0;if("if"===t.name){const o=Qd(e,t),i={type:9,loc:Ad(e.loc),branches:[o]};if(n.replaceNode(i),r)return r(i,o,!0)}else{const o=n.parent.children;let i=o.indexOf(e);for(;i-- >=-1;){const a=o[i];if(a&&3===a.type)n.removeNode(a);else{if(!a||2!==a.type||a.content.trim().length){if(a&&9===a.type){"else-if"===t.name&&void 0===a.branches[a.branches.length-1].condition&&n.onError(Eu(30,e.loc)),n.removeNode();const o=Qd(e,t);0,a.branches.push(o);const i=r&&r(a,o,!1);Pd(o,n),i&&i(),n.currentNode=null}else n.onError(Eu(30,e.loc));break}n.removeNode(a)}}}}(e,t,n,((e,t,r)=>{const o=n.parent.children;let i=o.indexOf(e),a=0;for(;i-- >=0;){const e=o[i];e&&9===e.type&&(a+=e.branches.length)}return()=>{if(r)e.codegenNode=eh(t,a,n);else{const r=function(e){for(;;)if(19===e.type){if(19!==e.alternate.type)return e;e=e.alternate}else 20===e.type&&(e=e.value)}(e.codegenNode);r.alternate=eh(t,a+e.branches.length-1,n)}}}))));function Qd(e,t){const n=3===e.tagType;return{type:10,loc:e.loc,condition:"else"===t.name?void 0:t.exp,children:n&&!Zu(e,"for")?e.children:[e],userKey:Ou(e,"key"),isTemplateIf:n}}function eh(e,t,n){return e.condition?lu(e.condition,th(e,t,n),iu(n.helper(kc),['""',"true"])):th(e,t,n)}function th(e,t,n){const{helper:r}=n,o=nu("key",ru(`${t}`,!1,Jc,2)),{children:i}=e,a=i[0];if(1!==i.length||1!==a.type){if(1===i.length&&11===a.type){const e=a.codegenNode;return qu(e,o,n),e}{let t=64;return Qc(n,r(hc),tu([o]),i,t,void 0,void 0,!0,!1,!1,e.loc)}}{const e=a.codegenNode,t=14===(l=e).type&&l.callee===Kc?l.arguments[1].returns:l;return 13===t.type&&uu(t,n),qu(t,o,n),e}var l}const nh=(e,t,n)=>{const{modifiers:r,loc:o}=e,i=e.arg;let{exp:a}=e;if(a&&4===a.type&&!a.content.trim()&&(a=void 0),!a){if(4!==i.type||!i.isStatic)return n.onError(Eu(52,i.loc)),{props:[nu(i,ru("",!0,o))]};rh(e),a=e.exp}return 4!==i.type?(i.children.unshift("("),i.children.push(') || ""')):i.isStatic||(i.content=`${i.content} || ""`),r.some((e=>"camel"===e.content))&&(4===i.type?i.isStatic?i.content=T(i.content):i.content=`${n.helperString(Pc)}(${i.content})`:(i.children.unshift(`${n.helperString(Pc)}(`),i.children.push(")"))),n.inSSR||(r.some((e=>"prop"===e.content))&&oh(i,"."),r.some((e=>"attr"===e.content))&&oh(i,"^")),{props:[nu(i,a)]}},rh=(e,t)=>{const n=e.arg,r=T(n.content);e.exp=ru(r,!1,n.loc)},oh=(e,t)=>{4===e.type?e.isStatic?e.content=t+e.content:e.content=`\`${t}\${${e.content}}\``:(e.children.unshift(`'${t}' + (`),e.children.push(")"))},ih=jd("for",((e,t,n)=>{const{helper:r,removeHelper:o}=n;return function(e,t,n,r){if(!t.exp)return void n.onError(Eu(31,t.loc));const o=t.forParseResult;if(!o)return void n.onError(Eu(32,t.loc));ah(o,n);const{addIdentifiers:i,removeIdentifiers:a,scopes:l}=n,{source:s,value:c,key:u,index:d}=o,h={type:11,loc:t.loc,source:s,valueAlias:c,keyAlias:u,objectIndexAlias:d,parseResult:o,children:Pu(e)?e.children:[e]};n.replaceNode(h),l.vFor++;const p=r&&r(h);return()=>{l.vFor--,p&&p()}}(e,t,n,(t=>{const i=iu(r(Nc),[t.source]),a=Pu(e),l=Zu(e,"memo"),s=Ou(e,"key",!1,!0);s&&7===s.type&&!s.exp&&rh(s);let c=s&&(6===s.type?s.value?ru(s.value.content,!0):void 0:s.exp);const u=s&&c?nu("key",c):null,d=4===t.source.type&&t.source.constType>0,h=d?64:s?128:256;return t.codegenNode=Qc(n,r(hc),void 0,i,h,void 0,void 0,!0,!d,!1,e.loc),()=>{let s;const{children:h}=t;const p=1!==h.length||1!==h[0].type,f=ju(e)?e:a&&1===e.children.length&&ju(e.children[0])?e.children[0]:null;if(f?(s=f.codegenNode,a&&u&&qu(s,u,n)):p?s=Qc(n,r(hc),u?tu([u]):void 0,e.children,64,void 0,void 0,!0,void 0,!1):(s=h[0].codegenNode,a&&u&&qu(s,u,n),s.isBlock!==!d&&(s.isBlock?(o(gc),o(cu(n.inSSR,s.isComponent))):o(su(n.inSSR,s.isComponent))),s.isBlock=!d,s.isBlock?(r(gc),r(cu(n.inSSR,s.isComponent))):r(su(n.inSSR,s.isComponent))),l){const e=au(lh(t.parseResult,[ru("_cached")]));e.body={type:21,body:[ou(["const _memo = (",l.exp,")"]),ou(["if (_cached",...c?[" && _cached.key === ",c]:[],` && ${n.helperString(Yc)}(_cached, _memo)) return _cached`]),ou(["const _item = ",s]),ru("_item.memo = _memo"),ru("return _item")],loc:Jc},i.arguments.push(e,ru("_cache"),ru(String(n.cached.length))),n.cached.push(null)}else i.arguments.push(au(lh(t.parseResult),s,!0))}}))}));function ah(e,t){e.finalized||(e.finalized=!0)}function lh({value:e,key:t,index:n},r=[]){return function(e){let t=e.length;for(;t--&&!e[t];);return e.slice(0,t+1).map(((e,t)=>e||ru("_".repeat(t+1),!1)))}([e,t,n,...r])}const sh=ru("undefined",!1),ch=(e,t)=>{if(1===e.type&&(1===e.tagType||3===e.tagType)){const n=Zu(e,"slot");if(n)return n.exp,t.scopes.vSlot++,()=>{t.scopes.vSlot--}}},uh=(e,t,n,r)=>au(e,n,!1,!0,n.length?n[0].loc:r);function dh(e,t,n=uh){t.helper($c);const{children:r,loc:o}=e,i=[],a=[];let l=t.scopes.vSlot>0||t.scopes.vFor>0;const s=Zu(e,"slot",!0);if(s){const{arg:e,exp:t}=s;e&&!Au(e)&&(l=!0),i.push(nu(e||ru("default",!0),n(t,void 0,r,o)))}let c=!1,u=!1;const d=[],h=new Set;let p=0;for(let e=0;e<r.length;e++){const o=r[e];let f;if(!Pu(o)||!(f=Zu(o,"slot",!0))){3!==o.type&&d.push(o);continue}if(s){t.onError(Eu(37,f.loc));break}c=!0;const{children:m,loc:v}=o,{arg:g=ru("default",!0),exp:w,loc:y}=f;let b;Au(g)?b=g?g.content:"default":l=!0;const x=Zu(o,"for"),k=n(w,x,m,v);let E,A;if(E=Zu(o,"if"))l=!0,a.push(lu(E.exp,hh(g,k,p++),sh));else if(A=Zu(o,/^else(-if)?$/,!0)){let n,o=e;for(;o--&&(n=r[o],3===n.type););if(n&&Pu(n)&&Zu(n,/^(else-)?if$/)){let e=a[a.length-1];for(;19===e.alternate.type;)e=e.alternate;e.alternate=A.exp?lu(A.exp,hh(g,k,p++),sh):hh(g,k,p++)}else t.onError(Eu(30,A.loc))}else if(x){l=!0;const e=x.forParseResult;e?(ah(e),a.push(iu(t.helper(Nc),[e.source,au(lh(e),hh(g,k),!0)]))):t.onError(Eu(32,x.loc))}else{if(b){if(h.has(b)){t.onError(Eu(38,y));continue}h.add(b),"default"===b&&(u=!0)}i.push(nu(g,k))}}if(!s){const e=(e,r)=>{const i=n(e,void 0,r,o);return t.compatConfig&&(i.isNonScopedSlot=!0),nu("default",i)};c?d.length&&d.some((e=>fh(e)))&&(u?t.onError(Eu(39,d[0].loc)):i.push(e(void 0,d))):i.push(e(void 0,r))}const f=l?2:ph(e.children)?3:1;let m=tu(i.concat(nu("_",ru(f+"",!1))),o);return a.length&&(m=iu(t.helper(Lc),[m,eu(a)])),{slots:m,hasDynamicSlots:l}}function hh(e,t,n){const r=[nu("name",e),nu("fn",t)];return null!=n&&r.push(nu("key",ru(String(n),!0))),tu(r)}function ph(e){for(let t=0;t<e.length;t++){const n=e[t];switch(n.type){case 1:if(2===n.tagType||ph(n.children))return!0;break;case 9:if(ph(n.branches))return!0;break;case 10:case 11:if(ph(n.children))return!0}}return!1}function fh(e){return 2!==e.type&&12!==e.type||(2===e.type?!!e.content.trim():fh(e.content))}const mh=new WeakMap,vh=(e,t)=>function(){if(1!==(e=t.currentNode).type||0!==e.tagType&&1!==e.tagType)return;const{tag:n,props:r}=e,o=1===e.tagType;let i=o?function(e,t,n=!1){let{tag:r}=e;const o=bh(r),i=Ou(e,"is",!1,!0);if(i)if(o||yu("COMPILER_IS_ON_ELEMENT",t)){let e;if(6===i.type?e=i.value&&ru(i.value.content,!0):(e=i.exp,e||(e=ru("is",!1,i.arg.loc))),e)return iu(t.helper(Bc),[e])}else 6===i.type&&i.value.content.startsWith("vue:")&&(r=i.value.content.slice(4));const a=Cu(r)||t.isBuiltInComponent(r);if(a)return n||t.helper(a),a;return t.helper(Cc),t.components.add(r),$u(r,"component")}(e,t):`"${n}"`;const a=k(i)&&i.callee===Bc;let l,s,c,u,d,h=0,p=a||i===pc||i===fc||!o&&("svg"===n||"foreignObject"===n||"math"===n);if(r.length>0){const n=gh(e,t,void 0,o,a);l=n.props,h=n.patchFlag,u=n.dynamicPropNames;const r=n.directives;d=r&&r.length?eu(r.map((e=>function(e,t){const n=[],r=mh.get(e);r?n.push(t.helperString(r)):(t.helper(Mc),t.directives.add(e.name),n.push($u(e.name,"directive")));const{loc:o}=e;e.exp&&n.push(e.exp);e.arg&&(e.exp||n.push("void 0"),n.push(e.arg));if(Object.keys(e.modifiers).length){e.arg||(e.exp||n.push("void 0"),n.push("void 0"));const t=ru("true",!1,o);n.push(tu(e.modifiers.map((e=>nu(e,t))),o))}return eu(n,e.loc)}(e,t)))):void 0,n.shouldUseBlock&&(p=!0)}if(e.children.length>0){i===mc&&(p=!0,h|=1024);if(o&&i!==pc&&i!==mc){const{slots:n,hasDynamicSlots:r}=dh(e,t);s=n,r&&(h|=1024)}else if(1===e.children.length&&i!==pc){const n=e.children[0],r=n.type,o=5===r||8===r;o&&0===Td(n,t)&&(h|=1),s=o||2===r?n:e.children}else s=e.children}u&&u.length&&(c=function(e){let t="[";for(let n=0,r=e.length;n<r;n++)t+=JSON.stringify(e[n]),n<r-1&&(t+=", ");return t+"]"}(u)),e.codegenNode=Qc(t,i,l,s,0===h?void 0:h,c,d,!!p,!1,o,e.loc)};function gh(e,t,n=e.props,r,o,i=!1){const{tag:a,loc:l,children:s}=e;let u=[];const d=[],h=[],p=s.length>0;let f=!1,m=0,v=!1,g=!1,w=!1,y=!1,b=!1,k=!1;const E=[],A=e=>{u.length&&(d.push(tu(wh(u),l)),u=[]),e&&d.push(e)},C=()=>{t.scopes.vFor>0&&u.push(nu(ru("ref_for",!0),ru("true")))},B=({key:e,value:n})=>{if(Au(e)){const i=e.content,a=c(i);if(!a||r&&!o||"onclick"===i.toLowerCase()||"onUpdate:modelValue"===i||S(i)||(y=!0),a&&S(i)&&(k=!0),a&&14===n.type&&(n=n.arguments[0]),20===n.type||(4===n.type||8===n.type)&&Td(n,t)>0)return;"ref"===i?v=!0:"class"===i?g=!0:"style"===i?w=!0:"key"===i||E.includes(i)||E.push(i),!r||"class"!==i&&"style"!==i||E.includes(i)||E.push(i)}else b=!0};for(let o=0;o<n.length;o++){const s=n[o];if(6===s.type){const{loc:e,name:n,nameLoc:r,value:o}=s;let i=!0;if("ref"===n&&(v=!0,C()),"is"===n&&(bh(a)||o&&o.content.startsWith("vue:")||yu("COMPILER_IS_ON_ELEMENT",t)))continue;u.push(nu(ru(n,!0,r),ru(o?o.content:"",i,o?o.loc:e)))}else{const{name:n,arg:o,exp:c,loc:v,modifiers:g}=s,w="bind"===n,y="on"===n;if("slot"===n){r||t.onError(Eu(40,v));continue}if("once"===n||"memo"===n)continue;if("is"===n||w&&Du(o,"is")&&(bh(a)||yu("COMPILER_IS_ON_ELEMENT",t)))continue;if(y&&i)continue;if((w&&Du(o,"key")||y&&p&&Du(o,"vue:before-update"))&&(f=!0),w&&Du(o,"ref")&&C(),!o&&(w||y)){if(b=!0,c)if(w){if(C(),A(),yu("COMPILER_V_BIND_OBJECT_ORDER",t)){d.unshift(c);continue}d.push(c)}else A({type:14,loc:v,callee:t.helper(Hc),arguments:r?[c]:[c,"true"]});else t.onError(Eu(w?34:35,v));continue}w&&g.some((e=>"prop"===e.content))&&(m|=32);const k=t.directiveTransforms[n];if(k){const{props:n,needRuntime:r}=k(s,e,t);!i&&n.forEach(B),y&&o&&!Au(o)?A(tu(n,l)):u.push(...n),r&&(h.push(s),x(r)&&mh.set(s,r))}else N(n)||(h.push(s),p&&(f=!0))}}let M;if(d.length?(A(),M=d.length>1?iu(t.helper(Ic),d,l):d[0]):u.length&&(M=tu(wh(u),l)),b?m|=16:(g&&!r&&(m|=2),w&&!r&&(m|=4),E.length&&(m|=8),y&&(m|=32)),f||0!==m&&32!==m||!(v||k||h.length>0)||(m|=512),!t.inSSR&&M)switch(M.type){case 15:let e=-1,n=-1,r=!1;for(let t=0;t<M.properties.length;t++){const o=M.properties[t].key;Au(o)?"class"===o.content?e=t:"style"===o.content&&(n=t):o.isHandlerKey||(r=!0)}const o=M.properties[e],i=M.properties[n];r?M=iu(t.helper(Dc),[M]):(o&&!Au(o.value)&&(o.value=iu(t.helper(Zc),[o.value])),i&&(w||4===i.value.type&&"["===i.value.content.trim()[0]||17===i.value.type)&&(i.value=iu(t.helper(Oc),[i.value])));break;case 14:break;default:M=iu(t.helper(Dc),[iu(t.helper(Rc),[M])])}return{props:M,directives:h,patchFlag:m,dynamicPropNames:E,shouldUseBlock:f}}function wh(e){const t=new Map,n=[];for(let r=0;r<e.length;r++){const o=e[r];if(8===o.key.type||!o.key.isStatic){n.push(o);continue}const i=o.key.content,a=t.get(i);a?("style"===i||"class"===i||c(i))&&yh(a,o):(t.set(i,o),n.push(o))}return n}function yh(e,t){17===e.value.type?e.value.elements.push(t.value):e.value=eu([e.value,t.value],e.loc)}function bh(e){return"component"===e||"Component"===e}const xh=(e,t)=>{if(ju(e)){const{children:n,loc:r}=e,{slotName:o,slotProps:i}=function(e,t){let n,r='"default"';const o=[];for(let t=0;t<e.props.length;t++){const n=e.props[t];if(6===n.type)n.value&&("name"===n.name?r=JSON.stringify(n.value.content):(n.name=T(n.name),o.push(n)));else if("bind"===n.name&&Du(n.arg,"name")){if(n.exp)r=n.exp;else if(n.arg&&4===n.arg.type){const e=T(n.arg.content);r=n.exp=ru(e,!1,n.arg.loc)}}else"bind"===n.name&&n.arg&&Au(n.arg)&&(n.arg.content=T(n.arg.content)),o.push(n)}if(o.length>0){const{props:r,directives:i}=gh(e,t,o,!1,!1);n=r,i.length&&t.onError(Eu(36,i[0].loc))}return{slotName:r,slotProps:n}}(e,t),a=[t.prefixIdentifiers?"_ctx.$slots":"$slots",o,"{}","undefined","true"];let l=2;i&&(a[2]=i,l=3),n.length&&(a[3]=au([],n,!1,!1,r),l=4),t.scopeId&&!t.slotted&&(l=5),a.splice(l),e.codegenNode=iu(t.helper(Vc),a,r)}};const kh=(e,t,n,r)=>{const{loc:o,modifiers:i,arg:a}=e;let l;if(e.exp||i.length||n.onError(Eu(35,o)),4===a.type)if(a.isStatic){let e=a.content;0,e.startsWith("vue:")&&(e=`vnode-${e.slice(4)}`);l=ru(0!==t.tagType||e.startsWith("vnode")||!/[A-Z]/.test(e)?D(T(e)):`on:${e}`,!0,a.loc)}else l=ou([`${n.helperString(Fc)}(`,a,")"]);else l=a,l.children.unshift(`${n.helperString(Fc)}(`),l.children.push(")");let s=e.exp;s&&!s.content.trim()&&(s=void 0);let c=n.cacheHandlers&&!s&&!n.inVOnce;if(s){const e=Lu(s),t=!(e||Iu(s)),n=s.content.includes(";");0,(t||c&&e)&&(s=ou([`${t?"$event":"(...args)"} => ${n?"{":"("}`,s,n?"}":")"]))}let u={props:[nu(l,s||ru("() => {}",!1,o))]};return r&&(u=r(u)),c&&(u.props[0].value=n.cache(u.props[0].value)),u.props.forEach((e=>e.key.isHandlerKey=!0)),u},Eh=(e,t)=>{if(0===e.type||1===e.type||11===e.type||10===e.type)return()=>{const n=e.children;let r,o=!1;for(let e=0;e<n.length;e++){const t=n[e];if(Ru(t)){o=!0;for(let o=e+1;o<n.length;o++){const i=n[o];if(!Ru(i)){r=void 0;break}r||(r=n[e]=ou([t],t.loc)),r.children.push(" + ",i),n.splice(o,1),o--}}}if(o&&(1!==n.length||0!==e.type&&(1!==e.type||0!==e.tagType||e.props.find((e=>7===e.type&&!t.directiveTransforms[e.name]))||"template"===e.tag)))for(let e=0;e<n.length;e++){const r=n[e];if(Ru(r)||8===r.type){const o=[];2===r.type&&" "===r.content||o.push(r),t.ssr||0!==Td(r,t)||o.push("1"),n[e]={type:12,content:r,loc:r.loc,codegenNode:iu(t.helper(Ec),o)}}}}},Ah=new WeakSet,Ch=(e,t)=>{if(1===e.type&&Zu(e,"once",!0)){if(Ah.has(e)||t.inVOnce||t.inSSR)return;return Ah.add(e),t.inVOnce=!0,t.helper(zc),()=>{t.inVOnce=!1;const e=t.currentNode;e.codegenNode&&(e.codegenNode=t.cache(e.codegenNode,!0,!0))}}},Bh=(e,t,n)=>{const{exp:r,arg:o}=e;if(!r)return n.onError(Eu(41,e.loc)),Mh();const i=r.loc.source.trim(),a=4===r.type?r.content:i,l=n.bindingMetadata[i];if("props"===l||"props-aliased"===l)return n.onError(Eu(44,r.loc)),Mh();if(!a.trim()||!Lu(r))return n.onError(Eu(42,r.loc)),Mh();const s=o||ru("modelValue",!0),c=o?Au(o)?`onUpdate:${T(o.content)}`:ou(['"onUpdate:" + ',o]):"onUpdate:modelValue";let u;u=ou([`${n.isTS?"($event: any)":"$event"} => ((`,r,") = $event)"]);const d=[nu(s,e.exp),nu(c,u)];if(e.modifiers.length&&1===t.tagType){const t=e.modifiers.map((e=>e.content)).map((e=>(Mu(e)?e:JSON.stringify(e))+": true")).join(", "),n=o?Au(o)?`${o.content}Modifiers`:ou([o,' + "Modifiers"']):"modelModifiers";d.push(nu(n,ru(`{ ${t} }`,!1,e.loc,2)))}return Mh(d)};function Mh(e=[]){return{props:e}}const _h=/[\w).+\-_$\]]/,Sh=(e,t)=>{yu("COMPILER_FILTERS",t)&&(5===e.type?Nh(e.content,t):1===e.type&&e.props.forEach((e=>{7===e.type&&"for"!==e.name&&e.exp&&Nh(e.exp,t)})))};function Nh(e,t){if(4===e.type)Vh(e,t);else for(let n=0;n<e.children.length;n++){const r=e.children[n];"object"==typeof r&&(4===r.type?Vh(r,t):8===r.type?Nh(e,t):5===r.type&&Nh(r.content,t))}}function Vh(e,t){const n=e.content;let r,o,i,a,l=!1,s=!1,c=!1,u=!1,d=0,h=0,p=0,f=0,m=[];for(i=0;i<n.length;i++)if(o=r,r=n.charCodeAt(i),l)39===r&&92!==o&&(l=!1);else if(s)34===r&&92!==o&&(s=!1);else if(c)96===r&&92!==o&&(c=!1);else if(u)47===r&&92!==o&&(u=!1);else if(124!==r||124===n.charCodeAt(i+1)||124===n.charCodeAt(i-1)||d||h||p){switch(r){case 34:s=!0;break;case 39:l=!0;break;case 96:c=!0;break;case 40:p++;break;case 41:p--;break;case 91:h++;break;case 93:h--;break;case 123:d++;break;case 125:d--}if(47===r){let e,t=i-1;for(;t>=0&&(e=n.charAt(t)," "===e);t--);e&&_h.test(e)||(u=!0)}}else void 0===a?(f=i+1,a=n.slice(0,i).trim()):v();function v(){m.push(n.slice(f,i).trim()),f=i+1}if(void 0===a?a=n.slice(0,i).trim():0!==f&&v(),m.length){for(i=0;i<m.length;i++)a=Lh(a,m[i],t);e.content=a,e.ast=void 0}}function Lh(e,t,n){n.helper(_c);const r=t.indexOf("(");if(r<0)return n.filters.add(t),`${$u(t,"filter")}(${e})`;{const o=t.slice(0,r),i=t.slice(r+1);return n.filters.add(o),`${$u(o,"filter")}(${e}${")"!==i?","+i:i}`}}const Th=new WeakSet,Ih=(e,t)=>{if(1===e.type){const n=Zu(e,"memo");if(!n||Th.has(e))return;return Th.add(e),()=>{const r=e.codegenNode||t.currentNode.codegenNode;r&&13===r.type&&(1!==e.tagType&&uu(r,t),e.codegenNode=iu(t.helper(Kc),[n.exp,au(void 0,r),"_cache",String(t.cached.length)]),t.cached.push(null))}}};function Zh(e,t={}){const n=t.onError||xu,r="module"===t.mode;!0===t.prefixIdentifiers?n(Eu(47)):r&&n(Eu(48));t.cacheHandlers&&n(Eu(49)),t.scopeId&&!r&&n(Eu(50));const o=d({},t,{prefixIdentifiers:!1}),i=b(e)?Sd(e,o):e,[a,l]=[[Ch,Jd,Ih,ih,Sh,xh,vh,ch,Eh],{on:kh,bind:nh,model:Bh}];return Hd(i,d({},o,{nodeTransforms:[...a,...t.nodeTransforms||[]],directiveTransforms:d({},l,t.directiveTransforms||{})})),qd(i,o)}const Oh=Symbol(""),Dh=Symbol(""),Rh=Symbol(""),Hh=Symbol(""),Ph=Symbol(""),jh=Symbol(""),Fh=Symbol(""),zh=Symbol(""),qh=Symbol(""),Uh=Symbol("");var $h;let Wh;$h={[Oh]:"vModelRadio",[Dh]:"vModelCheckbox",[Rh]:"vModelText",[Hh]:"vModelSelect",[Ph]:"vModelDynamic",[jh]:"withModifiers",[Fh]:"withKeys",[zh]:"vShow",[qh]:"Transition",[Uh]:"TransitionGroup"},Object.getOwnPropertySymbols($h).forEach((e=>{Xc[e]=$h[e]}));const Gh={parseMode:"html",isVoidTag:ne,isNativeTag:e=>Q(e)||ee(e)||te(e),isPreTag:e=>"pre"===e,isIgnoreNewlineTag:e=>"pre"===e||"textarea"===e,decodeEntities:function(e,t=!1){return Wh||(Wh=document.createElement("div")),t?(Wh.innerHTML=`<div foo="${e.replace(/"/g,"&quot;")}">`,Wh.children[0].getAttribute("foo")):(Wh.innerHTML=e,Wh.textContent)},isBuiltInComponent:e=>"Transition"===e||"transition"===e?qh:"TransitionGroup"===e||"transition-group"===e?Uh:void 0,getNamespace(e,t,n){let r=t?t.ns:n;if(t&&2===r)if("annotation-xml"===t.tag){if("svg"===e)return 1;t.props.some((e=>6===e.type&&"encoding"===e.name&&null!=e.value&&("text/html"===e.value.content||"application/xhtml+xml"===e.value.content)))&&(r=0)}else/^m(?:[ions]|text)$/.test(t.tag)&&"mglyph"!==e&&"malignmark"!==e&&(r=0);else t&&1===r&&("foreignObject"!==t.tag&&"desc"!==t.tag&&"title"!==t.tag||(r=0));if(0===r){if("svg"===e)return 1;if("math"===e)return 2}return r}},Kh=(e,t)=>{const n=Y(e);return ru(JSON.stringify(n),!1,t,3)};function Yh(e,t){return Eu(e,t)}const Xh=o("passive,once,capture"),Jh=o("stop,prevent,self,ctrl,shift,alt,meta,exact,middle"),Qh=o("left,right"),ep=o("onkeyup,onkeydown,onkeypress"),tp=(e,t)=>Au(e)&&"onclick"===e.content.toLowerCase()?ru(t,!0):4!==e.type?ou(["(",e,`) === "onClick" ? "${t}" : (`,e,")"]):e;const np=(e,t)=>{1!==e.type||0!==e.tagType||"script"!==e.tag&&"style"!==e.tag||t.removeNode()};const rp=[e=>{1===e.type&&e.props.forEach(((t,n)=>{6===t.type&&"style"===t.name&&t.value&&(e.props[n]={type:7,name:"bind",arg:ru("style",!0,t.loc),exp:Kh(t.value.content,t.loc),modifiers:[],loc:t.loc})}))}],op={cloak:()=>({props:[]}),html:(e,t,n)=>{const{exp:r,loc:o}=e;return r||n.onError(Yh(53,o)),t.children.length&&(n.onError(Yh(54,o)),t.children.length=0),{props:[nu(ru("innerHTML",!0,o),r||ru("",!0))]}},text:(e,t,n)=>{const{exp:r,loc:o}=e;return r||n.onError(Yh(55,o)),t.children.length&&(n.onError(Yh(56,o)),t.children.length=0),{props:[nu(ru("textContent",!0),r?Td(r,n)>0?r:iu(n.helperString(Tc),[r],o):ru("",!0))]}},model:(e,t,n)=>{const r=Bh(e,t,n);if(!r.props.length||1===t.tagType)return r;e.arg&&n.onError(Yh(58,e.arg.loc));const{tag:o}=t,i=n.isCustomElement(o);if("input"===o||"textarea"===o||"select"===o||i){let a=Rh,l=!1;if("input"===o||i){const r=Ou(t,"type");if(r){if(7===r.type)a=Ph;else if(r.value)switch(r.value.content){case"radio":a=Oh;break;case"checkbox":a=Dh;break;case"file":l=!0,n.onError(Yh(59,e.loc))}}else(function(e){return e.props.some((e=>!(7!==e.type||"bind"!==e.name||e.arg&&4===e.arg.type&&e.arg.isStatic)))})(t)&&(a=Ph)}else"select"===o&&(a=Hh);l||(r.needRuntime=n.helper(a))}else n.onError(Yh(57,e.loc));return r.props=r.props.filter((e=>!(4===e.key.type&&"modelValue"===e.key.content))),r},on:(e,t,n)=>kh(e,t,n,(t=>{const{modifiers:r}=e;if(!r.length)return t;let{key:o,value:i}=t.props[0];const{keyModifiers:a,nonKeyModifiers:l,eventOptionModifiers:s}=((e,t,n)=>{const r=[],o=[],i=[];for(let a=0;a<t.length;a++){const l=t[a].content;"native"===l&&bu("COMPILER_V_ON_NATIVE",n)||Xh(l)?i.push(l):Qh(l)?Au(e)?ep(e.content.toLowerCase())?r.push(l):o.push(l):(r.push(l),o.push(l)):Jh(l)?o.push(l):r.push(l)}return{keyModifiers:r,nonKeyModifiers:o,eventOptionModifiers:i}})(o,r,n,e.loc);if(l.includes("right")&&(o=tp(o,"onContextmenu")),l.includes("middle")&&(o=tp(o,"onMouseup")),l.length&&(i=iu(n.helper(jh),[i,JSON.stringify(l)])),!a.length||Au(o)&&!ep(o.content.toLowerCase())||(i=iu(n.helper(Fh),[i,JSON.stringify(a)])),s.length){const e=s.map(O).join("");o=Au(o)?ru(`${o.content}${e}`,!0):ou(["(",o,`) + "${e}"`])}return{props:[nu(o,i)]}})),show:(e,t,n)=>{const{exp:r,loc:o}=e;return r||n.onError(Yh(61,o)),{props:[],needRuntime:n.helper(zh)}}};const ip=Object.create(null);function ap(e,t){if(!b(e)){if(!e.nodeType)return l;e=e.innerHTML}const n=function(e,t){return e+JSON.stringify(t,((e,t)=>"function"==typeof t?t.toString():t))}(e,t),o=ip[n];if(o)return o;if("#"===e[0]){const t=document.querySelector(e);0,e=t?t.innerHTML:""}const i=d({hoistStatic:!0,onError:void 0,onWarn:l},t);i.isCustomElement||"undefined"==typeof customElements||(i.isCustomElement=e=>!!customElements.get(e));const{code:a}=function(e,t={}){return Zh(e,d({},Gh,t,{nodeTransforms:[np,...rp,...t.nodeTransforms||[]],directiveTransforms:d({},op,t.directiveTransforms||{}),transformHoist:null}))}(e,i);const s=new Function("Vue",a)(r);return s._rc=!0,ip[n]=s}el(ap)},66278:(e,t,n)=>{"use strict";n.d(t,{$t:()=>q,y$:()=>D,i0:()=>z,L8:()=>F,PY:()=>j,Pj:()=>h});var r=n(29726);function o(){return"undefined"!=typeof navigator&&"undefined"!=typeof window?window:"undefined"!=typeof globalThis?globalThis:{}}const i="function"==typeof Proxy;let a,l;function s(){return void 0!==a||("undefined"!=typeof window&&window.performance?(a=!0,l=window.performance):"undefined"!=typeof globalThis&&(null===(e=globalThis.perf_hooks)||void 0===e?void 0:e.performance)?(a=!0,l=globalThis.perf_hooks.performance):a=!1),a?l.now():Date.now();var e}class c{constructor(e,t){this.target=null,this.targetQueue=[],this.onQueue=[],this.plugin=e,this.hook=t;const n={};if(e.settings)for(const t in e.settings){const r=e.settings[t];n[t]=r.defaultValue}const r=`__vue-devtools-plugin-settings__${e.id}`;let o=Object.assign({},n);try{const e=localStorage.getItem(r),t=JSON.parse(e);Object.assign(o,t)}catch(e){}this.fallbacks={getSettings:()=>o,setSettings(e){try{localStorage.setItem(r,JSON.stringify(e))}catch(e){}o=e},now:()=>s()},t&&t.on("plugin:settings:set",((e,t)=>{e===this.plugin.id&&this.fallbacks.setSettings(t)})),this.proxiedOn=new Proxy({},{get:(e,t)=>this.target?this.target.on[t]:(...e)=>{this.onQueue.push({method:t,args:e})}}),this.proxiedTarget=new Proxy({},{get:(e,t)=>this.target?this.target[t]:"on"===t?this.proxiedOn:Object.keys(this.fallbacks).includes(t)?(...e)=>(this.targetQueue.push({method:t,args:e,resolve:()=>{}}),this.fallbacks[t](...e)):(...e)=>new Promise((n=>{this.targetQueue.push({method:t,args:e,resolve:n})}))})}async setRealTarget(e){this.target=e;for(const e of this.onQueue)this.target.on[e.method](...e.args);for(const e of this.targetQueue)e.resolve(await this.target[e.method](...e.args))}}function u(e,t){const n=e,r=o(),a=o().__VUE_DEVTOOLS_GLOBAL_HOOK__,l=i&&n.enableEarlyProxy;if(!a||!r.__VUE_DEVTOOLS_PLUGIN_API_AVAILABLE__&&l){const e=l?new c(n,a):null;(r.__VUE_DEVTOOLS_PLUGINS__=r.__VUE_DEVTOOLS_PLUGINS__||[]).push({pluginDescriptor:n,setupFn:t,proxy:e}),e&&t(e.proxiedTarget)}else a.emit("devtools-plugin:setup",e,t)}var d="store";function h(e){return void 0===e&&(e=null),(0,r.inject)(null!==e?e:d)}function p(e,t){Object.keys(e).forEach((function(n){return t(e[n],n)}))}function f(e){return null!==e&&"object"==typeof e}function m(e,t,n){return t.indexOf(e)<0&&(n&&n.prepend?t.unshift(e):t.push(e)),function(){var n=t.indexOf(e);n>-1&&t.splice(n,1)}}function v(e,t){e._actions=Object.create(null),e._mutations=Object.create(null),e._wrappedGetters=Object.create(null),e._modulesNamespaceMap=Object.create(null);var n=e.state;w(e,n,[],e._modules.root,!0),g(e,n,t)}function g(e,t,n){var o=e._state,i=e._scope;e.getters={},e._makeLocalGettersCache=Object.create(null);var a=e._wrappedGetters,l={},s={},c=(0,r.effectScope)(!0);c.run((function(){p(a,(function(t,n){l[n]=function(e,t){return function(){return e(t)}}(t,e),s[n]=(0,r.computed)((function(){return l[n]()})),Object.defineProperty(e.getters,n,{get:function(){return s[n].value},enumerable:!0})}))})),e._state=(0,r.reactive)({data:t}),e._scope=c,e.strict&&function(e){(0,r.watch)((function(){return e._state.data}),(function(){0}),{deep:!0,flush:"sync"})}(e),o&&n&&e._withCommit((function(){o.data=null})),i&&i.stop()}function w(e,t,n,r,o){var i=!n.length,a=e._modules.getNamespace(n);if(r.namespaced&&(e._modulesNamespaceMap[a],e._modulesNamespaceMap[a]=r),!i&&!o){var l=b(t,n.slice(0,-1)),s=n[n.length-1];e._withCommit((function(){l[s]=r.state}))}var c=r.context=function(e,t,n){var r=""===t,o={dispatch:r?e.dispatch:function(n,r,o){var i=x(n,r,o),a=i.payload,l=i.options,s=i.type;return l&&l.root||(s=t+s),e.dispatch(s,a)},commit:r?e.commit:function(n,r,o){var i=x(n,r,o),a=i.payload,l=i.options,s=i.type;l&&l.root||(s=t+s),e.commit(s,a,l)}};return Object.defineProperties(o,{getters:{get:r?function(){return e.getters}:function(){return y(e,t)}},state:{get:function(){return b(e.state,n)}}}),o}(e,a,n);r.forEachMutation((function(t,n){!function(e,t,n,r){var o=e._mutations[t]||(e._mutations[t]=[]);o.push((function(t){n.call(e,r.state,t)}))}(e,a+n,t,c)})),r.forEachAction((function(t,n){var r=t.root?n:a+n,o=t.handler||t;!function(e,t,n,r){var o=e._actions[t]||(e._actions[t]=[]);o.push((function(t){var o,i=n.call(e,{dispatch:r.dispatch,commit:r.commit,getters:r.getters,state:r.state,rootGetters:e.getters,rootState:e.state},t);return(o=i)&&"function"==typeof o.then||(i=Promise.resolve(i)),e._devtoolHook?i.catch((function(t){throw e._devtoolHook.emit("vuex:error",t),t})):i}))}(e,r,o,c)})),r.forEachGetter((function(t,n){!function(e,t,n,r){if(e._wrappedGetters[t])return void 0;e._wrappedGetters[t]=function(e){return n(r.state,r.getters,e.state,e.getters)}}(e,a+n,t,c)})),r.forEachChild((function(r,i){w(e,t,n.concat(i),r,o)}))}function y(e,t){if(!e._makeLocalGettersCache[t]){var n={},r=t.length;Object.keys(e.getters).forEach((function(o){if(o.slice(0,r)===t){var i=o.slice(r);Object.defineProperty(n,i,{get:function(){return e.getters[o]},enumerable:!0})}})),e._makeLocalGettersCache[t]=n}return e._makeLocalGettersCache[t]}function b(e,t){return t.reduce((function(e,t){return e[t]}),e)}function x(e,t,n){return f(e)&&e.type&&(n=t,t=e,e=e.type),{type:e,payload:t,options:n}}var k="vuex:mutations",E="vuex:actions",A="vuex",C=0;function B(e,t){u({id:"org.vuejs.vuex",app:e,label:"Vuex",homepage:"https://next.vuex.vuejs.org/",logo:"https://vuejs.org/images/icons/favicon-96x96.png",packageName:"vuex",componentStateTypes:["vuex bindings"]},(function(n){n.addTimelineLayer({id:k,label:"Vuex Mutations",color:M}),n.addTimelineLayer({id:E,label:"Vuex Actions",color:M}),n.addInspector({id:A,label:"Vuex",icon:"storage",treeFilterPlaceholder:"Filter stores..."}),n.on.getInspectorTree((function(n){if(n.app===e&&n.inspectorId===A)if(n.filter){var r=[];V(r,t._modules.root,n.filter,""),n.rootNodes=r}else n.rootNodes=[N(t._modules.root,"")]})),n.on.getInspectorState((function(n){if(n.app===e&&n.inspectorId===A){var r=n.nodeId;y(t,r),n.state=function(e,t,n){t="root"===n?t:t[n];var r=Object.keys(t),o={state:Object.keys(e.state).map((function(t){return{key:t,editable:!0,value:e.state[t]}}))};if(r.length){var i=function(e){var t={};return Object.keys(e).forEach((function(n){var r=n.split("/");if(r.length>1){var o=t,i=r.pop();r.forEach((function(e){o[e]||(o[e]={_custom:{value:{},display:e,tooltip:"Module",abstract:!0}}),o=o[e]._custom.value})),o[i]=L((function(){return e[n]}))}else t[n]=L((function(){return e[n]}))})),t}(t);o.getters=Object.keys(i).map((function(e){return{key:e.endsWith("/")?S(e):e,editable:!1,value:L((function(){return i[e]}))}}))}return o}((o=t._modules,(a=(i=r).split("/").filter((function(e){return e}))).reduce((function(e,t,n){var r=e[t];if(!r)throw new Error('Missing module "'+t+'" for path "'+i+'".');return n===a.length-1?r:r._children}),"root"===i?o:o.root._children)),"root"===r?t.getters:t._makeLocalGettersCache,r)}var o,i,a})),n.on.editInspectorState((function(n){if(n.app===e&&n.inspectorId===A){var r=n.nodeId,o=n.path;"root"!==r&&(o=r.split("/").filter(Boolean).concat(o)),t._withCommit((function(){n.set(t._state.data,o,n.state.value)}))}})),t.subscribe((function(e,t){var r={};e.payload&&(r.payload=e.payload),r.state=t,n.notifyComponentUpdate(),n.sendInspectorTree(A),n.sendInspectorState(A),n.addTimelineEvent({layerId:k,event:{time:Date.now(),title:e.type,data:r}})})),t.subscribeAction({before:function(e,t){var r={};e.payload&&(r.payload=e.payload),e._id=C++,e._time=Date.now(),r.state=t,n.addTimelineEvent({layerId:E,event:{time:e._time,title:e.type,groupId:e._id,subtitle:"start",data:r}})},after:function(e,t){var r={},o=Date.now()-e._time;r.duration={_custom:{type:"duration",display:o+"ms",tooltip:"Action duration",value:o}},e.payload&&(r.payload=e.payload),r.state=t,n.addTimelineEvent({layerId:E,event:{time:Date.now(),title:e.type,groupId:e._id,subtitle:"end",data:r}})}})}))}var M=8702998,_={label:"namespaced",textColor:16777215,backgroundColor:6710886};function S(e){return e&&"root"!==e?e.split("/").slice(-2,-1)[0]:"Root"}function N(e,t){return{id:t||"root",label:S(t),tags:e.namespaced?[_]:[],children:Object.keys(e._children).map((function(n){return N(e._children[n],t+n+"/")}))}}function V(e,t,n,r){r.includes(n)&&e.push({id:r||"root",label:r.endsWith("/")?r.slice(0,r.length-1):r||"Root",tags:t.namespaced?[_]:[]}),Object.keys(t._children).forEach((function(o){V(e,t._children[o],n,r+o+"/")}))}function L(e){try{return e()}catch(e){return e}}var T=function(e,t){this.runtime=t,this._children=Object.create(null),this._rawModule=e;var n=e.state;this.state=("function"==typeof n?n():n)||{}},I={namespaced:{configurable:!0}};I.namespaced.get=function(){return!!this._rawModule.namespaced},T.prototype.addChild=function(e,t){this._children[e]=t},T.prototype.removeChild=function(e){delete this._children[e]},T.prototype.getChild=function(e){return this._children[e]},T.prototype.hasChild=function(e){return e in this._children},T.prototype.update=function(e){this._rawModule.namespaced=e.namespaced,e.actions&&(this._rawModule.actions=e.actions),e.mutations&&(this._rawModule.mutations=e.mutations),e.getters&&(this._rawModule.getters=e.getters)},T.prototype.forEachChild=function(e){p(this._children,e)},T.prototype.forEachGetter=function(e){this._rawModule.getters&&p(this._rawModule.getters,e)},T.prototype.forEachAction=function(e){this._rawModule.actions&&p(this._rawModule.actions,e)},T.prototype.forEachMutation=function(e){this._rawModule.mutations&&p(this._rawModule.mutations,e)},Object.defineProperties(T.prototype,I);var Z=function(e){this.register([],e,!1)};function O(e,t,n){if(t.update(n),n.modules)for(var r in n.modules){if(!t.getChild(r))return void 0;O(e.concat(r),t.getChild(r),n.modules[r])}}Z.prototype.get=function(e){return e.reduce((function(e,t){return e.getChild(t)}),this.root)},Z.prototype.getNamespace=function(e){var t=this.root;return e.reduce((function(e,n){return e+((t=t.getChild(n)).namespaced?n+"/":"")}),"")},Z.prototype.update=function(e){O([],this.root,e)},Z.prototype.register=function(e,t,n){var r=this;void 0===n&&(n=!0);var o=new T(t,n);0===e.length?this.root=o:this.get(e.slice(0,-1)).addChild(e[e.length-1],o);t.modules&&p(t.modules,(function(t,o){r.register(e.concat(o),t,n)}))},Z.prototype.unregister=function(e){var t=this.get(e.slice(0,-1)),n=e[e.length-1],r=t.getChild(n);r&&r.runtime&&t.removeChild(n)},Z.prototype.isRegistered=function(e){var t=this.get(e.slice(0,-1)),n=e[e.length-1];return!!t&&t.hasChild(n)};function D(e){return new R(e)}var R=function(e){var t=this;void 0===e&&(e={});var n=e.plugins;void 0===n&&(n=[]);var r=e.strict;void 0===r&&(r=!1);var o=e.devtools;this._committing=!1,this._actions=Object.create(null),this._actionSubscribers=[],this._mutations=Object.create(null),this._wrappedGetters=Object.create(null),this._modules=new Z(e),this._modulesNamespaceMap=Object.create(null),this._subscribers=[],this._makeLocalGettersCache=Object.create(null),this._scope=null,this._devtools=o;var i=this,a=this.dispatch,l=this.commit;this.dispatch=function(e,t){return a.call(i,e,t)},this.commit=function(e,t,n){return l.call(i,e,t,n)},this.strict=r;var s=this._modules.root.state;w(this,s,[],this._modules.root),g(this,s),n.forEach((function(e){return e(t)}))},H={state:{configurable:!0}};R.prototype.install=function(e,t){e.provide(t||d,this),e.config.globalProperties.$store=this,void 0!==this._devtools&&this._devtools&&B(e,this)},H.state.get=function(){return this._state.data},H.state.set=function(e){0},R.prototype.commit=function(e,t,n){var r=this,o=x(e,t,n),i=o.type,a=o.payload,l=(o.options,{type:i,payload:a}),s=this._mutations[i];s&&(this._withCommit((function(){s.forEach((function(e){e(a)}))})),this._subscribers.slice().forEach((function(e){return e(l,r.state)})))},R.prototype.dispatch=function(e,t){var n=this,r=x(e,t),o=r.type,i=r.payload,a={type:o,payload:i},l=this._actions[o];if(l){try{this._actionSubscribers.slice().filter((function(e){return e.before})).forEach((function(e){return e.before(a,n.state)}))}catch(e){0}var s=l.length>1?Promise.all(l.map((function(e){return e(i)}))):l[0](i);return new Promise((function(e,t){s.then((function(t){try{n._actionSubscribers.filter((function(e){return e.after})).forEach((function(e){return e.after(a,n.state)}))}catch(e){0}e(t)}),(function(e){try{n._actionSubscribers.filter((function(e){return e.error})).forEach((function(t){return t.error(a,n.state,e)}))}catch(e){0}t(e)}))}))}},R.prototype.subscribe=function(e,t){return m(e,this._subscribers,t)},R.prototype.subscribeAction=function(e,t){return m("function"==typeof e?{before:e}:e,this._actionSubscribers,t)},R.prototype.watch=function(e,t,n){var o=this;return(0,r.watch)((function(){return e(o.state,o.getters)}),t,Object.assign({},n))},R.prototype.replaceState=function(e){var t=this;this._withCommit((function(){t._state.data=e}))},R.prototype.registerModule=function(e,t,n){void 0===n&&(n={}),"string"==typeof e&&(e=[e]),this._modules.register(e,t),w(this,this.state,e,this._modules.get(e),n.preserveState),g(this,this.state)},R.prototype.unregisterModule=function(e){var t=this;"string"==typeof e&&(e=[e]),this._modules.unregister(e),this._withCommit((function(){delete b(t.state,e.slice(0,-1))[e[e.length-1]]})),v(this)},R.prototype.hasModule=function(e){return"string"==typeof e&&(e=[e]),this._modules.isRegistered(e)},R.prototype.hotUpdate=function(e){this._modules.update(e),v(this,!0)},R.prototype._withCommit=function(e){var t=this._committing;this._committing=!0,e(),this._committing=t},Object.defineProperties(R.prototype,H);var P=$((function(e,t){var n={};return U(t).forEach((function(t){var r=t.key,o=t.val;n[r]=function(){var t=this.$store.state,n=this.$store.getters;if(e){var r=W(this.$store,"mapState",e);if(!r)return;t=r.context.state,n=r.context.getters}return"function"==typeof o?o.call(this,t,n):t[o]},n[r].vuex=!0})),n})),j=$((function(e,t){var n={};return U(t).forEach((function(t){var r=t.key,o=t.val;n[r]=function(){for(var t=[],n=arguments.length;n--;)t[n]=arguments[n];var r=this.$store.commit;if(e){var i=W(this.$store,"mapMutations",e);if(!i)return;r=i.context.commit}return"function"==typeof o?o.apply(this,[r].concat(t)):r.apply(this.$store,[o].concat(t))}})),n})),F=$((function(e,t){var n={};return U(t).forEach((function(t){var r=t.key,o=t.val;o=e+o,n[r]=function(){if(!e||W(this.$store,"mapGetters",e))return this.$store.getters[o]},n[r].vuex=!0})),n})),z=$((function(e,t){var n={};return U(t).forEach((function(t){var r=t.key,o=t.val;n[r]=function(){for(var t=[],n=arguments.length;n--;)t[n]=arguments[n];var r=this.$store.dispatch;if(e){var i=W(this.$store,"mapActions",e);if(!i)return;r=i.context.dispatch}return"function"==typeof o?o.apply(this,[r].concat(t)):r.apply(this.$store,[o].concat(t))}})),n})),q=function(e){return{mapState:P.bind(null,e),mapGetters:F.bind(null,e),mapMutations:j.bind(null,e),mapActions:z.bind(null,e)}};function U(e){return function(e){return Array.isArray(e)||f(e)}(e)?Array.isArray(e)?e.map((function(e){return{key:e,val:e}})):Object.keys(e).map((function(t){return{key:t,val:e[t]}})):[]}function $(e){return function(t,n){return"string"!=typeof t?(n=t,t=""):"/"!==t.charAt(t.length-1)&&(t+="/"),e(t,n)}}function W(e,t,n){return e._modulesNamespaceMap[n]}},86425:(e,t,n)=>{"use strict";var r=n(65606),o=n(48287).hp;function i(e,t){return function(){return e.apply(t,arguments)}}const{toString:a}=Object.prototype,{getPrototypeOf:l}=Object,s=(c=Object.create(null),e=>{const t=a.call(e);return c[t]||(c[t]=t.slice(8,-1).toLowerCase())});var c;const u=e=>(e=e.toLowerCase(),t=>s(t)===e),d=e=>t=>typeof t===e,{isArray:h}=Array,p=d("undefined");const f=u("ArrayBuffer");const m=d("string"),v=d("function"),g=d("number"),w=e=>null!==e&&"object"==typeof e,y=e=>{if("object"!==s(e))return!1;const t=l(e);return!(null!==t&&t!==Object.prototype&&null!==Object.getPrototypeOf(t)||Symbol.toStringTag in e||Symbol.iterator in e)},b=u("Date"),x=u("File"),k=u("Blob"),E=u("FileList"),A=u("URLSearchParams"),[C,B,M,_]=["ReadableStream","Request","Response","Headers"].map(u);function S(e,t,{allOwnKeys:n=!1}={}){if(null==e)return;let r,o;if("object"!=typeof e&&(e=[e]),h(e))for(r=0,o=e.length;r<o;r++)t.call(null,e[r],r,e);else{const o=n?Object.getOwnPropertyNames(e):Object.keys(e),i=o.length;let a;for(r=0;r<i;r++)a=o[r],t.call(null,e[a],a,e)}}function N(e,t){t=t.toLowerCase();const n=Object.keys(e);let r,o=n.length;for(;o-- >0;)if(r=n[o],t===r.toLowerCase())return r;return null}const V="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof self?self:"undefined"!=typeof window?window:n.g,L=e=>!p(e)&&e!==V;const T=(I="undefined"!=typeof Uint8Array&&l(Uint8Array),e=>I&&e instanceof I);var I;const Z=u("HTMLFormElement"),O=(({hasOwnProperty:e})=>(t,n)=>e.call(t,n))(Object.prototype),D=u("RegExp"),R=(e,t)=>{const n=Object.getOwnPropertyDescriptors(e),r={};S(n,((n,o)=>{let i;!1!==(i=t(n,o,e))&&(r[o]=i||n)})),Object.defineProperties(e,r)},H="abcdefghijklmnopqrstuvwxyz",P="0123456789",j={DIGIT:P,ALPHA:H,ALPHA_DIGIT:H+H.toUpperCase()+P};const F=u("AsyncFunction"),z=(q="function"==typeof setImmediate,U=v(V.postMessage),q?setImmediate:U?($=`axios@${Math.random()}`,W=[],V.addEventListener("message",(({source:e,data:t})=>{e===V&&t===$&&W.length&&W.shift()()}),!1),e=>{W.push(e),V.postMessage($,"*")}):e=>setTimeout(e));var q,U,$,W;const G="undefined"!=typeof queueMicrotask?queueMicrotask.bind(V):void 0!==r&&r.nextTick||z;var K={isArray:h,isArrayBuffer:f,isBuffer:function(e){return null!==e&&!p(e)&&null!==e.constructor&&!p(e.constructor)&&v(e.constructor.isBuffer)&&e.constructor.isBuffer(e)},isFormData:e=>{let t;return e&&("function"==typeof FormData&&e instanceof FormData||v(e.append)&&("formdata"===(t=s(e))||"object"===t&&v(e.toString)&&"[object FormData]"===e.toString()))},isArrayBufferView:function(e){let t;return t="undefined"!=typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(e):e&&e.buffer&&f(e.buffer),t},isString:m,isNumber:g,isBoolean:e=>!0===e||!1===e,isObject:w,isPlainObject:y,isReadableStream:C,isRequest:B,isResponse:M,isHeaders:_,isUndefined:p,isDate:b,isFile:x,isBlob:k,isRegExp:D,isFunction:v,isStream:e=>w(e)&&v(e.pipe),isURLSearchParams:A,isTypedArray:T,isFileList:E,forEach:S,merge:function e(){const{caseless:t}=L(this)&&this||{},n={},r=(r,o)=>{const i=t&&N(n,o)||o;y(n[i])&&y(r)?n[i]=e(n[i],r):y(r)?n[i]=e({},r):h(r)?n[i]=r.slice():n[i]=r};for(let e=0,t=arguments.length;e<t;e++)arguments[e]&&S(arguments[e],r);return n},extend:(e,t,n,{allOwnKeys:r}={})=>(S(t,((t,r)=>{n&&v(t)?e[r]=i(t,n):e[r]=t}),{allOwnKeys:r}),e),trim:e=>e.trim?e.trim():e.replace(/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,""),stripBOM:e=>(65279===e.charCodeAt(0)&&(e=e.slice(1)),e),inherits:(e,t,n,r)=>{e.prototype=Object.create(t.prototype,r),e.prototype.constructor=e,Object.defineProperty(e,"super",{value:t.prototype}),n&&Object.assign(e.prototype,n)},toFlatObject:(e,t,n,r)=>{let o,i,a;const s={};if(t=t||{},null==e)return t;do{for(o=Object.getOwnPropertyNames(e),i=o.length;i-- >0;)a=o[i],r&&!r(a,e,t)||s[a]||(t[a]=e[a],s[a]=!0);e=!1!==n&&l(e)}while(e&&(!n||n(e,t))&&e!==Object.prototype);return t},kindOf:s,kindOfTest:u,endsWith:(e,t,n)=>{e=String(e),(void 0===n||n>e.length)&&(n=e.length),n-=t.length;const r=e.indexOf(t,n);return-1!==r&&r===n},toArray:e=>{if(!e)return null;if(h(e))return e;let t=e.length;if(!g(t))return null;const n=new Array(t);for(;t-- >0;)n[t]=e[t];return n},forEachEntry:(e,t)=>{const n=(e&&e[Symbol.iterator]).call(e);let r;for(;(r=n.next())&&!r.done;){const n=r.value;t.call(e,n[0],n[1])}},matchAll:(e,t)=>{let n;const r=[];for(;null!==(n=e.exec(t));)r.push(n);return r},isHTMLForm:Z,hasOwnProperty:O,hasOwnProp:O,reduceDescriptors:R,freezeMethods:e=>{R(e,((t,n)=>{if(v(e)&&-1!==["arguments","caller","callee"].indexOf(n))return!1;const r=e[n];v(r)&&(t.enumerable=!1,"writable"in t?t.writable=!1:t.set||(t.set=()=>{throw Error("Can not rewrite read-only method '"+n+"'")}))}))},toObjectSet:(e,t)=>{const n={},r=e=>{e.forEach((e=>{n[e]=!0}))};return h(e)?r(e):r(String(e).split(t)),n},toCamelCase:e=>e.toLowerCase().replace(/[-_\s]([a-z\d])(\w*)/g,(function(e,t,n){return t.toUpperCase()+n})),noop:()=>{},toFiniteNumber:(e,t)=>null!=e&&Number.isFinite(e=+e)?e:t,findKey:N,global:V,isContextDefined:L,ALPHABET:j,generateString:(e=16,t=j.ALPHA_DIGIT)=>{let n="";const{length:r}=t;for(;e--;)n+=t[Math.random()*r|0];return n},isSpecCompliantForm:function(e){return!!(e&&v(e.append)&&"FormData"===e[Symbol.toStringTag]&&e[Symbol.iterator])},toJSONObject:e=>{const t=new Array(10),n=(e,r)=>{if(w(e)){if(t.indexOf(e)>=0)return;if(!("toJSON"in e)){t[r]=e;const o=h(e)?[]:{};return S(e,((e,t)=>{const i=n(e,r+1);!p(i)&&(o[t]=i)})),t[r]=void 0,o}}return e};return n(e,0)},isAsyncFn:F,isThenable:e=>e&&(w(e)||v(e))&&v(e.then)&&v(e.catch),setImmediate:z,asap:G};function Y(e,t,n,r,o){Error.call(this),Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):this.stack=(new Error).stack,this.message=e,this.name="AxiosError",t&&(this.code=t),n&&(this.config=n),r&&(this.request=r),o&&(this.response=o,this.status=o.status?o.status:null)}K.inherits(Y,Error,{toJSON:function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:K.toJSONObject(this.config),code:this.code,status:this.status}}});const X=Y.prototype,J={};["ERR_BAD_OPTION_VALUE","ERR_BAD_OPTION","ECONNABORTED","ETIMEDOUT","ERR_NETWORK","ERR_FR_TOO_MANY_REDIRECTS","ERR_DEPRECATED","ERR_BAD_RESPONSE","ERR_BAD_REQUEST","ERR_CANCELED","ERR_NOT_SUPPORT","ERR_INVALID_URL"].forEach((e=>{J[e]={value:e}})),Object.defineProperties(Y,J),Object.defineProperty(X,"isAxiosError",{value:!0}),Y.from=(e,t,n,r,o,i)=>{const a=Object.create(X);return K.toFlatObject(e,a,(function(e){return e!==Error.prototype}),(e=>"isAxiosError"!==e)),Y.call(a,e.message,t,n,r,o),a.cause=e,a.name=e.name,i&&Object.assign(a,i),a};function Q(e){return K.isPlainObject(e)||K.isArray(e)}function ee(e){return K.endsWith(e,"[]")?e.slice(0,-2):e}function te(e,t,n){return e?e.concat(t).map((function(e,t){return e=ee(e),!n&&t?"["+e+"]":e})).join(n?".":""):t}const ne=K.toFlatObject(K,{},null,(function(e){return/^is[A-Z]/.test(e)}));function re(e,t,n){if(!K.isObject(e))throw new TypeError("target must be an object");t=t||new FormData;const r=(n=K.toFlatObject(n,{metaTokens:!0,dots:!1,indexes:!1},!1,(function(e,t){return!K.isUndefined(t[e])}))).metaTokens,i=n.visitor||u,a=n.dots,l=n.indexes,s=(n.Blob||"undefined"!=typeof Blob&&Blob)&&K.isSpecCompliantForm(t);if(!K.isFunction(i))throw new TypeError("visitor must be a function");function c(e){if(null===e)return"";if(K.isDate(e))return e.toISOString();if(!s&&K.isBlob(e))throw new Y("Blob is not supported. Use a Buffer instead.");return K.isArrayBuffer(e)||K.isTypedArray(e)?s&&"function"==typeof Blob?new Blob([e]):o.from(e):e}function u(e,n,o){let i=e;if(e&&!o&&"object"==typeof e)if(K.endsWith(n,"{}"))n=r?n:n.slice(0,-2),e=JSON.stringify(e);else if(K.isArray(e)&&function(e){return K.isArray(e)&&!e.some(Q)}(e)||(K.isFileList(e)||K.endsWith(n,"[]"))&&(i=K.toArray(e)))return n=ee(n),i.forEach((function(e,r){!K.isUndefined(e)&&null!==e&&t.append(!0===l?te([n],r,a):null===l?n:n+"[]",c(e))})),!1;return!!Q(e)||(t.append(te(o,n,a),c(e)),!1)}const d=[],h=Object.assign(ne,{defaultVisitor:u,convertValue:c,isVisitable:Q});if(!K.isObject(e))throw new TypeError("data must be an object");return function e(n,r){if(!K.isUndefined(n)){if(-1!==d.indexOf(n))throw Error("Circular reference detected in "+r.join("."));d.push(n),K.forEach(n,(function(n,o){!0===(!(K.isUndefined(n)||null===n)&&i.call(t,n,K.isString(o)?o.trim():o,r,h))&&e(n,r?r.concat(o):[o])})),d.pop()}}(e),t}function oe(e){const t={"!":"%21","'":"%27","(":"%28",")":"%29","~":"%7E","%20":"+","%00":"\0"};return encodeURIComponent(e).replace(/[!'()~]|%20|%00/g,(function(e){return t[e]}))}function ie(e,t){this._pairs=[],e&&re(e,this,t)}const ae=ie.prototype;function le(e){return encodeURIComponent(e).replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}function se(e,t,n){if(!t)return e;const r=n&&n.encode||le,o=n&&n.serialize;let i;if(i=o?o(t,n):K.isURLSearchParams(t)?t.toString():new ie(t,n).toString(r),i){const t=e.indexOf("#");-1!==t&&(e=e.slice(0,t)),e+=(-1===e.indexOf("?")?"?":"&")+i}return e}ae.append=function(e,t){this._pairs.push([e,t])},ae.toString=function(e){const t=e?function(t){return e.call(this,t,oe)}:oe;return this._pairs.map((function(e){return t(e[0])+"="+t(e[1])}),"").join("&")};var ce=class{constructor(){this.handlers=[]}use(e,t,n){return this.handlers.push({fulfilled:e,rejected:t,synchronous:!!n&&n.synchronous,runWhen:n?n.runWhen:null}),this.handlers.length-1}eject(e){this.handlers[e]&&(this.handlers[e]=null)}clear(){this.handlers&&(this.handlers=[])}forEach(e){K.forEach(this.handlers,(function(t){null!==t&&e(t)}))}},ue={silentJSONParsing:!0,forcedJSONParsing:!0,clarifyTimeoutError:!1},de={isBrowser:!0,classes:{URLSearchParams:"undefined"!=typeof URLSearchParams?URLSearchParams:ie,FormData:"undefined"!=typeof FormData?FormData:null,Blob:"undefined"!=typeof Blob?Blob:null},protocols:["http","https","file","blob","url","data"]};const he="undefined"!=typeof window&&"undefined"!=typeof document,pe="object"==typeof navigator&&navigator||void 0,fe=he&&(!pe||["ReactNative","NativeScript","NS"].indexOf(pe.product)<0),me="undefined"!=typeof WorkerGlobalScope&&self instanceof WorkerGlobalScope&&"function"==typeof self.importScripts,ve=he&&window.location.href||"http://localhost";var ge={...Object.freeze({__proto__:null,hasBrowserEnv:he,hasStandardBrowserWebWorkerEnv:me,hasStandardBrowserEnv:fe,navigator:pe,origin:ve}),...de};function we(e){function t(e,n,r,o){let i=e[o++];if("__proto__"===i)return!0;const a=Number.isFinite(+i),l=o>=e.length;if(i=!i&&K.isArray(r)?r.length:i,l)return K.hasOwnProp(r,i)?r[i]=[r[i],n]:r[i]=n,!a;r[i]&&K.isObject(r[i])||(r[i]=[]);return t(e,n,r[i],o)&&K.isArray(r[i])&&(r[i]=function(e){const t={},n=Object.keys(e);let r;const o=n.length;let i;for(r=0;r<o;r++)i=n[r],t[i]=e[i];return t}(r[i])),!a}if(K.isFormData(e)&&K.isFunction(e.entries)){const n={};return K.forEachEntry(e,((e,r)=>{t(function(e){return K.matchAll(/\w+|\[(\w*)]/g,e).map((e=>"[]"===e[0]?"":e[1]||e[0]))}(e),r,n,0)})),n}return null}const ye={transitional:ue,adapter:["xhr","http","fetch"],transformRequest:[function(e,t){const n=t.getContentType()||"",r=n.indexOf("application/json")>-1,o=K.isObject(e);o&&K.isHTMLForm(e)&&(e=new FormData(e));if(K.isFormData(e))return r?JSON.stringify(we(e)):e;if(K.isArrayBuffer(e)||K.isBuffer(e)||K.isStream(e)||K.isFile(e)||K.isBlob(e)||K.isReadableStream(e))return e;if(K.isArrayBufferView(e))return e.buffer;if(K.isURLSearchParams(e))return t.setContentType("application/x-www-form-urlencoded;charset=utf-8",!1),e.toString();let i;if(o){if(n.indexOf("application/x-www-form-urlencoded")>-1)return function(e,t){return re(e,new ge.classes.URLSearchParams,Object.assign({visitor:function(e,t,n,r){return ge.isNode&&K.isBuffer(e)?(this.append(t,e.toString("base64")),!1):r.defaultVisitor.apply(this,arguments)}},t))}(e,this.formSerializer).toString();if((i=K.isFileList(e))||n.indexOf("multipart/form-data")>-1){const t=this.env&&this.env.FormData;return re(i?{"files[]":e}:e,t&&new t,this.formSerializer)}}return o||r?(t.setContentType("application/json",!1),function(e,t,n){if(K.isString(e))try{return(t||JSON.parse)(e),K.trim(e)}catch(e){if("SyntaxError"!==e.name)throw e}return(n||JSON.stringify)(e)}(e)):e}],transformResponse:[function(e){const t=this.transitional||ye.transitional,n=t&&t.forcedJSONParsing,r="json"===this.responseType;if(K.isResponse(e)||K.isReadableStream(e))return e;if(e&&K.isString(e)&&(n&&!this.responseType||r)){const n=!(t&&t.silentJSONParsing)&&r;try{return JSON.parse(e)}catch(e){if(n){if("SyntaxError"===e.name)throw Y.from(e,Y.ERR_BAD_RESPONSE,this,null,this.response);throw e}}}return e}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,maxBodyLength:-1,env:{FormData:ge.classes.FormData,Blob:ge.classes.Blob},validateStatus:function(e){return e>=200&&e<300},headers:{common:{Accept:"application/json, text/plain, */*","Content-Type":void 0}}};K.forEach(["delete","get","head","post","put","patch"],(e=>{ye.headers[e]={}}));var be=ye;const xe=K.toObjectSet(["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"]);const ke=Symbol("internals");function Ee(e){return e&&String(e).trim().toLowerCase()}function Ae(e){return!1===e||null==e?e:K.isArray(e)?e.map(Ae):String(e)}function Ce(e,t,n,r,o){return K.isFunction(r)?r.call(this,t,n):(o&&(t=n),K.isString(t)?K.isString(r)?-1!==t.indexOf(r):K.isRegExp(r)?r.test(t):void 0:void 0)}class Be{constructor(e){e&&this.set(e)}set(e,t,n){const r=this;function o(e,t,n){const o=Ee(t);if(!o)throw new Error("header name must be a non-empty string");const i=K.findKey(r,o);(!i||void 0===r[i]||!0===n||void 0===n&&!1!==r[i])&&(r[i||t]=Ae(e))}const i=(e,t)=>K.forEach(e,((e,n)=>o(e,n,t)));if(K.isPlainObject(e)||e instanceof this.constructor)i(e,t);else if(K.isString(e)&&(e=e.trim())&&!/^[-_a-zA-Z0-9^`|~,!#$%&'*+.]+$/.test(e.trim()))i((e=>{const t={};let n,r,o;return e&&e.split("\n").forEach((function(e){o=e.indexOf(":"),n=e.substring(0,o).trim().toLowerCase(),r=e.substring(o+1).trim(),!n||t[n]&&xe[n]||("set-cookie"===n?t[n]?t[n].push(r):t[n]=[r]:t[n]=t[n]?t[n]+", "+r:r)})),t})(e),t);else if(K.isHeaders(e))for(const[t,r]of e.entries())o(r,t,n);else null!=e&&o(t,e,n);return this}get(e,t){if(e=Ee(e)){const n=K.findKey(this,e);if(n){const e=this[n];if(!t)return e;if(!0===t)return function(e){const t=Object.create(null),n=/([^\s,;=]+)\s*(?:=\s*([^,;]+))?/g;let r;for(;r=n.exec(e);)t[r[1]]=r[2];return t}(e);if(K.isFunction(t))return t.call(this,e,n);if(K.isRegExp(t))return t.exec(e);throw new TypeError("parser must be boolean|regexp|function")}}}has(e,t){if(e=Ee(e)){const n=K.findKey(this,e);return!(!n||void 0===this[n]||t&&!Ce(0,this[n],n,t))}return!1}delete(e,t){const n=this;let r=!1;function o(e){if(e=Ee(e)){const o=K.findKey(n,e);!o||t&&!Ce(0,n[o],o,t)||(delete n[o],r=!0)}}return K.isArray(e)?e.forEach(o):o(e),r}clear(e){const t=Object.keys(this);let n=t.length,r=!1;for(;n--;){const o=t[n];e&&!Ce(0,this[o],o,e,!0)||(delete this[o],r=!0)}return r}normalize(e){const t=this,n={};return K.forEach(this,((r,o)=>{const i=K.findKey(n,o);if(i)return t[i]=Ae(r),void delete t[o];const a=e?function(e){return e.trim().toLowerCase().replace(/([a-z\d])(\w*)/g,((e,t,n)=>t.toUpperCase()+n))}(o):String(o).trim();a!==o&&delete t[o],t[a]=Ae(r),n[a]=!0})),this}concat(...e){return this.constructor.concat(this,...e)}toJSON(e){const t=Object.create(null);return K.forEach(this,((n,r)=>{null!=n&&!1!==n&&(t[r]=e&&K.isArray(n)?n.join(", "):n)})),t}[Symbol.iterator](){return Object.entries(this.toJSON())[Symbol.iterator]()}toString(){return Object.entries(this.toJSON()).map((([e,t])=>e+": "+t)).join("\n")}get[Symbol.toStringTag](){return"AxiosHeaders"}static from(e){return e instanceof this?e:new this(e)}static concat(e,...t){const n=new this(e);return t.forEach((e=>n.set(e))),n}static accessor(e){const t=(this[ke]=this[ke]={accessors:{}}).accessors,n=this.prototype;function r(e){const r=Ee(e);t[r]||(!function(e,t){const n=K.toCamelCase(" "+t);["get","set","has"].forEach((r=>{Object.defineProperty(e,r+n,{value:function(e,n,o){return this[r].call(this,t,e,n,o)},configurable:!0})}))}(n,e),t[r]=!0)}return K.isArray(e)?e.forEach(r):r(e),this}}Be.accessor(["Content-Type","Content-Length","Accept","Accept-Encoding","User-Agent","Authorization"]),K.reduceDescriptors(Be.prototype,(({value:e},t)=>{let n=t[0].toUpperCase()+t.slice(1);return{get:()=>e,set(e){this[n]=e}}})),K.freezeMethods(Be);var Me=Be;function _e(e,t){const n=this||be,r=t||n,o=Me.from(r.headers);let i=r.data;return K.forEach(e,(function(e){i=e.call(n,i,o.normalize(),t?t.status:void 0)})),o.normalize(),i}function Se(e){return!(!e||!e.__CANCEL__)}function Ne(e,t,n){Y.call(this,null==e?"canceled":e,Y.ERR_CANCELED,t,n),this.name="CanceledError"}function Ve(e,t,n){const r=n.config.validateStatus;n.status&&r&&!r(n.status)?t(new Y("Request failed with status code "+n.status,[Y.ERR_BAD_REQUEST,Y.ERR_BAD_RESPONSE][Math.floor(n.status/100)-4],n.config,n.request,n)):e(n)}K.inherits(Ne,Y,{__CANCEL__:!0});const Le=(e,t,n=3)=>{let r=0;const o=function(e,t){e=e||10;const n=new Array(e),r=new Array(e);let o,i=0,a=0;return t=void 0!==t?t:1e3,function(l){const s=Date.now(),c=r[a];o||(o=s),n[i]=l,r[i]=s;let u=a,d=0;for(;u!==i;)d+=n[u++],u%=e;if(i=(i+1)%e,i===a&&(a=(a+1)%e),s-o<t)return;const h=c&&s-c;return h?Math.round(1e3*d/h):void 0}}(50,250);return function(e,t){let n,r,o=0,i=1e3/t;const a=(t,i=Date.now())=>{o=i,n=null,r&&(clearTimeout(r),r=null),e.apply(null,t)};return[(...e)=>{const t=Date.now(),l=t-o;l>=i?a(e,t):(n=e,r||(r=setTimeout((()=>{r=null,a(n)}),i-l)))},()=>n&&a(n)]}((n=>{const i=n.loaded,a=n.lengthComputable?n.total:void 0,l=i-r,s=o(l);r=i;e({loaded:i,total:a,progress:a?i/a:void 0,bytes:l,rate:s||void 0,estimated:s&&a&&i<=a?(a-i)/s:void 0,event:n,lengthComputable:null!=a,[t?"download":"upload"]:!0})}),n)},Te=(e,t)=>{const n=null!=e;return[r=>t[0]({lengthComputable:n,total:e,loaded:r}),t[1]]},Ie=e=>(...t)=>K.asap((()=>e(...t)));var Ze=ge.hasStandardBrowserEnv?function(){const e=ge.navigator&&/(msie|trident)/i.test(ge.navigator.userAgent),t=document.createElement("a");let n;function r(n){let r=n;return e&&(t.setAttribute("href",r),r=t.href),t.setAttribute("href",r),{href:t.href,protocol:t.protocol?t.protocol.replace(/:$/,""):"",host:t.host,search:t.search?t.search.replace(/^\?/,""):"",hash:t.hash?t.hash.replace(/^#/,""):"",hostname:t.hostname,port:t.port,pathname:"/"===t.pathname.charAt(0)?t.pathname:"/"+t.pathname}}return n=r(window.location.href),function(e){const t=K.isString(e)?r(e):e;return t.protocol===n.protocol&&t.host===n.host}}():function(){return!0},Oe=ge.hasStandardBrowserEnv?{write(e,t,n,r,o,i){const a=[e+"="+encodeURIComponent(t)];K.isNumber(n)&&a.push("expires="+new Date(n).toGMTString()),K.isString(r)&&a.push("path="+r),K.isString(o)&&a.push("domain="+o),!0===i&&a.push("secure"),document.cookie=a.join("; ")},read(e){const t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove(e){this.write(e,"",Date.now()-864e5)}}:{write(){},read:()=>null,remove(){}};function De(e,t){return e&&!/^([a-z][a-z\d+\-.]*:)?\/\//i.test(t)?function(e,t){return t?e.replace(/\/?\/$/,"")+"/"+t.replace(/^\/+/,""):e}(e,t):t}const Re=e=>e instanceof Me?{...e}:e;function He(e,t){t=t||{};const n={};function r(e,t,n){return K.isPlainObject(e)&&K.isPlainObject(t)?K.merge.call({caseless:n},e,t):K.isPlainObject(t)?K.merge({},t):K.isArray(t)?t.slice():t}function o(e,t,n){return K.isUndefined(t)?K.isUndefined(e)?void 0:r(void 0,e,n):r(e,t,n)}function i(e,t){if(!K.isUndefined(t))return r(void 0,t)}function a(e,t){return K.isUndefined(t)?K.isUndefined(e)?void 0:r(void 0,e):r(void 0,t)}function l(n,o,i){return i in t?r(n,o):i in e?r(void 0,n):void 0}const s={url:i,method:i,data:i,baseURL:a,transformRequest:a,transformResponse:a,paramsSerializer:a,timeout:a,timeoutMessage:a,withCredentials:a,withXSRFToken:a,adapter:a,responseType:a,xsrfCookieName:a,xsrfHeaderName:a,onUploadProgress:a,onDownloadProgress:a,decompress:a,maxContentLength:a,maxBodyLength:a,beforeRedirect:a,transport:a,httpAgent:a,httpsAgent:a,cancelToken:a,socketPath:a,responseEncoding:a,validateStatus:l,headers:(e,t)=>o(Re(e),Re(t),!0)};return K.forEach(Object.keys(Object.assign({},e,t)),(function(r){const i=s[r]||o,a=i(e[r],t[r],r);K.isUndefined(a)&&i!==l||(n[r]=a)})),n}var Pe=e=>{const t=He({},e);let n,{data:r,withXSRFToken:o,xsrfHeaderName:i,xsrfCookieName:a,headers:l,auth:s}=t;if(t.headers=l=Me.from(l),t.url=se(De(t.baseURL,t.url),e.params,e.paramsSerializer),s&&l.set("Authorization","Basic "+btoa((s.username||"")+":"+(s.password?unescape(encodeURIComponent(s.password)):""))),K.isFormData(r))if(ge.hasStandardBrowserEnv||ge.hasStandardBrowserWebWorkerEnv)l.setContentType(void 0);else if(!1!==(n=l.getContentType())){const[e,...t]=n?n.split(";").map((e=>e.trim())).filter(Boolean):[];l.setContentType([e||"multipart/form-data",...t].join("; "))}if(ge.hasStandardBrowserEnv&&(o&&K.isFunction(o)&&(o=o(t)),o||!1!==o&&Ze(t.url))){const e=i&&a&&Oe.read(a);e&&l.set(i,e)}return t};var je="undefined"!=typeof XMLHttpRequest&&function(e){return new Promise((function(t,n){const r=Pe(e);let o=r.data;const i=Me.from(r.headers).normalize();let a,l,s,c,u,{responseType:d,onUploadProgress:h,onDownloadProgress:p}=r;function f(){c&&c(),u&&u(),r.cancelToken&&r.cancelToken.unsubscribe(a),r.signal&&r.signal.removeEventListener("abort",a)}let m=new XMLHttpRequest;function v(){if(!m)return;const r=Me.from("getAllResponseHeaders"in m&&m.getAllResponseHeaders());Ve((function(e){t(e),f()}),(function(e){n(e),f()}),{data:d&&"text"!==d&&"json"!==d?m.response:m.responseText,status:m.status,statusText:m.statusText,headers:r,config:e,request:m}),m=null}m.open(r.method.toUpperCase(),r.url,!0),m.timeout=r.timeout,"onloadend"in m?m.onloadend=v:m.onreadystatechange=function(){m&&4===m.readyState&&(0!==m.status||m.responseURL&&0===m.responseURL.indexOf("file:"))&&setTimeout(v)},m.onabort=function(){m&&(n(new Y("Request aborted",Y.ECONNABORTED,e,m)),m=null)},m.onerror=function(){n(new Y("Network Error",Y.ERR_NETWORK,e,m)),m=null},m.ontimeout=function(){let t=r.timeout?"timeout of "+r.timeout+"ms exceeded":"timeout exceeded";const o=r.transitional||ue;r.timeoutErrorMessage&&(t=r.timeoutErrorMessage),n(new Y(t,o.clarifyTimeoutError?Y.ETIMEDOUT:Y.ECONNABORTED,e,m)),m=null},void 0===o&&i.setContentType(null),"setRequestHeader"in m&&K.forEach(i.toJSON(),(function(e,t){m.setRequestHeader(t,e)})),K.isUndefined(r.withCredentials)||(m.withCredentials=!!r.withCredentials),d&&"json"!==d&&(m.responseType=r.responseType),p&&([s,u]=Le(p,!0),m.addEventListener("progress",s)),h&&m.upload&&([l,c]=Le(h),m.upload.addEventListener("progress",l),m.upload.addEventListener("loadend",c)),(r.cancelToken||r.signal)&&(a=t=>{m&&(n(!t||t.type?new Ne(null,e,m):t),m.abort(),m=null)},r.cancelToken&&r.cancelToken.subscribe(a),r.signal&&(r.signal.aborted?a():r.signal.addEventListener("abort",a)));const g=function(e){const t=/^([-+\w]{1,25})(:?\/\/|:)/.exec(e);return t&&t[1]||""}(r.url);g&&-1===ge.protocols.indexOf(g)?n(new Y("Unsupported protocol "+g+":",Y.ERR_BAD_REQUEST,e)):m.send(o||null)}))};var Fe=(e,t)=>{const{length:n}=e=e?e.filter(Boolean):[];if(t||n){let n,r=new AbortController;const o=function(e){if(!n){n=!0,a();const t=e instanceof Error?e:this.reason;r.abort(t instanceof Y?t:new Ne(t instanceof Error?t.message:t))}};let i=t&&setTimeout((()=>{i=null,o(new Y(`timeout ${t} of ms exceeded`,Y.ETIMEDOUT))}),t);const a=()=>{e&&(i&&clearTimeout(i),i=null,e.forEach((e=>{e.unsubscribe?e.unsubscribe(o):e.removeEventListener("abort",o)})),e=null)};e.forEach((e=>e.addEventListener("abort",o)));const{signal:l}=r;return l.unsubscribe=()=>K.asap(a),l}};const ze=function*(e,t){let n=e.byteLength;if(!t||n<t)return void(yield e);let r,o=0;for(;o<n;)r=o+t,yield e.slice(o,r),o=r},qe=async function*(e){if(e[Symbol.asyncIterator])return void(yield*e);const t=e.getReader();try{for(;;){const{done:e,value:n}=await t.read();if(e)break;yield n}}finally{await t.cancel()}},Ue=(e,t,n,r)=>{const o=async function*(e,t){for await(const n of qe(e))yield*ze(n,t)}(e,t);let i,a=0,l=e=>{i||(i=!0,r&&r(e))};return new ReadableStream({async pull(e){try{const{done:t,value:r}=await o.next();if(t)return l(),void e.close();let i=r.byteLength;if(n){let e=a+=i;n(e)}e.enqueue(new Uint8Array(r))}catch(e){throw l(e),e}},cancel:e=>(l(e),o.return())},{highWaterMark:2})},$e="function"==typeof fetch&&"function"==typeof Request&&"function"==typeof Response,We=$e&&"function"==typeof ReadableStream,Ge=$e&&("function"==typeof TextEncoder?(Ke=new TextEncoder,e=>Ke.encode(e)):async e=>new Uint8Array(await new Response(e).arrayBuffer()));var Ke;const Ye=(e,...t)=>{try{return!!e(...t)}catch(e){return!1}},Xe=We&&Ye((()=>{let e=!1;const t=new Request(ge.origin,{body:new ReadableStream,method:"POST",get duplex(){return e=!0,"half"}}).headers.has("Content-Type");return e&&!t})),Je=We&&Ye((()=>K.isReadableStream(new Response("").body))),Qe={stream:Je&&(e=>e.body)};var et;$e&&(et=new Response,["text","arrayBuffer","blob","formData","stream"].forEach((e=>{!Qe[e]&&(Qe[e]=K.isFunction(et[e])?t=>t[e]():(t,n)=>{throw new Y(`Response type '${e}' is not supported`,Y.ERR_NOT_SUPPORT,n)})})));const tt=async(e,t)=>{const n=K.toFiniteNumber(e.getContentLength());return null==n?(async e=>{if(null==e)return 0;if(K.isBlob(e))return e.size;if(K.isSpecCompliantForm(e)){const t=new Request(ge.origin,{method:"POST",body:e});return(await t.arrayBuffer()).byteLength}return K.isArrayBufferView(e)||K.isArrayBuffer(e)?e.byteLength:(K.isURLSearchParams(e)&&(e+=""),K.isString(e)?(await Ge(e)).byteLength:void 0)})(t):n};const nt={http:null,xhr:je,fetch:$e&&(async e=>{let{url:t,method:n,data:r,signal:o,cancelToken:i,timeout:a,onDownloadProgress:l,onUploadProgress:s,responseType:c,headers:u,withCredentials:d="same-origin",fetchOptions:h}=Pe(e);c=c?(c+"").toLowerCase():"text";let p,f=Fe([o,i&&i.toAbortSignal()],a);const m=f&&f.unsubscribe&&(()=>{f.unsubscribe()});let v;try{if(s&&Xe&&"get"!==n&&"head"!==n&&0!==(v=await tt(u,r))){let e,n=new Request(t,{method:"POST",body:r,duplex:"half"});if(K.isFormData(r)&&(e=n.headers.get("content-type"))&&u.setContentType(e),n.body){const[e,t]=Te(v,Le(Ie(s)));r=Ue(n.body,65536,e,t)}}K.isString(d)||(d=d?"include":"omit");const o="credentials"in Request.prototype;p=new Request(t,{...h,signal:f,method:n.toUpperCase(),headers:u.normalize().toJSON(),body:r,duplex:"half",credentials:o?d:void 0});let i=await fetch(p);const a=Je&&("stream"===c||"response"===c);if(Je&&(l||a&&m)){const e={};["status","statusText","headers"].forEach((t=>{e[t]=i[t]}));const t=K.toFiniteNumber(i.headers.get("content-length")),[n,r]=l&&Te(t,Le(Ie(l),!0))||[];i=new Response(Ue(i.body,65536,n,(()=>{r&&r(),m&&m()})),e)}c=c||"text";let g=await Qe[K.findKey(Qe,c)||"text"](i,e);return!a&&m&&m(),await new Promise(((t,n)=>{Ve(t,n,{data:g,headers:Me.from(i.headers),status:i.status,statusText:i.statusText,config:e,request:p})}))}catch(t){if(m&&m(),t&&"TypeError"===t.name&&/fetch/i.test(t.message))throw Object.assign(new Y("Network Error",Y.ERR_NETWORK,e,p),{cause:t.cause||t});throw Y.from(t,t&&t.code,e,p)}})};K.forEach(nt,((e,t)=>{if(e){try{Object.defineProperty(e,"name",{value:t})}catch(e){}Object.defineProperty(e,"adapterName",{value:t})}}));const rt=e=>`- ${e}`,ot=e=>K.isFunction(e)||null===e||!1===e;var it=e=>{e=K.isArray(e)?e:[e];const{length:t}=e;let n,r;const o={};for(let i=0;i<t;i++){let t;if(n=e[i],r=n,!ot(n)&&(r=nt[(t=String(n)).toLowerCase()],void 0===r))throw new Y(`Unknown adapter '${t}'`);if(r)break;o[t||"#"+i]=r}if(!r){const e=Object.entries(o).map((([e,t])=>`adapter ${e} `+(!1===t?"is not supported by the environment":"is not available in the build")));throw new Y("There is no suitable adapter to dispatch the request "+(t?e.length>1?"since :\n"+e.map(rt).join("\n"):" "+rt(e[0]):"as no adapter specified"),"ERR_NOT_SUPPORT")}return r};function at(e){if(e.cancelToken&&e.cancelToken.throwIfRequested(),e.signal&&e.signal.aborted)throw new Ne(null,e)}function lt(e){at(e),e.headers=Me.from(e.headers),e.data=_e.call(e,e.transformRequest),-1!==["post","put","patch"].indexOf(e.method)&&e.headers.setContentType("application/x-www-form-urlencoded",!1);return it(e.adapter||be.adapter)(e).then((function(t){return at(e),t.data=_e.call(e,e.transformResponse,t),t.headers=Me.from(t.headers),t}),(function(t){return Se(t)||(at(e),t&&t.response&&(t.response.data=_e.call(e,e.transformResponse,t.response),t.response.headers=Me.from(t.response.headers))),Promise.reject(t)}))}const st="1.7.7",ct={};["object","boolean","number","function","string","symbol"].forEach(((e,t)=>{ct[e]=function(n){return typeof n===e||"a"+(t<1?"n ":" ")+e}}));const ut={};ct.transitional=function(e,t,n){function r(e,t){return"[Axios v1.7.7] Transitional option '"+e+"'"+t+(n?". "+n:"")}return(n,o,i)=>{if(!1===e)throw new Y(r(o," has been removed"+(t?" in "+t:"")),Y.ERR_DEPRECATED);return t&&!ut[o]&&(ut[o]=!0,console.warn(r(o," has been deprecated since v"+t+" and will be removed in the near future"))),!e||e(n,o,i)}};var dt={assertOptions:function(e,t,n){if("object"!=typeof e)throw new Y("options must be an object",Y.ERR_BAD_OPTION_VALUE);const r=Object.keys(e);let o=r.length;for(;o-- >0;){const i=r[o],a=t[i];if(a){const t=e[i],n=void 0===t||a(t,i,e);if(!0!==n)throw new Y("option "+i+" must be "+n,Y.ERR_BAD_OPTION_VALUE)}else if(!0!==n)throw new Y("Unknown option "+i,Y.ERR_BAD_OPTION)}},validators:ct};const ht=dt.validators;class pt{constructor(e){this.defaults=e,this.interceptors={request:new ce,response:new ce}}async request(e,t){try{return await this._request(e,t)}catch(e){if(e instanceof Error){let t;Error.captureStackTrace?Error.captureStackTrace(t={}):t=new Error;const n=t.stack?t.stack.replace(/^.+\n/,""):"";try{e.stack?n&&!String(e.stack).endsWith(n.replace(/^.+\n.+\n/,""))&&(e.stack+="\n"+n):e.stack=n}catch(e){}}throw e}}_request(e,t){"string"==typeof e?(t=t||{}).url=e:t=e||{},t=He(this.defaults,t);const{transitional:n,paramsSerializer:r,headers:o}=t;void 0!==n&&dt.assertOptions(n,{silentJSONParsing:ht.transitional(ht.boolean),forcedJSONParsing:ht.transitional(ht.boolean),clarifyTimeoutError:ht.transitional(ht.boolean)},!1),null!=r&&(K.isFunction(r)?t.paramsSerializer={serialize:r}:dt.assertOptions(r,{encode:ht.function,serialize:ht.function},!0)),t.method=(t.method||this.defaults.method||"get").toLowerCase();let i=o&&K.merge(o.common,o[t.method]);o&&K.forEach(["delete","get","head","post","put","patch","common"],(e=>{delete o[e]})),t.headers=Me.concat(i,o);const a=[];let l=!0;this.interceptors.request.forEach((function(e){"function"==typeof e.runWhen&&!1===e.runWhen(t)||(l=l&&e.synchronous,a.unshift(e.fulfilled,e.rejected))}));const s=[];let c;this.interceptors.response.forEach((function(e){s.push(e.fulfilled,e.rejected)}));let u,d=0;if(!l){const e=[lt.bind(this),void 0];for(e.unshift.apply(e,a),e.push.apply(e,s),u=e.length,c=Promise.resolve(t);d<u;)c=c.then(e[d++],e[d++]);return c}u=a.length;let h=t;for(d=0;d<u;){const e=a[d++],t=a[d++];try{h=e(h)}catch(e){t.call(this,e);break}}try{c=lt.call(this,h)}catch(e){return Promise.reject(e)}for(d=0,u=s.length;d<u;)c=c.then(s[d++],s[d++]);return c}getUri(e){return se(De((e=He(this.defaults,e)).baseURL,e.url),e.params,e.paramsSerializer)}}K.forEach(["delete","get","head","options"],(function(e){pt.prototype[e]=function(t,n){return this.request(He(n||{},{method:e,url:t,data:(n||{}).data}))}})),K.forEach(["post","put","patch"],(function(e){function t(t){return function(n,r,o){return this.request(He(o||{},{method:e,headers:t?{"Content-Type":"multipart/form-data"}:{},url:n,data:r}))}}pt.prototype[e]=t(),pt.prototype[e+"Form"]=t(!0)}));var ft=pt;class mt{constructor(e){if("function"!=typeof e)throw new TypeError("executor must be a function.");let t;this.promise=new Promise((function(e){t=e}));const n=this;this.promise.then((e=>{if(!n._listeners)return;let t=n._listeners.length;for(;t-- >0;)n._listeners[t](e);n._listeners=null})),this.promise.then=e=>{let t;const r=new Promise((e=>{n.subscribe(e),t=e})).then(e);return r.cancel=function(){n.unsubscribe(t)},r},e((function(e,r,o){n.reason||(n.reason=new Ne(e,r,o),t(n.reason))}))}throwIfRequested(){if(this.reason)throw this.reason}subscribe(e){this.reason?e(this.reason):this._listeners?this._listeners.push(e):this._listeners=[e]}unsubscribe(e){if(!this._listeners)return;const t=this._listeners.indexOf(e);-1!==t&&this._listeners.splice(t,1)}toAbortSignal(){const e=new AbortController,t=t=>{e.abort(t)};return this.subscribe(t),e.signal.unsubscribe=()=>this.unsubscribe(t),e.signal}static source(){let e;return{token:new mt((function(t){e=t})),cancel:e}}}var vt=mt;const gt={Continue:100,SwitchingProtocols:101,Processing:102,EarlyHints:103,Ok:200,Created:201,Accepted:202,NonAuthoritativeInformation:203,NoContent:204,ResetContent:205,PartialContent:206,MultiStatus:207,AlreadyReported:208,ImUsed:226,MultipleChoices:300,MovedPermanently:301,Found:302,SeeOther:303,NotModified:304,UseProxy:305,Unused:306,TemporaryRedirect:307,PermanentRedirect:308,BadRequest:400,Unauthorized:401,PaymentRequired:402,Forbidden:403,NotFound:404,MethodNotAllowed:405,NotAcceptable:406,ProxyAuthenticationRequired:407,RequestTimeout:408,Conflict:409,Gone:410,LengthRequired:411,PreconditionFailed:412,PayloadTooLarge:413,UriTooLong:414,UnsupportedMediaType:415,RangeNotSatisfiable:416,ExpectationFailed:417,ImATeapot:418,MisdirectedRequest:421,UnprocessableEntity:422,Locked:423,FailedDependency:424,TooEarly:425,UpgradeRequired:426,PreconditionRequired:428,TooManyRequests:429,RequestHeaderFieldsTooLarge:431,UnavailableForLegalReasons:451,InternalServerError:500,NotImplemented:501,BadGateway:502,ServiceUnavailable:503,GatewayTimeout:504,HttpVersionNotSupported:505,VariantAlsoNegotiates:506,InsufficientStorage:507,LoopDetected:508,NotExtended:510,NetworkAuthenticationRequired:511};Object.entries(gt).forEach((([e,t])=>{gt[t]=e}));var wt=gt;const yt=function e(t){const n=new ft(t),r=i(ft.prototype.request,n);return K.extend(r,ft.prototype,n,{allOwnKeys:!0}),K.extend(r,n,null,{allOwnKeys:!0}),r.create=function(n){return e(He(t,n))},r}(be);yt.Axios=ft,yt.CanceledError=Ne,yt.CancelToken=vt,yt.isCancel=Se,yt.VERSION=st,yt.toFormData=re,yt.AxiosError=Y,yt.Cancel=yt.CanceledError,yt.all=function(e){return Promise.all(e)},yt.spread=function(e){return function(t){return e.apply(null,t)}},yt.isAxiosError=function(e){return K.isObject(e)&&!0===e.isAxiosError},yt.mergeConfig=He,yt.AxiosHeaders=Me,yt.formToJSON=e=>we(K.isHTMLForm(e)?new FormData(e):e),yt.getAdapter=it,yt.HttpStatusCode=wt,yt.default=yt,e.exports=yt},72188:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});const n={svg:"http://www.w3.org/2000/svg",xmlns:"http://www.w3.org/2000/xmlns/",xhtml:"http://www.w3.org/1999/xhtml",xlink:"http://www.w3.org/1999/xlink",ct:"http://gionkunz.github.com/chartist-js/ct"},r={"&":"&amp;","<":"&lt;",">":"&gt;",'"':"&quot;","'":"&#039;"};function o(e,t){return"number"==typeof e?e+t:e}function i(e){if("string"==typeof e){const t=/^(\d+)\s*(.*)$/g.exec(e);return{value:t?+t[1]:0,unit:(null==t?void 0:t[2])||void 0}}return{value:Number(e)}}function a(e){return String.fromCharCode(97+e%26)}const l=2221e-19;function s(e){return Math.floor(Math.log(Math.abs(e))/Math.LN10)}function c(e,t,n){return t/n.range*e}function u(e,t){const n=Math.pow(10,t||8);return Math.round(e*n)/n}function d(e){if(1===e)return e;function t(e,n){return e%n==0?n:t(n,e%n)}function n(e){return e*e+1}let r,o=2,i=2;if(e%2==0)return 2;do{o=n(o)%e,i=n(n(i))%e,r=t(Math.abs(o-i),e)}while(1===r);return r}function h(e,t,n,r){const o=(r-90)*Math.PI/180;return{x:e+n*Math.cos(o),y:t+n*Math.sin(o)}}function p(e,t,n){let r=arguments.length>3&&void 0!==arguments[3]&&arguments[3];const o={high:t.high,low:t.low,valueRange:0,oom:0,step:0,min:0,max:0,range:0,numberOfSteps:0,values:[]};o.valueRange=o.high-o.low,o.oom=s(o.valueRange),o.step=Math.pow(10,o.oom),o.min=Math.floor(o.low/o.step)*o.step,o.max=Math.ceil(o.high/o.step)*o.step,o.range=o.max-o.min,o.numberOfSteps=Math.round(o.range/o.step);const i=c(e,o.step,o)<n,a=r?d(o.range):0;if(r&&c(e,1,o)>=n)o.step=1;else if(r&&a<o.step&&c(e,a,o)>=n)o.step=a;else{let t=0;for(;;){if(i&&c(e,o.step,o)<=n)o.step*=2;else{if(i||!(c(e,o.step/2,o)>=n))break;if(o.step/=2,r&&o.step%1!=0){o.step*=2;break}}if(t++>1e3)throw new Error("Exceeded maximum number of iterations while optimizing scale step!")}}function h(e,t){return e===(e+=t)&&(e*=1+(t>0?l:-l)),e}o.step=Math.max(o.step,l);let p=o.min,f=o.max;for(;p+o.step<=o.low;)p=h(p,o.step);for(;f-o.step>=o.high;)f=h(f,-o.step);o.min=p,o.max=f,o.range=o.max-o.min;const m=[];for(let e=o.min;e<=o.max;e=h(e,o.step)){const t=u(e);t!==m[m.length-1]&&m.push(t)}return o.values=m,o}function f(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};for(var t=arguments.length,n=new Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];for(let t=0;t<n.length;t++){const r=n[t];for(const t in r){const n=r[t];e[t]="object"!=typeof n||null===n||n instanceof Array?n:f(e[t],n)}}return e}const m=e=>e;function v(e,t){return Array.from({length:e},t?(e,n)=>t(n):()=>{})}const g=(e,t)=>e+(t||0),w=(e,t)=>v(Math.max(...e.map((e=>e.length))),(n=>t(...e.map((e=>e[n])))));function y(e,t){return null!==e&&"object"==typeof e&&Reflect.has(e,t)}function b(e){return null!==e&&isFinite(e)}function x(e){return!e&&0!==e}function k(e){return b(e)?Number(e):void 0}function E(e){return!!Array.isArray(e)&&e.every(Array.isArray)}function A(e,t){let n=0;e[arguments.length>2&&void 0!==arguments[2]&&arguments[2]?"reduceRight":"reduce"](((e,r,o)=>t(r,n++,o)),void 0)}function C(e,t){const n=Array.isArray(e)?e[t]:y(e,"data")?e.data[t]:null;return y(n,"meta")?n.meta:void 0}function B(e){return null==e||"number"==typeof e&&isNaN(e)}function M(e){return Array.isArray(e)&&e.every((e=>Array.isArray(e)||y(e,"data")))}function _(e){return"object"==typeof e&&null!==e&&(Reflect.has(e,"x")||Reflect.has(e,"y"))}function S(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"y";return _(e)&&y(e,t)?k(e[t]):k(e)}function N(e,t,n){const r={high:void 0===(t={...t,...n?"x"===n?t.axisX:t.axisY:{}}).high?-Number.MAX_VALUE:+t.high,low:void 0===t.low?Number.MAX_VALUE:+t.low},o=void 0===t.high,i=void 0===t.low;return(o||i)&&function e(t){if(!B(t))if(Array.isArray(t))for(let n=0;n<t.length;n++)e(t[n]);else{const e=Number(n&&y(t,n)?t[n]:t);o&&e>r.high&&(r.high=e),i&&e<r.low&&(r.low=e)}}(e),(t.referenceValue||0===t.referenceValue)&&(r.high=Math.max(t.referenceValue,r.high),r.low=Math.min(t.referenceValue,r.low)),r.high<=r.low&&(0===r.low?r.high=1:r.low<0?r.high=0:(r.high>0||(r.high=1),r.low=0)),r}function V(e){let t,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1],r=arguments.length>2?arguments[2]:void 0,o=arguments.length>3?arguments[3]:void 0;const i={labels:(e.labels||[]).slice(),series:I(e.series,r,o)},a=i.labels.length;return E(i.series)?(t=Math.max(a,...i.series.map((e=>e.length))),i.series.forEach((e=>{e.push(...v(Math.max(0,t-e.length)))}))):t=i.series.length,i.labels.push(...v(Math.max(0,t-a),(()=>""))),n&&function(e){var t;null===(t=e.labels)||void 0===t||t.reverse(),e.series.reverse();for(const t of e.series)y(t,"data")?t.data.reverse():Array.isArray(t)&&t.reverse()}(i),i}function L(e,t){if(!B(e))return t?function(e,t){let n,r;if("object"!=typeof e){const o=k(e);"x"===t?n=o:r=o}else y(e,"x")&&(n=k(e.x)),y(e,"y")&&(r=k(e.y));if(void 0!==n||void 0!==r)return{x:n,y:r}}(e,t):k(e)}function T(e,t){return Array.isArray(e)?e.map((e=>y(e,"value")?L(e.value,t):L(e,t))):T(e.data,t)}function I(e,t,n){if(M(e))return e.map((e=>T(e,t)));const r=T(e,t);return n?r.map((e=>[e])):r}function Z(e,t,n){const r={increasingX:!1,fillHoles:!1,...n},o=[];let i=!0;for(let n=0;n<e.length;n+=2)void 0===S(t[n/2].value)?r.fillHoles||(i=!0):(r.increasingX&&n>=2&&e[n]<=e[n-2]&&(i=!0),i&&(o.push({pathCoordinates:[],valueData:[]}),i=!1),o[o.length-1].pathCoordinates.push(e[n],e[n+1]),o[o.length-1].valueData.push(t[n/2]));return o}function O(e){let t="";return null==e?e:(t="number"==typeof e?""+e:"object"==typeof e?JSON.stringify({data:e}):String(e),Object.keys(r).reduce(((e,t)=>e.replaceAll(t,r[t])),t))}class D{call(e,t){return this.svgElements.forEach((n=>Reflect.apply(n[e],n,t))),this}attr(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("attr",t)}elem(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("elem",t)}root(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("root",t)}getNode(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("getNode",t)}foreignObject(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("foreignObject",t)}text(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("text",t)}empty(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("empty",t)}remove(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("remove",t)}addClass(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("addClass",t)}removeClass(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("removeClass",t)}removeAllClasses(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("removeAllClasses",t)}animate(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("animate",t)}constructor(e){this.svgElements=[];for(let t=0;t<e.length;t++)this.svgElements.push(new P(e[t]))}}const R={easeInSine:[.47,0,.745,.715],easeOutSine:[.39,.575,.565,1],easeInOutSine:[.445,.05,.55,.95],easeInQuad:[.55,.085,.68,.53],easeOutQuad:[.25,.46,.45,.94],easeInOutQuad:[.455,.03,.515,.955],easeInCubic:[.55,.055,.675,.19],easeOutCubic:[.215,.61,.355,1],easeInOutCubic:[.645,.045,.355,1],easeInQuart:[.895,.03,.685,.22],easeOutQuart:[.165,.84,.44,1],easeInOutQuart:[.77,0,.175,1],easeInQuint:[.755,.05,.855,.06],easeOutQuint:[.23,1,.32,1],easeInOutQuint:[.86,0,.07,1],easeInExpo:[.95,.05,.795,.035],easeOutExpo:[.19,1,.22,1],easeInOutExpo:[1,0,0,1],easeInCirc:[.6,.04,.98,.335],easeOutCirc:[.075,.82,.165,1],easeInOutCirc:[.785,.135,.15,.86],easeInBack:[.6,-.28,.735,.045],easeOutBack:[.175,.885,.32,1.275],easeInOutBack:[.68,-.55,.265,1.55]};function H(e,t,n){let r=arguments.length>3&&void 0!==arguments[3]&&arguments[3],a=arguments.length>4?arguments[4]:void 0;const{easing:l,...s}=n,c={};let u,d;l&&(u=Array.isArray(l)?l:R[l]),s.begin=o(s.begin,"ms"),s.dur=o(s.dur,"ms"),u&&(s.calcMode="spline",s.keySplines=u.join(" "),s.keyTimes="0;1"),r&&(s.fill="freeze",c[t]=s.from,e.attr(c),d=i(s.begin||0).value,s.begin="indefinite");const h=e.elem("animate",{attributeName:t,...s});r&&setTimeout((()=>{try{h._node.beginElement()}catch(n){c[t]=s.to,e.attr(c),h.remove()}}),d);const p=h.getNode();a&&p.addEventListener("beginEvent",(()=>a.emit("animationBegin",{element:e,animate:p,params:n}))),p.addEventListener("endEvent",(()=>{a&&a.emit("animationEnd",{element:e,animate:p,params:n}),r&&(c[t]=s.to,e.attr(c),h.remove())}))}class P{attr(e,t){return"string"==typeof e?t?this._node.getAttributeNS(t,e):this._node.getAttribute(e):(Object.keys(e).forEach((t=>{if(void 0!==e[t])if(-1!==t.indexOf(":")){const r=t.split(":");this._node.setAttributeNS(n[r[0]],t,String(e[t]))}else this._node.setAttribute(t,String(e[t]))})),this)}elem(e,t,n){return new P(e,t,n,this,arguments.length>3&&void 0!==arguments[3]&&arguments[3])}parent(){return this._node.parentNode instanceof SVGElement?new P(this._node.parentNode):null}root(){let e=this._node;for(;"svg"!==e.nodeName&&e.parentElement;)e=e.parentElement;return new P(e)}querySelector(e){const t=this._node.querySelector(e);return t?new P(t):null}querySelectorAll(e){const t=this._node.querySelectorAll(e);return new D(t)}getNode(){return this._node}foreignObject(e,t,r){let o,i=arguments.length>3&&void 0!==arguments[3]&&arguments[3];if("string"==typeof e){const t=document.createElement("div");t.innerHTML=e,o=t.firstChild}else o=e;o instanceof Element&&o.setAttribute("xmlns",n.xmlns);const a=this.elem("foreignObject",t,r,i);return a._node.appendChild(o),a}text(e){return this._node.appendChild(document.createTextNode(e)),this}empty(){for(;this._node.firstChild;)this._node.removeChild(this._node.firstChild);return this}remove(){var e;return null===(e=this._node.parentNode)||void 0===e||e.removeChild(this._node),this.parent()}replace(e){var t;return null===(t=this._node.parentNode)||void 0===t||t.replaceChild(e._node,this._node),e}append(e){return arguments.length>1&&void 0!==arguments[1]&&arguments[1]&&this._node.firstChild?this._node.insertBefore(e._node,this._node.firstChild):this._node.appendChild(e._node),this}classes(){const e=this._node.getAttribute("class");return e?e.trim().split(/\s+/):[]}addClass(e){return this._node.setAttribute("class",this.classes().concat(e.trim().split(/\s+/)).filter((function(e,t,n){return n.indexOf(e)===t})).join(" ")),this}removeClass(e){const t=e.trim().split(/\s+/);return this._node.setAttribute("class",this.classes().filter((e=>-1===t.indexOf(e))).join(" ")),this}removeAllClasses(){return this._node.setAttribute("class",""),this}height(){return this._node.getBoundingClientRect().height}width(){return this._node.getBoundingClientRect().width}animate(e){let t=!(arguments.length>1&&void 0!==arguments[1])||arguments[1],n=arguments.length>2?arguments[2]:void 0;return Object.keys(e).forEach((r=>{const o=e[r];Array.isArray(o)?o.forEach((e=>H(this,r,e,!1,n))):H(this,r,o,t,n)})),this}constructor(e,t,r,o,i=!1){e instanceof Element?this._node=e:(this._node=document.createElementNS(n.svg,e),"svg"===e&&this.attr({"xmlns:ct":n.ct})),t&&this.attr(t),r&&this.addClass(r),o&&(i&&o._node.firstChild?o._node.insertBefore(this._node,o._node.firstChild):o._node.appendChild(this._node))}}function j(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"100%",r=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"100%",o=arguments.length>3?arguments[3]:void 0;Array.from(e.querySelectorAll("svg")).filter((e=>e.getAttributeNS(n.xmlns,"ct"))).forEach((t=>e.removeChild(t)));const i=new P("svg").attr({width:t,height:r}).attr({style:"width: ".concat(t,"; height: ").concat(r,";")});return o&&i.addClass(o),e.appendChild(i.getNode()),i}function F(e){return"number"==typeof e?{top:e,right:e,bottom:e,left:e}:void 0===e?{top:0,right:0,bottom:0,left:0}:{top:"number"==typeof e.top?e.top:0,right:"number"==typeof e.right?e.right:0,bottom:"number"==typeof e.bottom?e.bottom:0,left:"number"==typeof e.left?e.left:0}}function z(e,t){var n,r,o,a;const l=Boolean(t.axisX||t.axisY),s=(null===(n=t.axisY)||void 0===n?void 0:n.offset)||0,c=(null===(r=t.axisX)||void 0===r?void 0:r.offset)||0,u=null===(o=t.axisY)||void 0===o?void 0:o.position,d=null===(a=t.axisX)||void 0===a?void 0:a.position;let h=e.width()||i(t.width).value||0,p=e.height()||i(t.height).value||0;const f=F(t.chartPadding);h=Math.max(h,s+f.left+f.right),p=Math.max(p,c+f.top+f.bottom);const m={x1:0,x2:0,y1:0,y2:0,padding:f,width(){return this.x2-this.x1},height(){return this.y1-this.y2}};return l?("start"===d?(m.y2=f.top+c,m.y1=Math.max(p-f.bottom,m.y2+1)):(m.y2=f.top,m.y1=Math.max(p-f.bottom-c,m.y2+1)),"start"===u?(m.x1=f.left+s,m.x2=Math.max(h-f.right,m.x1+1)):(m.x1=f.left,m.x2=Math.max(h-f.right-s,m.x1+1))):(m.x1=f.left,m.x2=Math.max(h-f.right,m.x1+1),m.y2=f.top,m.y1=Math.max(p-f.bottom,m.y2+1)),m}function q(e,t,n,r,o,i,a,l){const s={["".concat(n.units.pos,"1")]:e,["".concat(n.units.pos,"2")]:e,["".concat(n.counterUnits.pos,"1")]:r,["".concat(n.counterUnits.pos,"2")]:r+o},c=i.elem("line",s,a.join(" "));l.emit("draw",{type:"grid",axis:n,index:t,group:i,element:c,...s})}function U(e,t,n,r){const o=e.elem("rect",{x:t.x1,y:t.y2,width:t.width(),height:t.height()},n,!0);r.emit("draw",{type:"gridBackground",group:e,element:o})}function $(e,t,n,r,o,i,a,l,s,c){const u={[o.units.pos]:e+a[o.units.pos],[o.counterUnits.pos]:a[o.counterUnits.pos],[o.units.len]:t,[o.counterUnits.len]:Math.max(0,i-10)},d=Math.round(u[o.units.len]),h=Math.round(u[o.counterUnits.len]),p=document.createElement("span");p.className=s.join(" "),p.style[o.units.len]=d+"px",p.style[o.counterUnits.len]=h+"px",p.textContent=String(r);const f=l.foreignObject(p,{style:"overflow: visible;",...u});c.emit("draw",{type:"label",axis:o,index:n,group:l,element:f,text:r,...u})}function W(e,t,n){let r;const o=[];function i(o){const i=r;r=f({},e),t&&t.forEach((e=>{window.matchMedia(e[0]).matches&&(r=f(r,e[1]))})),n&&o&&n.emit("optionsChanged",{previousOptions:i,currentOptions:r})}if(!window.matchMedia)throw new Error("window.matchMedia not found! Make sure you're using a polyfill.");return t&&t.forEach((e=>{const t=window.matchMedia(e[0]);t.addEventListener("change",i),o.push(t)})),i(),{removeMediaQueryListeners:function(){o.forEach((e=>e.removeEventListener("change",i)))},getCurrentOptions:()=>r}}P.Easing=R;const G={m:["x","y"],l:["x","y"],c:["x1","y1","x2","y2","x","y"],a:["rx","ry","xAr","lAf","sf","x","y"]},K={accuracy:3};function Y(e,t,n,r,o,i){const a={command:o?e.toLowerCase():e.toUpperCase(),...t,...i?{data:i}:{}};n.splice(r,0,a)}function X(e,t){e.forEach(((n,r)=>{G[n.command.toLowerCase()].forEach(((o,i)=>{t(n,o,r,i,e)}))}))}class J{static join(e){const t=new J(arguments.length>1&&void 0!==arguments[1]&&arguments[1],arguments.length>2?arguments[2]:void 0);for(let n=0;n<e.length;n++){const r=e[n];for(let e=0;e<r.pathElements.length;e++)t.pathElements.push(r.pathElements[e])}return t}position(e){return void 0!==e?(this.pos=Math.max(0,Math.min(this.pathElements.length,e)),this):this.pos}remove(e){return this.pathElements.splice(this.pos,e),this}move(e,t){let n=arguments.length>2&&void 0!==arguments[2]&&arguments[2],r=arguments.length>3?arguments[3]:void 0;return Y("M",{x:+e,y:+t},this.pathElements,this.pos++,n,r),this}line(e,t){let n=arguments.length>2&&void 0!==arguments[2]&&arguments[2],r=arguments.length>3?arguments[3]:void 0;return Y("L",{x:+e,y:+t},this.pathElements,this.pos++,n,r),this}curve(e,t,n,r,o,i){let a=arguments.length>6&&void 0!==arguments[6]&&arguments[6],l=arguments.length>7?arguments[7]:void 0;return Y("C",{x1:+e,y1:+t,x2:+n,y2:+r,x:+o,y:+i},this.pathElements,this.pos++,a,l),this}arc(e,t,n,r,o,i,a){let l=arguments.length>7&&void 0!==arguments[7]&&arguments[7],s=arguments.length>8?arguments[8]:void 0;return Y("A",{rx:e,ry:t,xAr:n,lAf:r,sf:o,x:i,y:a},this.pathElements,this.pos++,l,s),this}parse(e){const t=e.replace(/([A-Za-z])(-?[0-9])/g,"$1 $2").replace(/([0-9])([A-Za-z])/g,"$1 $2").split(/[\s,]+/).reduce(((e,t)=>(t.match(/[A-Za-z]/)&&e.push([]),e[e.length-1].push(t),e)),[]);"Z"===t[t.length-1][0].toUpperCase()&&t.pop();const n=t.map((e=>{const t=e.shift(),n=G[t.toLowerCase()];return{command:t,...n.reduce(((t,n,r)=>(t[n]=+e[r],t)),{})}}));return this.pathElements.splice(this.pos,0,...n),this.pos+=n.length,this}stringify(){const e=Math.pow(10,this.options.accuracy);return this.pathElements.reduce(((t,n)=>{const r=G[n.command.toLowerCase()].map((t=>{const r=n[t];return this.options.accuracy?Math.round(r*e)/e:r}));return t+n.command+r.join(",")}),"")+(this.close?"Z":"")}scale(e,t){return X(this.pathElements,((n,r)=>{n[r]*="x"===r[0]?e:t})),this}translate(e,t){return X(this.pathElements,((n,r)=>{n[r]+="x"===r[0]?e:t})),this}transform(e){return X(this.pathElements,((t,n,r,o,i)=>{const a=e(t,n,r,o,i);(a||0===a)&&(t[n]=a)})),this}clone(){const e=new J(arguments.length>0&&void 0!==arguments[0]&&arguments[0]||this.close);return e.pos=this.pos,e.pathElements=this.pathElements.slice().map((e=>({...e}))),e.options={...this.options},e}splitByCommand(e){const t=[new J];return this.pathElements.forEach((n=>{n.command===e.toUpperCase()&&0!==t[t.length-1].pathElements.length&&t.push(new J),t[t.length-1].pathElements.push(n)})),t}constructor(e=!1,t){this.close=e,this.pathElements=[],this.pos=0,this.options={...K,...t}}}function Q(e){const t={fillHoles:!1,...e};return function(e,n){const r=new J;let o=!0;for(let i=0;i<e.length;i+=2){const a=e[i],l=e[i+1],s=n[i/2];void 0!==S(s.value)?(o?r.move(a,l,!1,s):r.line(a,l,!1,s),o=!1):t.fillHoles||(o=!0)}return r}}function ee(e){const t={fillHoles:!1,...e};return function e(n,r){const o=Z(n,r,{fillHoles:t.fillHoles,increasingX:!0});if(o.length){if(o.length>1)return J.join(o.map((t=>e(t.pathCoordinates,t.valueData))));{if(n=o[0].pathCoordinates,r=o[0].valueData,n.length<=4)return Q()(n,r);const e=[],t=[],i=n.length/2,a=[],l=[],s=[],c=[];for(let r=0;r<i;r++)e[r]=n[2*r],t[r]=n[2*r+1];for(let n=0;n<i-1;n++)s[n]=t[n+1]-t[n],c[n]=e[n+1]-e[n],l[n]=s[n]/c[n];a[0]=l[0],a[i-1]=l[i-2];for(let e=1;e<i-1;e++)0===l[e]||0===l[e-1]||l[e-1]>0!=l[e]>0?a[e]=0:(a[e]=3*(c[e-1]+c[e])/((2*c[e]+c[e-1])/l[e-1]+(c[e]+2*c[e-1])/l[e]),isFinite(a[e])||(a[e]=0));const u=(new J).move(e[0],t[0],!1,r[0]);for(let n=0;n<i-1;n++)u.curve(e[n]+c[n]/3,t[n]+a[n]*c[n]/3,e[n+1]-c[n]/3,t[n+1]-a[n+1]*c[n]/3,e[n+1],t[n+1],!1,r[n+1]);return u}}return Q()([],[])}}var te=Object.freeze({__proto__:null,none:Q,simple:function(e){const t={divisor:2,fillHoles:!1,...e},n=1/Math.max(1,t.divisor);return function(e,r){const o=new J;let i,a=0,l=0;for(let s=0;s<e.length;s+=2){const c=e[s],u=e[s+1],d=(c-a)*n,h=r[s/2];void 0!==h.value?(void 0===i?o.move(c,u,!1,h):o.curve(a+d,l,c-d,u,c,u,!1,h),a=c,l=u,i=h):t.fillHoles||(a=l=0,i=void 0)}return o}},step:function(e){const t={postpone:!0,fillHoles:!1,...e};return function(e,n){const r=new J;let o,i=0,a=0;for(let l=0;l<e.length;l+=2){const s=e[l],c=e[l+1],u=n[l/2];void 0!==u.value?(void 0===o?r.move(s,c,!1,u):(t.postpone?r.line(s,a,!1,o):r.line(i,c,!1,u),r.line(s,c,!1,u)),i=s,a=c,o=u):t.fillHoles||(i=a=0,o=void 0)}return r}},cardinal:function(e){const t={tension:1,fillHoles:!1,...e},n=Math.min(1,Math.max(0,t.tension)),r=1-n;return function e(o,i){const a=Z(o,i,{fillHoles:t.fillHoles});if(a.length){if(a.length>1)return J.join(a.map((t=>e(t.pathCoordinates,t.valueData))));{if(o=a[0].pathCoordinates,i=a[0].valueData,o.length<=4)return Q()(o,i);const e=(new J).move(o[0],o[1],!1,i[0]),t=!1;for(let a=0,l=o.length;l-2*Number(!t)>a;a+=2){const t=[{x:+o[a-2],y:+o[a-1]},{x:+o[a],y:+o[a+1]},{x:+o[a+2],y:+o[a+3]},{x:+o[a+4],y:+o[a+5]}];l-4===a?t[3]=t[2]:a||(t[0]={x:+o[a],y:+o[a+1]}),e.curve(n*(-t[0].x+6*t[1].x+t[2].x)/6+r*t[2].x,n*(-t[0].y+6*t[1].y+t[2].y)/6+r*t[2].y,n*(t[1].x+6*t[2].x-t[3].x)/6+r*t[2].x,n*(t[1].y+6*t[2].y-t[3].y)/6+r*t[2].y,t[2].x,t[2].y,!1,i[(a+2)/2])}return e}}return Q()([],[])}},monotoneCubic:ee});class ne{on(e,t){const{allListeners:n,listeners:r}=this;"*"===e?n.add(t):(r.has(e)||r.set(e,new Set),r.get(e).add(t))}off(e,t){const{allListeners:n,listeners:r}=this;if("*"===e)t?n.delete(t):n.clear();else if(r.has(e)){const n=r.get(e);t?n.delete(t):n.clear(),n.size||r.delete(e)}}emit(e,t){const{allListeners:n,listeners:r}=this;r.has(e)&&r.get(e).forEach((e=>e(t))),n.forEach((n=>n(e,t)))}constructor(){this.listeners=new Map,this.allListeners=new Set}}const re=new WeakMap;class oe{update(e,t){let n=arguments.length>2&&void 0!==arguments[2]&&arguments[2];var r;(e&&(this.data=e||{},this.data.labels=this.data.labels||[],this.data.series=this.data.series||[],this.eventEmitter.emit("data",{type:"update",data:this.data})),t)&&(this.options=f({},n?this.options:this.defaultOptions,t),this.initializeTimeoutId||(null===(r=this.optionsProvider)||void 0===r||r.removeMediaQueryListeners(),this.optionsProvider=W(this.options,this.responsiveOptions,this.eventEmitter)));return!this.initializeTimeoutId&&this.optionsProvider&&this.createChart(this.optionsProvider.getCurrentOptions()),this}detach(){var e;this.initializeTimeoutId?window.clearTimeout(this.initializeTimeoutId):(window.removeEventListener("resize",this.resizeListener),null===(e=this.optionsProvider)||void 0===e||e.removeMediaQueryListeners());return re.delete(this.container),this}on(e,t){return this.eventEmitter.on(e,t),this}off(e,t){return this.eventEmitter.off(e,t),this}initialize(){window.addEventListener("resize",this.resizeListener),this.optionsProvider=W(this.options,this.responsiveOptions,this.eventEmitter),this.eventEmitter.on("optionsChanged",(()=>this.update())),this.options.plugins&&this.options.plugins.forEach((e=>{Array.isArray(e)?e[0](this,e[1]):e(this)})),this.eventEmitter.emit("data",{type:"initial",data:this.data}),this.createChart(this.optionsProvider.getCurrentOptions()),this.initializeTimeoutId=null}constructor(e,t,n,r,o){this.data=t,this.defaultOptions=n,this.options=r,this.responsiveOptions=o,this.eventEmitter=new ne,this.resizeListener=()=>this.update(),this.initializeTimeoutId=setTimeout((()=>this.initialize()),0);const i="string"==typeof e?document.querySelector(e):e;if(!i)throw new Error("Target element is not found");this.container=i;const a=re.get(i);a&&a.detach(),re.set(i,this)}}const ie={x:{pos:"x",len:"width",dir:"horizontal",rectStart:"x1",rectEnd:"x2",rectOffset:"y2"},y:{pos:"y",len:"height",dir:"vertical",rectStart:"y2",rectEnd:"y1",rectOffset:"x1"}};class ae{createGridAndLabels(e,t,n,r){const o="x"===this.units.pos?n.axisX:n.axisY,i=this.ticks.map(((e,t)=>this.projectValue(e,t))),a=this.ticks.map(o.labelInterpolationFnc);i.forEach(((l,s)=>{const c=a[s],u={x:0,y:0};let d;d=i[s+1]?i[s+1]-l:Math.max(this.axisLength-l,this.axisLength/this.ticks.length),""!==c&&x(c)||("x"===this.units.pos?(l=this.chartRect.x1+l,u.x=n.axisX.labelOffset.x,"start"===n.axisX.position?u.y=this.chartRect.padding.top+n.axisX.labelOffset.y+5:u.y=this.chartRect.y1+n.axisX.labelOffset.y+5):(l=this.chartRect.y1-l,u.y=n.axisY.labelOffset.y-d,"start"===n.axisY.position?u.x=this.chartRect.padding.left+n.axisY.labelOffset.x:u.x=this.chartRect.x2+n.axisY.labelOffset.x+10),o.showGrid&&q(l,s,this,this.gridOffset,this.chartRect[this.counterUnits.len](),e,[n.classNames.grid,n.classNames[this.units.dir]],r),o.showLabel&&$(l,d,s,c,this,o.offset,u,t,[n.classNames.label,n.classNames[this.units.dir],"start"===o.position?n.classNames[o.position]:n.classNames.end],r))}))}constructor(e,t,n){this.units=e,this.chartRect=t,this.ticks=n,this.counterUnits=e===ie.x?ie.y:ie.x,this.axisLength=t[this.units.rectEnd]-t[this.units.rectStart],this.gridOffset=t[this.units.rectOffset]}}class le extends ae{projectValue(e){const t=Number(S(e,this.units.pos));return this.axisLength*(t-this.bounds.min)/this.bounds.range}constructor(e,t,n,r){const o=r.highLow||N(t,r,e.pos),i=p(n[e.rectEnd]-n[e.rectStart],o,r.scaleMinSpace||20,r.onlyInteger),a={min:i.min,max:i.max};super(e,n,i.values),this.bounds=i,this.range=a}}class se extends ae{projectValue(e,t){return this.stepLength*t}constructor(e,t,n,r){const o=r.ticks||[];super(e,n,o);const i=Math.max(1,o.length-(r.stretch?1:0));this.stepLength=this.axisLength/i,this.stretch=Boolean(r.stretch)}}function ce(e,t,n){var r;if(y(e,"name")&&e.name&&(null===(r=t.series)||void 0===r?void 0:r[e.name])){const r=(null==t?void 0:t.series[e.name])[n];return void 0===r?t[n]:r}return t[n]}const ue={axisX:{offset:30,position:"end",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:m,type:void 0},axisY:{offset:40,position:"start",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:m,type:void 0,scaleMinSpace:20,onlyInteger:!1},width:void 0,height:void 0,showLine:!0,showPoint:!0,showArea:!1,areaBase:0,lineSmooth:!0,showGridBackground:!1,low:void 0,high:void 0,chartPadding:{top:15,right:15,bottom:5,left:10},fullWidth:!1,reverseData:!1,classNames:{chart:"ct-chart-line",label:"ct-label",labelGroup:"ct-labels",series:"ct-series",line:"ct-line",point:"ct-point",area:"ct-area",grid:"ct-grid",gridGroup:"ct-grids",gridBackground:"ct-grid-background",vertical:"ct-vertical",horizontal:"ct-horizontal",start:"ct-start",end:"ct-end"}};const de={axisX:{offset:30,position:"end",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:m,scaleMinSpace:30,onlyInteger:!1},axisY:{offset:40,position:"start",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:m,scaleMinSpace:20,onlyInteger:!1},width:void 0,height:void 0,high:void 0,low:void 0,referenceValue:0,chartPadding:{top:15,right:15,bottom:5,left:10},seriesBarDistance:15,stackBars:!1,stackMode:"accumulate",horizontalBars:!1,distributeSeries:!1,reverseData:!1,showGridBackground:!1,classNames:{chart:"ct-chart-bar",horizontalBars:"ct-horizontal-bars",label:"ct-label",labelGroup:"ct-labels",series:"ct-series",bar:"ct-bar",grid:"ct-grid",gridGroup:"ct-grids",gridBackground:"ct-grid-background",vertical:"ct-vertical",horizontal:"ct-horizontal",start:"ct-start",end:"ct-end"}};const he={width:void 0,height:void 0,chartPadding:5,classNames:{chartPie:"ct-chart-pie",chartDonut:"ct-chart-donut",series:"ct-series",slicePie:"ct-slice-pie",sliceDonut:"ct-slice-donut",label:"ct-label"},startAngle:0,total:void 0,donut:!1,donutWidth:60,showLabel:!0,labelOffset:0,labelPosition:"inside",labelInterpolationFnc:m,labelDirection:"neutral",ignoreEmptyValues:!1};function pe(e,t,n){const r=t.x>e.x;return r&&"explode"===n||!r&&"implode"===n?"start":r&&"implode"===n||!r&&"explode"===n?"end":"middle"}t.AutoScaleAxis=le,t.Axis=ae,t.BarChart=class extends oe{createChart(e){const{data:t}=this,n=V(t,e.reverseData,e.horizontalBars?"x":"y",!0),r=j(this.container,e.width,e.height,e.classNames.chart+(e.horizontalBars?" "+e.classNames.horizontalBars:"")),o=e.stackBars&&!0!==e.stackMode&&n.series.length?N([(i=n.series,w(i,(function(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return Array.from(t).reduce(((e,t)=>({x:e.x+(y(t,"x")?t.x:0),y:e.y+(y(t,"y")?t.y:0)})),{x:0,y:0})})))],e,e.horizontalBars?"x":"y"):N(n.series,e,e.horizontalBars?"x":"y");var i;this.svg=r;const l=r.elem("g").addClass(e.classNames.gridGroup),s=r.elem("g"),c=r.elem("g").addClass(e.classNames.labelGroup);"number"==typeof e.high&&(o.high=e.high),"number"==typeof e.low&&(o.low=e.low);const u=z(r,e);let d;const h=e.distributeSeries&&e.stackBars?n.labels.slice(0,1):n.labels;let p,f,m;e.horizontalBars?(d=f=void 0===e.axisX.type?new le(ie.x,n.series,u,{...e.axisX,highLow:o,referenceValue:0}):new e.axisX.type(ie.x,n.series,u,{...e.axisX,highLow:o,referenceValue:0}),p=m=void 0===e.axisY.type?new se(ie.y,n.series,u,{ticks:h}):new e.axisY.type(ie.y,n.series,u,e.axisY)):(p=f=void 0===e.axisX.type?new se(ie.x,n.series,u,{ticks:h}):new e.axisX.type(ie.x,n.series,u,e.axisX),d=m=void 0===e.axisY.type?new le(ie.y,n.series,u,{...e.axisY,highLow:o,referenceValue:0}):new e.axisY.type(ie.y,n.series,u,{...e.axisY,highLow:o,referenceValue:0}));const v=e.horizontalBars?u.x1+d.projectValue(0):u.y1-d.projectValue(0),g="accumulate"===e.stackMode,x="accumulate-relative"===e.stackMode,k=[],E=[];let B=k;p.createGridAndLabels(l,c,e,this.eventEmitter),d.createGridAndLabels(l,c,e,this.eventEmitter),e.showGridBackground&&U(l,u,e.classNames.gridBackground,this.eventEmitter),A(t.series,((r,o)=>{const i=o-(t.series.length-1)/2;let l;l=e.distributeSeries&&!e.stackBars?p.axisLength/n.series.length/2:e.distributeSeries&&e.stackBars?p.axisLength/2:p.axisLength/n.series[o].length/2;const c=s.elem("g"),h=y(r,"name")&&r.name,w=y(r,"className")&&r.className,A=y(r,"meta")?r.meta:void 0;h&&c.attr({"ct:series-name":h}),A&&c.attr({"ct:meta":O(A)}),c.addClass([e.classNames.series,w||"".concat(e.classNames.series,"-").concat(a(o))].join(" ")),n.series[o].forEach(((t,a)=>{const s=y(t,"x")&&t.x,h=y(t,"y")&&t.y;let w,A;w=e.distributeSeries&&!e.stackBars?o:e.distributeSeries&&e.stackBars?0:a,A=e.horizontalBars?{x:u.x1+d.projectValue(s||0,a,n.series[o]),y:u.y1-p.projectValue(h||0,w,n.series[o])}:{x:u.x1+p.projectValue(s||0,w,n.series[o]),y:u.y1-d.projectValue(h||0,a,n.series[o])},p instanceof se&&(p.stretch||(A[p.units.pos]+=l*(e.horizontalBars?-1:1)),A[p.units.pos]+=e.stackBars||e.distributeSeries?0:i*e.seriesBarDistance*(e.horizontalBars?-1:1)),x&&(B=h>=0||s>=0?k:E);const M=B[a]||v;if(B[a]=M-(v-A[p.counterUnits.pos]),void 0===t)return;const _={["".concat(p.units.pos,"1")]:A[p.units.pos],["".concat(p.units.pos,"2")]:A[p.units.pos]};e.stackBars&&(g||x||!e.stackMode)?(_["".concat(p.counterUnits.pos,"1")]=M,_["".concat(p.counterUnits.pos,"2")]=B[a]):(_["".concat(p.counterUnits.pos,"1")]=v,_["".concat(p.counterUnits.pos,"2")]=A[p.counterUnits.pos]),_.x1=Math.min(Math.max(_.x1,u.x1),u.x2),_.x2=Math.min(Math.max(_.x2,u.x1),u.x2),_.y1=Math.min(Math.max(_.y1,u.y2),u.y1),_.y2=Math.min(Math.max(_.y2,u.y2),u.y1);const S=C(r,a),N=c.elem("line",_,e.classNames.bar).attr({"ct:value":[s,h].filter(b).join(","),"ct:meta":O(S)});this.eventEmitter.emit("draw",{type:"bar",value:t,index:a,meta:S,series:r,seriesIndex:o,axisX:f,axisY:m,chartRect:u,group:c,element:N,..._})}))}),e.reverseData),this.eventEmitter.emit("created",{chartRect:u,axisX:f,axisY:m,svg:r,options:e})}constructor(e,t,n,r){super(e,t,de,f({},de,n),r),this.data=t}},t.BaseChart=oe,t.EPSILON=l,t.EventEmitter=ne,t.FixedScaleAxis=class extends ae{projectValue(e){const t=Number(S(e,this.units.pos));return this.axisLength*(t-this.range.min)/(this.range.max-this.range.min)}constructor(e,t,n,r){const o=r.highLow||N(t,r,e.pos),i=r.divisor||1,a=(r.ticks||v(i,(e=>o.low+(o.high-o.low)/i*e))).sort(((e,t)=>Number(e)-Number(t))),l={min:o.low,max:o.high};super(e,n,a),this.range=l}},t.Interpolation=te,t.LineChart=class extends oe{createChart(e){const{data:t}=this,n=V(t,e.reverseData,!0),r=j(this.container,e.width,e.height,e.classNames.chart);this.svg=r;const o=r.elem("g").addClass(e.classNames.gridGroup),i=r.elem("g"),l=r.elem("g").addClass(e.classNames.labelGroup),s=z(r,e);let c,u;c=void 0===e.axisX.type?new se(ie.x,n.series,s,{...e.axisX,ticks:n.labels,stretch:e.fullWidth}):new e.axisX.type(ie.x,n.series,s,e.axisX),u=void 0===e.axisY.type?new le(ie.y,n.series,s,{...e.axisY,high:b(e.high)?e.high:e.axisY.high,low:b(e.low)?e.low:e.axisY.low}):new e.axisY.type(ie.y,n.series,s,e.axisY),c.createGridAndLabels(o,l,e,this.eventEmitter),u.createGridAndLabels(o,l,e,this.eventEmitter),e.showGridBackground&&U(o,s,e.classNames.gridBackground,this.eventEmitter),A(t.series,((t,r)=>{const o=i.elem("g"),l=y(t,"name")&&t.name,d=y(t,"className")&&t.className,h=y(t,"meta")?t.meta:void 0;l&&o.attr({"ct:series-name":l}),h&&o.attr({"ct:meta":O(h)}),o.addClass([e.classNames.series,d||"".concat(e.classNames.series,"-").concat(a(r))].join(" "));const p=[],f=[];n.series[r].forEach(((e,o)=>{const i={x:s.x1+c.projectValue(e,o,n.series[r]),y:s.y1-u.projectValue(e,o,n.series[r])};p.push(i.x,i.y),f.push({value:e,valueIndex:o,meta:C(t,o)})}));const m={lineSmooth:ce(t,e,"lineSmooth"),showPoint:ce(t,e,"showPoint"),showLine:ce(t,e,"showLine"),showArea:ce(t,e,"showArea"),areaBase:ce(t,e,"areaBase")};let v;v="function"==typeof m.lineSmooth?m.lineSmooth:m.lineSmooth?ee():Q();const g=v(p,f);if(m.showPoint&&g.pathElements.forEach((n=>{const{data:i}=n,a=o.elem("line",{x1:n.x,y1:n.y,x2:n.x+.01,y2:n.y},e.classNames.point);if(i){let e,t;y(i.value,"x")&&(e=i.value.x),y(i.value,"y")&&(t=i.value.y),a.attr({"ct:value":[e,t].filter(b).join(","),"ct:meta":O(i.meta)})}this.eventEmitter.emit("draw",{type:"point",value:null==i?void 0:i.value,index:(null==i?void 0:i.valueIndex)||0,meta:null==i?void 0:i.meta,series:t,seriesIndex:r,axisX:c,axisY:u,group:o,element:a,x:n.x,y:n.y,chartRect:s})})),m.showLine){const i=o.elem("path",{d:g.stringify()},e.classNames.line,!0);this.eventEmitter.emit("draw",{type:"line",values:n.series[r],path:g.clone(),chartRect:s,index:r,series:t,seriesIndex:r,meta:h,axisX:c,axisY:u,group:o,element:i})}if(m.showArea&&u.range){const i=Math.max(Math.min(m.areaBase,u.range.max),u.range.min),a=s.y1-u.projectValue(i);g.splitByCommand("M").filter((e=>e.pathElements.length>1)).map((e=>{const t=e.pathElements[0],n=e.pathElements[e.pathElements.length-1];return e.clone(!0).position(0).remove(1).move(t.x,a).line(t.x,t.y).position(e.pathElements.length+1).line(n.x,a)})).forEach((i=>{const a=o.elem("path",{d:i.stringify()},e.classNames.area,!0);this.eventEmitter.emit("draw",{type:"area",values:n.series[r],path:i.clone(),series:t,seriesIndex:r,axisX:c,axisY:u,chartRect:s,index:r,group:o,element:a,meta:h})}))}}),e.reverseData),this.eventEmitter.emit("created",{chartRect:s,axisX:c,axisY:u,svg:r,options:e})}constructor(e,t,n,r){super(e,t,ue,f({},ue,n),r),this.data=t}},t.PieChart=class extends oe{createChart(e){const{data:t}=this,n=V(t),r=[];let o,l,s=e.startAngle;const c=j(this.container,e.width,e.height,e.donut?e.classNames.chartDonut:e.classNames.chartPie);this.svg=c;const u=z(c,e);let d=Math.min(u.width()/2,u.height()/2);const p=e.total||n.series.reduce(g,0),f=i(e.donutWidth);"%"===f.unit&&(f.value*=d/100),d-=e.donut?f.value/2:0,l="outside"===e.labelPosition||e.donut?d:"center"===e.labelPosition?0:d/2,e.labelOffset&&(l+=e.labelOffset);const m={x:u.x1+u.width()/2,y:u.y2+u.height()/2},v=1===t.series.filter((e=>y(e,"value")?0!==e.value:0!==e)).length;t.series.forEach(((e,t)=>r[t]=c.elem("g"))),e.showLabel&&(o=c.elem("g")),t.series.forEach(((i,c)=>{var g,w;if(0===n.series[c]&&e.ignoreEmptyValues)return;const b=y(i,"name")&&i.name,k=y(i,"className")&&i.className,E=y(i,"meta")?i.meta:void 0;b&&r[c].attr({"ct:series-name":b}),r[c].addClass([null===(g=e.classNames)||void 0===g?void 0:g.series,k||"".concat(null===(w=e.classNames)||void 0===w?void 0:w.series,"-").concat(a(c))].join(" "));let A=p>0?s+n.series[c]/p*360:0;const C=Math.max(0,s-(0===c||v?0:.2));A-C>=359.99&&(A=C+359.99);const B=h(m.x,m.y,d,C),M=h(m.x,m.y,d,A),_=new J(!e.donut).move(M.x,M.y).arc(d,d,0,Number(A-s>180),0,B.x,B.y);e.donut||_.line(m.x,m.y);const S=r[c].elem("path",{d:_.stringify()},e.donut?e.classNames.sliceDonut:e.classNames.slicePie);if(S.attr({"ct:value":n.series[c],"ct:meta":O(E)}),e.donut&&S.attr({style:"stroke-width: "+f.value+"px"}),this.eventEmitter.emit("draw",{type:"slice",value:n.series[c],totalDataSum:p,index:c,meta:E,series:i,group:r[c],element:S,path:_.clone(),center:m,radius:d,startAngle:s,endAngle:A,chartRect:u}),e.showLabel){let r,a;r=1===t.series.length?{x:m.x,y:m.y}:h(m.x,m.y,l,s+(A-s)/2),a=n.labels&&!x(n.labels[c])?n.labels[c]:n.series[c];const d=e.labelInterpolationFnc(a,c);if(d||0===d){const t=o.elem("text",{dx:r.x,dy:r.y,"text-anchor":pe(m,r,e.labelDirection)},e.classNames.label).text(String(d));this.eventEmitter.emit("draw",{type:"label",index:c,group:o,element:t,text:""+d,chartRect:u,series:i,meta:E,...r})}}s=A})),this.eventEmitter.emit("created",{chartRect:u,svg:c,options:e})}constructor(e,t,n,r){super(e,t,he,f({},he,n),r),this.data=t}},t.StepAxis=se,t.Svg=P,t.SvgList=D,t.SvgPath=J,t.alphaNumerate=a,t.axisUnits=ie,t.createChartRect=z,t.createGrid=q,t.createGridBackground=U,t.createLabel=$,t.createSvg=j,t.deserialize=function(e){if("string"!=typeof e)return e;if("NaN"===e)return NaN;let t=e=Object.keys(r).reduce(((e,t)=>e.replaceAll(r[t],t)),e);if("string"==typeof e)try{t=JSON.parse(e),t=void 0!==t.data?t.data:t}catch(e){}return t},t.determineAnchorPosition=pe,t.each=A,t.easings=R,t.ensureUnit=o,t.escapingMap=r,t.extend=f,t.getBounds=p,t.getHighLow=N,t.getMetaData=C,t.getMultiValue=S,t.getNumberOrUndefined=k,t.getSeriesOption=ce,t.isArrayOfArrays=E,t.isArrayOfSeries=M,t.isDataHoleValue=B,t.isFalseyButZero=x,t.isMultiValue=_,t.isNumeric=b,t.namespaces=n,t.noop=m,t.normalizeData=V,t.normalizePadding=F,t.optionsProvider=W,t.orderOfMagnitude=s,t.polarToCartesian=h,t.precision=8,t.projectLength=c,t.quantity=i,t.rho=d,t.roundWithPrecision=u,t.safeHasProperty=y,t.serialMap=w,t.serialize=O,t.splitIntoSegments=Z,t.sum=g,t.times=v},95361:(e,t,n)=>{"use strict";n.d(t,{BN:()=>d,Ej:()=>h,RK:()=>s,UE:()=>l,UU:()=>c,cY:()=>u,rD:()=>i});var r=n(97193);function o(e,t,n){let{reference:o,floating:i}=e;const a=(0,r.TV)(t),l=(0,r.Dz)(t),s=(0,r.sq)(l),c=(0,r.C0)(t),u="y"===a,d=o.x+o.width/2-i.width/2,h=o.y+o.height/2-i.height/2,p=o[s]/2-i[s]/2;let f;switch(c){case"top":f={x:d,y:o.y-i.height};break;case"bottom":f={x:d,y:o.y+o.height};break;case"right":f={x:o.x+o.width,y:h};break;case"left":f={x:o.x-i.width,y:h};break;default:f={x:o.x,y:o.y}}switch((0,r.Sg)(t)){case"start":f[l]-=p*(n&&u?-1:1);break;case"end":f[l]+=p*(n&&u?-1:1)}return f}const i=async(e,t,n)=>{const{placement:r="bottom",strategy:i="absolute",middleware:a=[],platform:l}=n,s=a.filter(Boolean),c=await(null==l.isRTL?void 0:l.isRTL(t));let u=await l.getElementRects({reference:e,floating:t,strategy:i}),{x:d,y:h}=o(u,r,c),p=r,f={},m=0;for(let n=0;n<s.length;n++){const{name:a,fn:v}=s[n],{x:g,y:w,data:y,reset:b}=await v({x:d,y:h,initialPlacement:r,placement:p,strategy:i,middlewareData:f,rects:u,platform:l,elements:{reference:e,floating:t}});d=null!=g?g:d,h=null!=w?w:h,f={...f,[a]:{...f[a],...y}},b&&m<=50&&(m++,"object"==typeof b&&(b.placement&&(p=b.placement),b.rects&&(u=!0===b.rects?await l.getElementRects({reference:e,floating:t,strategy:i}):b.rects),({x:d,y:h}=o(u,p,c))),n=-1)}return{x:d,y:h,placement:p,strategy:i,middlewareData:f}};async function a(e,t){var n;void 0===t&&(t={});const{x:o,y:i,platform:a,rects:l,elements:s,strategy:c}=e,{boundary:u="clippingAncestors",rootBoundary:d="viewport",elementContext:h="floating",altBoundary:p=!1,padding:f=0}=(0,r._3)(t,e),m=(0,r.nI)(f),v=s[p?"floating"===h?"reference":"floating":h],g=(0,r.B1)(await a.getClippingRect({element:null==(n=await(null==a.isElement?void 0:a.isElement(v)))||n?v:v.contextElement||await(null==a.getDocumentElement?void 0:a.getDocumentElement(s.floating)),boundary:u,rootBoundary:d,strategy:c})),w="floating"===h?{x:o,y:i,width:l.floating.width,height:l.floating.height}:l.reference,y=await(null==a.getOffsetParent?void 0:a.getOffsetParent(s.floating)),b=await(null==a.isElement?void 0:a.isElement(y))&&await(null==a.getScale?void 0:a.getScale(y))||{x:1,y:1},x=(0,r.B1)(a.convertOffsetParentRelativeRectToViewportRelativeRect?await a.convertOffsetParentRelativeRectToViewportRelativeRect({elements:s,rect:w,offsetParent:y,strategy:c}):w);return{top:(g.top-x.top+m.top)/b.y,bottom:(x.bottom-g.bottom+m.bottom)/b.y,left:(g.left-x.left+m.left)/b.x,right:(x.right-g.right+m.right)/b.x}}const l=e=>({name:"arrow",options:e,async fn(t){const{x:n,y:o,placement:i,rects:a,platform:l,elements:s,middlewareData:c}=t,{element:u,padding:d=0}=(0,r._3)(e,t)||{};if(null==u)return{};const h=(0,r.nI)(d),p={x:n,y:o},f=(0,r.Dz)(i),m=(0,r.sq)(f),v=await l.getDimensions(u),g="y"===f,w=g?"top":"left",y=g?"bottom":"right",b=g?"clientHeight":"clientWidth",x=a.reference[m]+a.reference[f]-p[f]-a.floating[m],k=p[f]-a.reference[f],E=await(null==l.getOffsetParent?void 0:l.getOffsetParent(u));let A=E?E[b]:0;A&&await(null==l.isElement?void 0:l.isElement(E))||(A=s.floating[b]||a.floating[m]);const C=x/2-k/2,B=A/2-v[m]/2-1,M=(0,r.jk)(h[w],B),_=(0,r.jk)(h[y],B),S=M,N=A-v[m]-_,V=A/2-v[m]/2+C,L=(0,r.qE)(S,V,N),T=!c.arrow&&null!=(0,r.Sg)(i)&&V!==L&&a.reference[m]/2-(V<S?M:_)-v[m]/2<0,I=T?V<S?V-S:V-N:0;return{[f]:p[f]+I,data:{[f]:L,centerOffset:V-L-I,...T&&{alignmentOffset:I}},reset:T}}});const s=function(e){return void 0===e&&(e={}),{name:"autoPlacement",options:e,async fn(t){var n,o,i;const{rects:l,middlewareData:s,placement:c,platform:u,elements:d}=t,{crossAxis:h=!1,alignment:p,allowedPlacements:f=r.DD,autoAlignment:m=!0,...v}=(0,r._3)(e,t),g=void 0!==p||f===r.DD?function(e,t,n){return(e?[...n.filter((t=>(0,r.Sg)(t)===e)),...n.filter((t=>(0,r.Sg)(t)!==e))]:n.filter((e=>(0,r.C0)(e)===e))).filter((n=>!e||(0,r.Sg)(n)===e||!!t&&(0,r.aD)(n)!==n))}(p||null,m,f):f,w=await a(t,v),y=(null==(n=s.autoPlacement)?void 0:n.index)||0,b=g[y];if(null==b)return{};const x=(0,r.w7)(b,l,await(null==u.isRTL?void 0:u.isRTL(d.floating)));if(c!==b)return{reset:{placement:g[0]}};const k=[w[(0,r.C0)(b)],w[x[0]],w[x[1]]],E=[...(null==(o=s.autoPlacement)?void 0:o.overflows)||[],{placement:b,overflows:k}],A=g[y+1];if(A)return{data:{index:y+1,overflows:E},reset:{placement:A}};const C=E.map((e=>{const t=(0,r.Sg)(e.placement);return[e.placement,t&&h?e.overflows.slice(0,2).reduce(((e,t)=>e+t),0):e.overflows[0],e.overflows]})).sort(((e,t)=>e[1]-t[1])),B=(null==(i=C.filter((e=>e[2].slice(0,(0,r.Sg)(e[0])?2:3).every((e=>e<=0))))[0])?void 0:i[0])||C[0][0];return B!==c?{data:{index:y+1,overflows:E},reset:{placement:B}}:{}}}},c=function(e){return void 0===e&&(e={}),{name:"flip",options:e,async fn(t){var n,o;const{placement:i,middlewareData:l,rects:s,initialPlacement:c,platform:u,elements:d}=t,{mainAxis:h=!0,crossAxis:p=!0,fallbackPlacements:f,fallbackStrategy:m="bestFit",fallbackAxisSideDirection:v="none",flipAlignment:g=!0,...w}=(0,r._3)(e,t);if(null!=(n=l.arrow)&&n.alignmentOffset)return{};const y=(0,r.C0)(i),b=(0,r.TV)(c),x=(0,r.C0)(c)===c,k=await(null==u.isRTL?void 0:u.isRTL(d.floating)),E=f||(x||!g?[(0,r.bV)(c)]:(0,r.WJ)(c)),A="none"!==v;!f&&A&&E.push(...(0,r.lP)(c,g,v,k));const C=[c,...E],B=await a(t,w),M=[];let _=(null==(o=l.flip)?void 0:o.overflows)||[];if(h&&M.push(B[y]),p){const e=(0,r.w7)(i,s,k);M.push(B[e[0]],B[e[1]])}if(_=[..._,{placement:i,overflows:M}],!M.every((e=>e<=0))){var S,N;const e=((null==(S=l.flip)?void 0:S.index)||0)+1,t=C[e];if(t)return{data:{index:e,overflows:_},reset:{placement:t}};let n=null==(N=_.filter((e=>e.overflows[0]<=0)).sort(((e,t)=>e.overflows[1]-t.overflows[1]))[0])?void 0:N.placement;if(!n)switch(m){case"bestFit":{var V;const e=null==(V=_.filter((e=>{if(A){const t=(0,r.TV)(e.placement);return t===b||"y"===t}return!0})).map((e=>[e.placement,e.overflows.filter((e=>e>0)).reduce(((e,t)=>e+t),0)])).sort(((e,t)=>e[1]-t[1]))[0])?void 0:V[0];e&&(n=e);break}case"initialPlacement":n=c}if(i!==n)return{reset:{placement:n}}}return{}}}};const u=function(e){return void 0===e&&(e=0),{name:"offset",options:e,async fn(t){var n,o;const{x:i,y:a,placement:l,middlewareData:s}=t,c=await async function(e,t){const{placement:n,platform:o,elements:i}=e,a=await(null==o.isRTL?void 0:o.isRTL(i.floating)),l=(0,r.C0)(n),s=(0,r.Sg)(n),c="y"===(0,r.TV)(n),u=["left","top"].includes(l)?-1:1,d=a&&c?-1:1,h=(0,r._3)(t,e);let{mainAxis:p,crossAxis:f,alignmentAxis:m}="number"==typeof h?{mainAxis:h,crossAxis:0,alignmentAxis:null}:{mainAxis:h.mainAxis||0,crossAxis:h.crossAxis||0,alignmentAxis:h.alignmentAxis};return s&&"number"==typeof m&&(f="end"===s?-1*m:m),c?{x:f*d,y:p*u}:{x:p*u,y:f*d}}(t,e);return l===(null==(n=s.offset)?void 0:n.placement)&&null!=(o=s.arrow)&&o.alignmentOffset?{}:{x:i+c.x,y:a+c.y,data:{...c,placement:l}}}}},d=function(e){return void 0===e&&(e={}),{name:"shift",options:e,async fn(t){const{x:n,y:o,placement:i}=t,{mainAxis:l=!0,crossAxis:s=!1,limiter:c={fn:e=>{let{x:t,y:n}=e;return{x:t,y:n}}},...u}=(0,r._3)(e,t),d={x:n,y:o},h=await a(t,u),p=(0,r.TV)((0,r.C0)(i)),f=(0,r.PG)(p);let m=d[f],v=d[p];if(l){const e="y"===f?"bottom":"right",t=m+h["y"===f?"top":"left"],n=m-h[e];m=(0,r.qE)(t,m,n)}if(s){const e="y"===p?"bottom":"right",t=v+h["y"===p?"top":"left"],n=v-h[e];v=(0,r.qE)(t,v,n)}const g=c.fn({...t,[f]:m,[p]:v});return{...g,data:{x:g.x-n,y:g.y-o,enabled:{[f]:l,[p]:s}}}}}},h=function(e){return void 0===e&&(e={}),{name:"size",options:e,async fn(t){var n,o;const{placement:i,rects:l,platform:s,elements:c}=t,{apply:u=()=>{},...d}=(0,r._3)(e,t),h=await a(t,d),p=(0,r.C0)(i),f=(0,r.Sg)(i),m="y"===(0,r.TV)(i),{width:v,height:g}=l.floating;let w,y;"top"===p||"bottom"===p?(w=p,y=f===(await(null==s.isRTL?void 0:s.isRTL(c.floating))?"start":"end")?"left":"right"):(y=p,w="end"===f?"top":"bottom");const b=g-h.top-h.bottom,x=v-h.left-h.right,k=(0,r.jk)(g-h[w],b),E=(0,r.jk)(v-h[y],x),A=!t.middlewareData.shift;let C=k,B=E;if(null!=(n=t.middlewareData.shift)&&n.enabled.x&&(B=x),null!=(o=t.middlewareData.shift)&&o.enabled.y&&(C=b),A&&!f){const e=(0,r.T9)(h.left,0),t=(0,r.T9)(h.right,0),n=(0,r.T9)(h.top,0),o=(0,r.T9)(h.bottom,0);m?B=v-2*(0!==e||0!==t?e+t:(0,r.T9)(h.left,h.right)):C=g-2*(0!==n||0!==o?n+o:(0,r.T9)(h.top,h.bottom))}await u({...t,availableWidth:B,availableHeight:C});const M=await s.getDimensions(c.floating);return v!==M.width||g!==M.height?{reset:{rects:!0}}:{}}}}},18491:(e,t,n)=>{"use strict";n.d(t,{BN:()=>E,Ej:()=>C,UU:()=>A,cY:()=>k,ll:()=>x,rD:()=>B});var r=n(97193),o=n(95361),i=n(86635);function a(e){const t=(0,i.L9)(e);let n=parseFloat(t.width)||0,o=parseFloat(t.height)||0;const a=(0,i.sb)(e),l=a?e.offsetWidth:n,s=a?e.offsetHeight:o,c=(0,r.LI)(n)!==l||(0,r.LI)(o)!==s;return c&&(n=l,o=s),{width:n,height:o,$:c}}function l(e){return(0,i.vq)(e)?e:e.contextElement}function s(e){const t=l(e);if(!(0,i.sb)(t))return(0,r.Jx)(1);const n=t.getBoundingClientRect(),{width:o,height:s,$:c}=a(t);let u=(c?(0,r.LI)(n.width):n.width)/o,d=(c?(0,r.LI)(n.height):n.height)/s;return u&&Number.isFinite(u)||(u=1),d&&Number.isFinite(d)||(d=1),{x:u,y:d}}const c=(0,r.Jx)(0);function u(e){const t=(0,i.zk)(e);return(0,i.Tc)()&&t.visualViewport?{x:t.visualViewport.offsetLeft,y:t.visualViewport.offsetTop}:c}function d(e,t,n,o){void 0===t&&(t=!1),void 0===n&&(n=!1);const a=e.getBoundingClientRect(),c=l(e);let d=(0,r.Jx)(1);t&&(o?(0,i.vq)(o)&&(d=s(o)):d=s(e));const h=function(e,t,n){return void 0===t&&(t=!1),!(!n||t&&n!==(0,i.zk)(e))&&t}(c,n,o)?u(c):(0,r.Jx)(0);let p=(a.left+h.x)/d.x,f=(a.top+h.y)/d.y,m=a.width/d.x,v=a.height/d.y;if(c){const e=(0,i.zk)(c),t=o&&(0,i.vq)(o)?(0,i.zk)(o):o;let n=e,r=(0,i._m)(n);for(;r&&o&&t!==n;){const e=s(r),t=r.getBoundingClientRect(),o=(0,i.L9)(r),a=t.left+(r.clientLeft+parseFloat(o.paddingLeft))*e.x,l=t.top+(r.clientTop+parseFloat(o.paddingTop))*e.y;p*=e.x,f*=e.y,m*=e.x,v*=e.y,p+=a,f+=l,n=(0,i.zk)(r),r=(0,i._m)(n)}}return(0,r.B1)({width:m,height:v,x:p,y:f})}function h(e,t){const n=(0,i.CP)(e).scrollLeft;return t?t.left+n:d((0,i.ep)(e)).left+n}function p(e,t,n){void 0===n&&(n=!1);const r=e.getBoundingClientRect();return{x:r.left+t.scrollLeft-(n?0:h(e,r)),y:r.top+t.scrollTop}}function f(e,t,n){let o;if("viewport"===t)o=function(e,t){const n=(0,i.zk)(e),r=(0,i.ep)(e),o=n.visualViewport;let a=r.clientWidth,l=r.clientHeight,s=0,c=0;if(o){a=o.width,l=o.height;const e=(0,i.Tc)();(!e||e&&"fixed"===t)&&(s=o.offsetLeft,c=o.offsetTop)}return{width:a,height:l,x:s,y:c}}(e,n);else if("document"===t)o=function(e){const t=(0,i.ep)(e),n=(0,i.CP)(e),o=e.ownerDocument.body,a=(0,r.T9)(t.scrollWidth,t.clientWidth,o.scrollWidth,o.clientWidth),l=(0,r.T9)(t.scrollHeight,t.clientHeight,o.scrollHeight,o.clientHeight);let s=-n.scrollLeft+h(e);const c=-n.scrollTop;return"rtl"===(0,i.L9)(o).direction&&(s+=(0,r.T9)(t.clientWidth,o.clientWidth)-a),{width:a,height:l,x:s,y:c}}((0,i.ep)(e));else if((0,i.vq)(t))o=function(e,t){const n=d(e,!0,"fixed"===t),o=n.top+e.clientTop,a=n.left+e.clientLeft,l=(0,i.sb)(e)?s(e):(0,r.Jx)(1);return{width:e.clientWidth*l.x,height:e.clientHeight*l.y,x:a*l.x,y:o*l.y}}(t,n);else{const n=u(e);o={x:t.x-n.x,y:t.y-n.y,width:t.width,height:t.height}}return(0,r.B1)(o)}function m(e,t){const n=(0,i.$4)(e);return!(n===t||!(0,i.vq)(n)||(0,i.eu)(n))&&("fixed"===(0,i.L9)(n).position||m(n,t))}function v(e,t,n){const o=(0,i.sb)(t),a=(0,i.ep)(t),l="fixed"===n,s=d(e,!0,l,t);let c={scrollLeft:0,scrollTop:0};const u=(0,r.Jx)(0);if(o||!o&&!l)if(("body"!==(0,i.mq)(t)||(0,i.ZU)(a))&&(c=(0,i.CP)(t)),o){const e=d(t,!0,l,t);u.x=e.x+t.clientLeft,u.y=e.y+t.clientTop}else a&&(u.x=h(a));const f=!a||o||l?(0,r.Jx)(0):p(a,c);return{x:s.left+c.scrollLeft-u.x-f.x,y:s.top+c.scrollTop-u.y-f.y,width:s.width,height:s.height}}function g(e){return"static"===(0,i.L9)(e).position}function w(e,t){if(!(0,i.sb)(e)||"fixed"===(0,i.L9)(e).position)return null;if(t)return t(e);let n=e.offsetParent;return(0,i.ep)(e)===n&&(n=n.ownerDocument.body),n}function y(e,t){const n=(0,i.zk)(e);if((0,i.Tf)(e))return n;if(!(0,i.sb)(e)){let t=(0,i.$4)(e);for(;t&&!(0,i.eu)(t);){if((0,i.vq)(t)&&!g(t))return t;t=(0,i.$4)(t)}return n}let r=w(e,t);for(;r&&(0,i.Lv)(r)&&g(r);)r=w(r,t);return r&&(0,i.eu)(r)&&g(r)&&!(0,i.sQ)(r)?n:r||(0,i.gJ)(e)||n}const b={convertOffsetParentRelativeRectToViewportRelativeRect:function(e){let{elements:t,rect:n,offsetParent:o,strategy:a}=e;const l="fixed"===a,c=(0,i.ep)(o),u=!!t&&(0,i.Tf)(t.floating);if(o===c||u&&l)return n;let h={scrollLeft:0,scrollTop:0},f=(0,r.Jx)(1);const m=(0,r.Jx)(0),v=(0,i.sb)(o);if((v||!v&&!l)&&(("body"!==(0,i.mq)(o)||(0,i.ZU)(c))&&(h=(0,i.CP)(o)),(0,i.sb)(o))){const e=d(o);f=s(o),m.x=e.x+o.clientLeft,m.y=e.y+o.clientTop}const g=!c||v||l?(0,r.Jx)(0):p(c,h,!0);return{width:n.width*f.x,height:n.height*f.y,x:n.x*f.x-h.scrollLeft*f.x+m.x+g.x,y:n.y*f.y-h.scrollTop*f.y+m.y+g.y}},getDocumentElement:i.ep,getClippingRect:function(e){let{element:t,boundary:n,rootBoundary:o,strategy:a}=e;const l=[..."clippingAncestors"===n?(0,i.Tf)(t)?[]:function(e,t){const n=t.get(e);if(n)return n;let r=(0,i.v9)(e,[],!1).filter((e=>(0,i.vq)(e)&&"body"!==(0,i.mq)(e))),o=null;const a="fixed"===(0,i.L9)(e).position;let l=a?(0,i.$4)(e):e;for(;(0,i.vq)(l)&&!(0,i.eu)(l);){const t=(0,i.L9)(l),n=(0,i.sQ)(l);n||"fixed"!==t.position||(o=null),(a?!n&&!o:!n&&"static"===t.position&&o&&["absolute","fixed"].includes(o.position)||(0,i.ZU)(l)&&!n&&m(e,l))?r=r.filter((e=>e!==l)):o=t,l=(0,i.$4)(l)}return t.set(e,r),r}(t,this._c):[].concat(n),o],s=l[0],c=l.reduce(((e,n)=>{const o=f(t,n,a);return e.top=(0,r.T9)(o.top,e.top),e.right=(0,r.jk)(o.right,e.right),e.bottom=(0,r.jk)(o.bottom,e.bottom),e.left=(0,r.T9)(o.left,e.left),e}),f(t,s,a));return{width:c.right-c.left,height:c.bottom-c.top,x:c.left,y:c.top}},getOffsetParent:y,getElementRects:async function(e){const t=this.getOffsetParent||y,n=this.getDimensions,r=await n(e.floating);return{reference:v(e.reference,await t(e.floating),e.strategy),floating:{x:0,y:0,width:r.width,height:r.height}}},getClientRects:function(e){return Array.from(e.getClientRects())},getDimensions:function(e){const{width:t,height:n}=a(e);return{width:t,height:n}},getScale:s,isElement:i.vq,isRTL:function(e){return"rtl"===(0,i.L9)(e).direction}};function x(e,t,n,o){void 0===o&&(o={});const{ancestorScroll:a=!0,ancestorResize:s=!0,elementResize:c="function"==typeof ResizeObserver,layoutShift:u="function"==typeof IntersectionObserver,animationFrame:h=!1}=o,p=l(e),f=a||s?[...p?(0,i.v9)(p):[],...(0,i.v9)(t)]:[];f.forEach((e=>{a&&e.addEventListener("scroll",n,{passive:!0}),s&&e.addEventListener("resize",n)}));const m=p&&u?function(e,t){let n,o=null;const a=(0,i.ep)(e);function l(){var e;clearTimeout(n),null==(e=o)||e.disconnect(),o=null}return function i(s,c){void 0===s&&(s=!1),void 0===c&&(c=1),l();const{left:u,top:d,width:h,height:p}=e.getBoundingClientRect();if(s||t(),!h||!p)return;const f={rootMargin:-(0,r.RI)(d)+"px "+-(0,r.RI)(a.clientWidth-(u+h))+"px "+-(0,r.RI)(a.clientHeight-(d+p))+"px "+-(0,r.RI)(u)+"px",threshold:(0,r.T9)(0,(0,r.jk)(1,c))||1};let m=!0;function v(e){const t=e[0].intersectionRatio;if(t!==c){if(!m)return i();t?i(!1,t):n=setTimeout((()=>{i(!1,1e-7)}),1e3)}m=!1}try{o=new IntersectionObserver(v,{...f,root:a.ownerDocument})}catch(e){o=new IntersectionObserver(v,f)}o.observe(e)}(!0),l}(p,n):null;let v,g=-1,w=null;c&&(w=new ResizeObserver((e=>{let[r]=e;r&&r.target===p&&w&&(w.unobserve(t),cancelAnimationFrame(g),g=requestAnimationFrame((()=>{var e;null==(e=w)||e.observe(t)}))),n()})),p&&!h&&w.observe(p),w.observe(t));let y=h?d(e):null;return h&&function t(){const r=d(e);!y||r.x===y.x&&r.y===y.y&&r.width===y.width&&r.height===y.height||n();y=r,v=requestAnimationFrame(t)}(),n(),()=>{var e;f.forEach((e=>{a&&e.removeEventListener("scroll",n),s&&e.removeEventListener("resize",n)})),null==m||m(),null==(e=w)||e.disconnect(),w=null,h&&cancelAnimationFrame(v)}}const k=o.cY,E=o.BN,A=o.UU,C=o.Ej,B=(e,t,n)=>{const r=new Map,i={platform:b,...n},a={...i.platform,_c:r};return(0,o.rD)(e,t,{...i,platform:a})}},86635:(e,t,n)=>{"use strict";function r(){return"undefined"!=typeof window}function o(e){return l(e)?(e.nodeName||"").toLowerCase():"#document"}function i(e){var t;return(null==e||null==(t=e.ownerDocument)?void 0:t.defaultView)||window}function a(e){var t;return null==(t=(l(e)?e.ownerDocument:e.document)||window.document)?void 0:t.documentElement}function l(e){return!!r()&&(e instanceof Node||e instanceof i(e).Node)}function s(e){return!!r()&&(e instanceof Element||e instanceof i(e).Element)}function c(e){return!!r()&&(e instanceof HTMLElement||e instanceof i(e).HTMLElement)}function u(e){return!(!r()||"undefined"==typeof ShadowRoot)&&(e instanceof ShadowRoot||e instanceof i(e).ShadowRoot)}function d(e){const{overflow:t,overflowX:n,overflowY:r,display:o}=w(e);return/auto|scroll|overlay|hidden|clip/.test(t+r+n)&&!["inline","contents"].includes(o)}function h(e){return["table","td","th"].includes(o(e))}function p(e){return[":popover-open",":modal"].some((t=>{try{return e.matches(t)}catch(e){return!1}}))}function f(e){const t=v(),n=s(e)?w(e):e;return"none"!==n.transform||"none"!==n.perspective||!!n.containerType&&"normal"!==n.containerType||!t&&!!n.backdropFilter&&"none"!==n.backdropFilter||!t&&!!n.filter&&"none"!==n.filter||["transform","perspective","filter"].some((e=>(n.willChange||"").includes(e)))||["paint","layout","strict","content"].some((e=>(n.contain||"").includes(e)))}function m(e){let t=b(e);for(;c(t)&&!g(t);){if(f(t))return t;if(p(t))return null;t=b(t)}return null}function v(){return!("undefined"==typeof CSS||!CSS.supports)&&CSS.supports("-webkit-backdrop-filter","none")}function g(e){return["html","body","#document"].includes(o(e))}function w(e){return i(e).getComputedStyle(e)}function y(e){return s(e)?{scrollLeft:e.scrollLeft,scrollTop:e.scrollTop}:{scrollLeft:e.scrollX,scrollTop:e.scrollY}}function b(e){if("html"===o(e))return e;const t=e.assignedSlot||e.parentNode||u(e)&&e.host||a(e);return u(t)?t.host:t}function x(e){const t=b(e);return g(t)?e.ownerDocument?e.ownerDocument.body:e.body:c(t)&&d(t)?t:x(t)}function k(e,t,n){var r;void 0===t&&(t=[]),void 0===n&&(n=!0);const o=x(e),a=o===(null==(r=e.ownerDocument)?void 0:r.body),l=i(o);if(a){const e=E(l);return t.concat(l,l.visualViewport||[],d(o)?o:[],e&&n?k(e):[])}return t.concat(o,k(o,[],n))}function E(e){return e.parent&&Object.getPrototypeOf(e.parent)?e.frameElement:null}n.d(t,{$4:()=>b,CP:()=>y,L9:()=>w,Ll:()=>l,Lv:()=>h,Tc:()=>v,Tf:()=>p,ZU:()=>d,_m:()=>E,ep:()=>a,eu:()=>g,gJ:()=>m,mq:()=>o,sQ:()=>f,sb:()=>c,v9:()=>k,vq:()=>s,zk:()=>i})},97193:(e,t,n)=>{"use strict";n.d(t,{B1:()=>B,C0:()=>f,DD:()=>o,Dz:()=>y,Jx:()=>c,LI:()=>l,PG:()=>v,RI:()=>s,Sg:()=>m,T9:()=>a,TV:()=>w,WJ:()=>x,_3:()=>p,aD:()=>k,bV:()=>A,jk:()=>i,lP:()=>E,nI:()=>C,qE:()=>h,sq:()=>g,w7:()=>b});const r=["start","end"],o=["top","right","bottom","left"].reduce(((e,t)=>e.concat(t,t+"-"+r[0],t+"-"+r[1])),[]),i=Math.min,a=Math.max,l=Math.round,s=Math.floor,c=e=>({x:e,y:e}),u={left:"right",right:"left",bottom:"top",top:"bottom"},d={start:"end",end:"start"};function h(e,t,n){return a(e,i(t,n))}function p(e,t){return"function"==typeof e?e(t):e}function f(e){return e.split("-")[0]}function m(e){return e.split("-")[1]}function v(e){return"x"===e?"y":"x"}function g(e){return"y"===e?"height":"width"}function w(e){return["top","bottom"].includes(f(e))?"y":"x"}function y(e){return v(w(e))}function b(e,t,n){void 0===n&&(n=!1);const r=m(e),o=y(e),i=g(o);let a="x"===o?r===(n?"end":"start")?"right":"left":"start"===r?"bottom":"top";return t.reference[i]>t.floating[i]&&(a=A(a)),[a,A(a)]}function x(e){const t=A(e);return[k(e),t,k(t)]}function k(e){return e.replace(/start|end/g,(e=>d[e]))}function E(e,t,n,r){const o=m(e);let i=function(e,t,n){const r=["left","right"],o=["right","left"],i=["top","bottom"],a=["bottom","top"];switch(e){case"top":case"bottom":return n?t?o:r:t?r:o;case"left":case"right":return t?i:a;default:return[]}}(f(e),"start"===n,r);return o&&(i=i.map((e=>e+"-"+o)),t&&(i=i.concat(i.map(k)))),i}function A(e){return e.replace(/left|right|bottom|top/g,(e=>u[e]))}function C(e){return"number"!=typeof e?function(e){return{top:0,right:0,bottom:0,left:0,...e}}(e):{top:e,right:e,bottom:e,left:e}}function B(e){const{x:t,y:n,width:r,height:o}=e;return{width:r,height:o,top:n,left:t,right:t+r,bottom:n+o,x:t,y:n}}},69956:(e,t,n)=>{"use strict";n.d(t,{we:()=>u});var r=n(18491),o=n(86635),i=n(29726);function a(e){if(function(e){return null!=e&&"object"==typeof e&&"$el"in e}(e)){const t=e.$el;return(0,o.Ll)(t)&&"#comment"===(0,o.mq)(t)?null:t}return e}function l(e){return"function"==typeof e?e():(0,i.unref)(e)}function s(e){if("undefined"==typeof window)return 1;return(e.ownerDocument.defaultView||window).devicePixelRatio||1}function c(e,t){const n=s(e);return Math.round(t*n)/n}function u(e,t,n){void 0===n&&(n={});const o=n.whileElementsMounted,u=(0,i.computed)((()=>{var e;return null==(e=l(n.open))||e})),d=(0,i.computed)((()=>l(n.middleware))),h=(0,i.computed)((()=>{var e;return null!=(e=l(n.placement))?e:"bottom"})),p=(0,i.computed)((()=>{var e;return null!=(e=l(n.strategy))?e:"absolute"})),f=(0,i.computed)((()=>{var e;return null==(e=l(n.transform))||e})),m=(0,i.computed)((()=>a(e.value))),v=(0,i.computed)((()=>a(t.value))),g=(0,i.ref)(0),w=(0,i.ref)(0),y=(0,i.ref)(p.value),b=(0,i.ref)(h.value),x=(0,i.shallowRef)({}),k=(0,i.ref)(!1),E=(0,i.computed)((()=>{const e={position:y.value,left:"0",top:"0"};if(!v.value)return e;const t=c(v.value,g.value),n=c(v.value,w.value);return f.value?{...e,transform:"translate("+t+"px, "+n+"px)",...s(v.value)>=1.5&&{willChange:"transform"}}:{position:y.value,left:t+"px",top:n+"px"}}));let A;function C(){if(null==m.value||null==v.value)return;const e=u.value;(0,r.rD)(m.value,v.value,{middleware:d.value,placement:h.value,strategy:p.value}).then((t=>{g.value=t.x,w.value=t.y,y.value=t.strategy,b.value=t.placement,x.value=t.middlewareData,k.value=!1!==e}))}function B(){"function"==typeof A&&(A(),A=void 0)}return(0,i.watch)([d,h,p,u],C,{flush:"sync"}),(0,i.watch)([m,v],(function(){B(),void 0!==o?null==m.value||null==v.value||(A=o(m.value,v.value,C)):C()}),{flush:"sync"}),(0,i.watch)(u,(function(){u.value||(k.value=!1)}),{flush:"sync"}),(0,i.getCurrentScope)()&&(0,i.onScopeDispose)(B),{x:(0,i.shallowReadonly)(g),y:(0,i.shallowReadonly)(w),strategy:(0,i.shallowReadonly)(y),placement:(0,i.shallowReadonly)(b),middlewareData:(0,i.shallowReadonly)(x),isPositioned:(0,i.shallowReadonly)(k),floatingStyles:E,update:C}}},14788:(e,t,n)=>{"use strict";n.d(t,{oz:()=>z,fu:()=>j,wb:()=>F,Kp:()=>U,T2:()=>q});var r,o=n(29726);let i=Symbol("headlessui.useid"),a=0;const l=null!=(r=o.useId)?r:function(){return o.inject(i,(()=>""+ ++a))()};function s(e){var t;if(null==e||null==e.value)return null;let n=null!=(t=e.value.$el)?t:e.value;return n instanceof Node?n:null}function c(e,t){if(e)return e;let n=null!=t?t:"button";return"string"==typeof n&&"button"===n.toLowerCase()?"button":void 0}function u(e,t,...n){if(e in t){let r=t[e];return"function"==typeof r?r(...n):r}let r=new Error(`Tried to handle "${e}" but there is no handler defined. Only defined handlers are: ${Object.keys(t).map((e=>`"${e}"`)).join(", ")}.`);throw Error.captureStackTrace&&Error.captureStackTrace(r,u),r}var d=(e=>(e[e.None=0]="None",e[e.RenderStrategy=1]="RenderStrategy",e[e.Static=2]="Static",e))(d||{}),h=(e=>(e[e.Unmount=0]="Unmount",e[e.Hidden=1]="Hidden",e))(h||{});function p({visible:e=!0,features:t=0,ourProps:n,theirProps:r,...o}){var i;let a=v(r,n),l=Object.assign(o,{props:a});if(e||2&t&&a.static)return f(l);if(1&t){return u(null==(i=a.unmount)||i?0:1,{0:()=>null,1:()=>f({...o,props:{...a,hidden:!0,style:{display:"none"}}})})}return f(l)}function f({props:e,attrs:t,slots:n,slot:r,name:i}){var a,l;let{as:s,...c}=g(e,["unmount","static"]),u=null==(a=n.default)?void 0:a.call(n,r),d={};if(r){let e=!1,t=[];for(let[n,o]of Object.entries(r))"boolean"==typeof o&&(e=!0),!0===o&&t.push(n);e&&(d["data-headlessui-state"]=t.join(" "))}if("template"===s){if(u=m(null!=u?u:[]),Object.keys(c).length>0||Object.keys(t).length>0){let[e,...n]=null!=u?u:[];if(!function(e){return null!=e&&("string"==typeof e.type||"object"==typeof e.type||"function"==typeof e.type)}(e)||n.length>0)throw new Error(['Passing props on "template"!',"",`The current component <${i} /> is rendering a "template".`,"However we need to passthrough the following props:",Object.keys(c).concat(Object.keys(t)).map((e=>e.trim())).filter(((e,t,n)=>n.indexOf(e)===t)).sort(((e,t)=>e.localeCompare(t))).map((e=>`  - ${e}`)).join("\n"),"","You can apply a few solutions:",['Add an `as="..."` prop, to ensure that we render an actual element instead of a "template".',"Render a single element as the child so that we can forward the props onto that element."].map((e=>`  - ${e}`)).join("\n")].join("\n"));let r=v(null!=(l=e.props)?l:{},c,d),a=(0,o.cloneVNode)(e,r,!0);for(let e in r)e.startsWith("on")&&(a.props||(a.props={}),a.props[e]=r[e]);return a}return Array.isArray(u)&&1===u.length?u[0]:u}return(0,o.h)(s,Object.assign({},c,d),{default:()=>u})}function m(e){return e.flatMap((e=>e.type===o.Fragment?m(e.children):[e]))}function v(...e){if(0===e.length)return{};if(1===e.length)return e[0];let t={},n={};for(let r of e)for(let e in r)e.startsWith("on")&&"function"==typeof r[e]?(null!=n[e]||(n[e]=[]),n[e].push(r[e])):t[e]=r[e];if(t.disabled||t["aria-disabled"])return Object.assign(t,Object.fromEntries(Object.keys(n).map((e=>[e,void 0]))));for(let e in n)Object.assign(t,{[e](t,...r){let o=n[e];for(let e of o){if(t instanceof Event&&t.defaultPrevented)return;e(t,...r)}}});return t}function g(e,t=[]){let n=Object.assign({},e);for(let e of t)e in n&&delete n[e];return n}var w=(e=>(e[e.None=1]="None",e[e.Focusable=2]="Focusable",e[e.Hidden=4]="Hidden",e))(w||{});let y=(0,o.defineComponent)({name:"Hidden",props:{as:{type:[Object,String],default:"div"},features:{type:Number,default:1}},setup:(e,{slots:t,attrs:n})=>()=>{var r;let{features:o,...i}=e;return p({ourProps:{"aria-hidden":!(2&~o)||(null!=(r=i["aria-hidden"])?r:void 0),hidden:!(4&~o)||void 0,style:{position:"fixed",top:1,left:1,width:1,height:0,padding:0,margin:-1,overflow:"hidden",clip:"rect(0, 0, 0, 0)",whiteSpace:"nowrap",borderWidth:"0",...!(4&~o)&&!!(2&~o)&&{display:"none"}}},theirProps:i,slot:{},attrs:n,slots:t,name:"Hidden"})}}),b=(0,o.defineComponent)({props:{onFocus:{type:Function,required:!0}},setup(e){let t=(0,o.ref)(!0);return()=>t.value?(0,o.h)(y,{as:"button",type:"button",features:w.Focusable,onFocus(n){n.preventDefault();let r,o=50;r=requestAnimationFrame((function n(){var i;if(!(o--<=0))return null!=(i=e.onFocus)&&i.call(e)?(t.value=!1,void cancelAnimationFrame(r)):void(r=requestAnimationFrame(n));r&&cancelAnimationFrame(r)}))}}):null}});var x=(e=>(e.Space=" ",e.Enter="Enter",e.Escape="Escape",e.Backspace="Backspace",e.Delete="Delete",e.ArrowLeft="ArrowLeft",e.ArrowUp="ArrowUp",e.ArrowRight="ArrowRight",e.ArrowDown="ArrowDown",e.Home="Home",e.End="End",e.PageUp="PageUp",e.PageDown="PageDown",e.Tab="Tab",e))(x||{});let k=["[contentEditable=true]","[tabindex]","a[href]","area[href]","button:not([disabled])","iframe","input:not([disabled])","select:not([disabled])","textarea:not([disabled])"].map((e=>`${e}:not([tabindex='-1'])`)).join(",");var E,A=(e=>(e[e.First=1]="First",e[e.Previous=2]="Previous",e[e.Next=4]="Next",e[e.Last=8]="Last",e[e.WrapAround=16]="WrapAround",e[e.NoScroll=32]="NoScroll",e))(A||{}),C=(e=>(e[e.Error=0]="Error",e[e.Overflow=1]="Overflow",e[e.Success=2]="Success",e[e.Underflow=3]="Underflow",e))(C||{}),B=((E=B||{})[E.Previous=-1]="Previous",E[E.Next=1]="Next",E);function M(e=document.body){return null==e?[]:Array.from(e.querySelectorAll(k)).sort(((e,t)=>Math.sign((e.tabIndex||Number.MAX_SAFE_INTEGER)-(t.tabIndex||Number.MAX_SAFE_INTEGER))))}var _=(e=>(e[e.Strict=0]="Strict",e[e.Loose=1]="Loose",e))(_||{});var S=(e=>(e[e.Keyboard=0]="Keyboard",e[e.Mouse=1]="Mouse",e))(S||{});"undefined"!=typeof window&&"undefined"!=typeof document&&(document.addEventListener("keydown",(e=>{e.metaKey||e.altKey||e.ctrlKey||(document.documentElement.dataset.headlessuiFocusVisible="")}),!0),document.addEventListener("click",(e=>{1===e.detail?delete document.documentElement.dataset.headlessuiFocusVisible:0===e.detail&&(document.documentElement.dataset.headlessuiFocusVisible="")}),!0));let N=["textarea","input"].join(",");function V(e,t=e=>e){return e.slice().sort(((e,n)=>{let r=t(e),o=t(n);if(null===r||null===o)return 0;let i=r.compareDocumentPosition(o);return i&Node.DOCUMENT_POSITION_FOLLOWING?-1:i&Node.DOCUMENT_POSITION_PRECEDING?1:0}))}function L(e,t,{sorted:n=!0,relativeTo:r=null,skipElements:o=[]}={}){var i;let a=null!=(i=Array.isArray(e)?e.length>0?e[0].ownerDocument:document:null==e?void 0:e.ownerDocument)?i:document,l=Array.isArray(e)?n?V(e):e:M(e);o.length>0&&l.length>1&&(l=l.filter((e=>!o.includes(e)))),r=null!=r?r:a.activeElement;let s,c=(()=>{if(5&t)return 1;if(10&t)return-1;throw new Error("Missing Focus.First, Focus.Previous, Focus.Next or Focus.Last")})(),u=(()=>{if(1&t)return 0;if(2&t)return Math.max(0,l.indexOf(r))-1;if(4&t)return Math.max(0,l.indexOf(r))+1;if(8&t)return l.length-1;throw new Error("Missing Focus.First, Focus.Previous, Focus.Next or Focus.Last")})(),d=32&t?{preventScroll:!0}:{},h=0,p=l.length;do{if(h>=p||h+p<=0)return 0;let e=u+h;if(16&t)e=(e+p)%p;else{if(e<0)return 3;if(e>=p)return 1}s=l[e],null==s||s.focus(d),h+=c}while(s!==a.activeElement);return 6&t&&function(e){var t,n;return null!=(n=null==(t=null==e?void 0:e.matches)?void 0:t.call(e,N))&&n}(s)&&s.select(),2}var T=Object.defineProperty,I=(e,t,n)=>(((e,t,n)=>{t in e?T(e,t,{enumerable:!0,configurable:!0,writable:!0,value:n}):e[t]=n})(e,"symbol"!=typeof t?t+"":t,n),n);let Z=new class{constructor(){I(this,"current",this.detect()),I(this,"currentId",0)}set(e){this.current!==e&&(this.currentId=0,this.current=e)}reset(){this.set(this.detect())}nextId(){return++this.currentId}get isServer(){return"server"===this.current}get isClient(){return"client"===this.current}detect(){return"undefined"==typeof window||"undefined"==typeof document?"server":"client"}};var O=(e=>(e[e.Forwards=0]="Forwards",e[e.Backwards=1]="Backwards",e))(O||{}),D=(e=>(e[e.Less=-1]="Less",e[e.Equal=0]="Equal",e[e.Greater=1]="Greater",e))(D||{});let R=Symbol("TabsContext");function H(e){let t=(0,o.inject)(R,null);if(null===t){let t=new Error(`<${e} /> is missing a parent <TabGroup /> component.`);throw Error.captureStackTrace&&Error.captureStackTrace(t,H),t}return t}let P=Symbol("TabsSSRContext"),j=(0,o.defineComponent)({name:"TabGroup",emits:{change:e=>!0},props:{as:{type:[Object,String],default:"template"},selectedIndex:{type:[Number],default:null},defaultIndex:{type:[Number],default:0},vertical:{type:[Boolean],default:!1},manual:{type:[Boolean],default:!1}},inheritAttrs:!1,setup(e,{slots:t,attrs:n,emit:r}){var i;let a=(0,o.ref)(null!=(i=e.selectedIndex)?i:e.defaultIndex),l=(0,o.ref)([]),c=(0,o.ref)([]),d=(0,o.computed)((()=>null!==e.selectedIndex)),h=(0,o.computed)((()=>d.value?e.selectedIndex:a.value));function f(e){var t;let n=V(m.tabs.value,s),r=V(m.panels.value,s),o=n.filter((e=>{var t;return!(null!=(t=s(e))&&t.hasAttribute("disabled"))}));if(e<0||e>n.length-1){let t=u(null===a.value?0:Math.sign(e-a.value),{[-1]:()=>1,0:()=>u(Math.sign(e),{[-1]:()=>0,0:()=>0,1:()=>1}),1:()=>0}),i=u(t,{0:()=>n.indexOf(o[0]),1:()=>n.indexOf(o[o.length-1])});-1!==i&&(a.value=i),m.tabs.value=n,m.panels.value=r}else{let i=n.slice(0,e),l=[...n.slice(e),...i].find((e=>o.includes(e)));if(!l)return;let s=null!=(t=n.indexOf(l))?t:m.selectedIndex.value;-1===s&&(s=m.selectedIndex.value),a.value=s,m.tabs.value=n,m.panels.value=r}}let m={selectedIndex:(0,o.computed)((()=>{var t,n;return null!=(n=null!=(t=a.value)?t:e.defaultIndex)?n:null})),orientation:(0,o.computed)((()=>e.vertical?"vertical":"horizontal")),activation:(0,o.computed)((()=>e.manual?"manual":"auto")),tabs:l,panels:c,setSelectedIndex(e){h.value!==e&&r("change",e),d.value||f(e)},registerTab(e){var t;if(l.value.includes(e))return;let n=l.value[a.value];if(l.value.push(e),l.value=V(l.value,s),!d.value){let e=null!=(t=l.value.indexOf(n))?t:a.value;-1!==e&&(a.value=e)}},unregisterTab(e){let t=l.value.indexOf(e);-1!==t&&l.value.splice(t,1)},registerPanel(e){c.value.includes(e)||(c.value.push(e),c.value=V(c.value,s))},unregisterPanel(e){let t=c.value.indexOf(e);-1!==t&&c.value.splice(t,1)}};(0,o.provide)(R,m);let v=(0,o.ref)({tabs:[],panels:[]}),w=(0,o.ref)(!1);(0,o.onMounted)((()=>{w.value=!0})),(0,o.provide)(P,(0,o.computed)((()=>w.value?null:v.value)));let y=(0,o.computed)((()=>e.selectedIndex));return(0,o.onMounted)((()=>{(0,o.watch)([y],(()=>{var t;return f(null!=(t=e.selectedIndex)?t:e.defaultIndex)}),{immediate:!0})})),(0,o.watchEffect)((()=>{if(!d.value||null==h.value||m.tabs.value.length<=0)return;let e=V(m.tabs.value,s);e.some(((e,t)=>s(m.tabs.value[t])!==s(e)))&&m.setSelectedIndex(e.findIndex((e=>s(e)===s(m.tabs.value[h.value]))))})),()=>{let r={selectedIndex:a.value};return(0,o.h)(o.Fragment,[l.value.length<=0&&(0,o.h)(b,{onFocus:()=>{for(let e of l.value){let t=s(e);if(0===(null==t?void 0:t.tabIndex))return t.focus(),!0}return!1}}),p({theirProps:{...n,...g(e,["selectedIndex","defaultIndex","manual","vertical","onChange"])},ourProps:{},slot:r,slots:t,attrs:n,name:"TabGroup"})])}}}),F=(0,o.defineComponent)({name:"TabList",props:{as:{type:[Object,String],default:"div"}},setup(e,{attrs:t,slots:n}){let r=H("TabList");return()=>{let o={selectedIndex:r.selectedIndex.value};return p({ourProps:{role:"tablist","aria-orientation":r.orientation.value},theirProps:e,slot:o,attrs:t,slots:n,name:"TabList"})}}}),z=(0,o.defineComponent)({name:"Tab",props:{as:{type:[Object,String],default:"button"},disabled:{type:[Boolean],default:!1},id:{type:String,default:null}},setup(e,{attrs:t,slots:n,expose:r}){var i;let a=null!=(i=e.id)?i:`headlessui-tabs-tab-${l()}`,d=H("Tab"),h=(0,o.ref)(null);r({el:h,$el:h}),(0,o.onMounted)((()=>d.registerTab(h))),(0,o.onUnmounted)((()=>d.unregisterTab(h)));let f=(0,o.inject)(P),m=(0,o.computed)((()=>{if(f.value){let e=f.value.tabs.indexOf(a);return-1===e?f.value.tabs.push(a)-1:e}return-1})),v=(0,o.computed)((()=>{let e=d.tabs.value.indexOf(h);return-1===e?m.value:e})),g=(0,o.computed)((()=>v.value===d.selectedIndex.value));function w(e){var t;let n=e();if(n===C.Success&&"auto"===d.activation.value){let e=null==(t=function(e){if(Z.isServer)return null;if(e instanceof Node)return e.ownerDocument;if(null!=e&&e.hasOwnProperty("value")){let t=s(e);if(t)return t.ownerDocument}return document}(h))?void 0:t.activeElement,n=d.tabs.value.findIndex((t=>s(t)===e));-1!==n&&d.setSelectedIndex(n)}return n}function y(e){let t=d.tabs.value.map((e=>s(e))).filter(Boolean);if(e.key===x.Space||e.key===x.Enter)return e.preventDefault(),e.stopPropagation(),void d.setSelectedIndex(v.value);switch(e.key){case x.Home:case x.PageUp:return e.preventDefault(),e.stopPropagation(),w((()=>L(t,A.First)));case x.End:case x.PageDown:return e.preventDefault(),e.stopPropagation(),w((()=>L(t,A.Last)))}return w((()=>u(d.orientation.value,{vertical:()=>e.key===x.ArrowUp?L(t,A.Previous|A.WrapAround):e.key===x.ArrowDown?L(t,A.Next|A.WrapAround):C.Error,horizontal:()=>e.key===x.ArrowLeft?L(t,A.Previous|A.WrapAround):e.key===x.ArrowRight?L(t,A.Next|A.WrapAround):C.Error})))===C.Success?e.preventDefault():void 0}let b=(0,o.ref)(!1);function k(){var t;b.value||(b.value=!0,!e.disabled&&(null==(t=s(h))||t.focus({preventScroll:!0}),d.setSelectedIndex(v.value),function(e){"function"==typeof queueMicrotask?queueMicrotask(e):Promise.resolve().then(e).catch((e=>setTimeout((()=>{throw e}))))}((()=>{b.value=!1}))))}function E(e){e.preventDefault()}let B=function(e,t){let n=(0,o.ref)(c(e.value.type,e.value.as));return(0,o.onMounted)((()=>{n.value=c(e.value.type,e.value.as)})),(0,o.watchEffect)((()=>{var e;n.value||s(t)&&s(t)instanceof HTMLButtonElement&&(null==(e=s(t))||!e.hasAttribute("type"))&&(n.value="button")})),n}((0,o.computed)((()=>({as:e.as,type:t.type}))),h);return()=>{var r,o;let i={selected:g.value,disabled:null!=(r=e.disabled)&&r},{...l}=e;return p({ourProps:{ref:h,onKeydown:y,onMousedown:E,onClick:k,id:a,role:"tab",type:B.value,"aria-controls":null==(o=s(d.panels.value[v.value]))?void 0:o.id,"aria-selected":g.value,tabIndex:g.value?0:-1,disabled:!!e.disabled||void 0},theirProps:l,slot:i,attrs:t,slots:n,name:"Tab"})}}}),q=(0,o.defineComponent)({name:"TabPanels",props:{as:{type:[Object,String],default:"div"}},setup(e,{slots:t,attrs:n}){let r=H("TabPanels");return()=>{let o={selectedIndex:r.selectedIndex.value};return p({theirProps:e,ourProps:{},slot:o,attrs:n,slots:t,name:"TabPanels"})}}}),U=(0,o.defineComponent)({name:"TabPanel",props:{as:{type:[Object,String],default:"div"},static:{type:Boolean,default:!1},unmount:{type:Boolean,default:!0},id:{type:String,default:null},tabIndex:{type:Number,default:0}},setup(e,{attrs:t,slots:n,expose:r}){var i;let a=null!=(i=e.id)?i:`headlessui-tabs-panel-${l()}`,c=H("TabPanel"),u=(0,o.ref)(null);r({el:u,$el:u}),(0,o.onMounted)((()=>c.registerPanel(u))),(0,o.onUnmounted)((()=>c.unregisterPanel(u)));let h=(0,o.inject)(P),f=(0,o.computed)((()=>{if(h.value){let e=h.value.panels.indexOf(a);return-1===e?h.value.panels.push(a)-1:e}return-1})),m=(0,o.computed)((()=>{let e=c.panels.value.indexOf(u);return-1===e?f.value:e})),v=(0,o.computed)((()=>m.value===c.selectedIndex.value));return()=>{var r;let i={selected:v.value},{tabIndex:l,...h}=e,f={ref:u,id:a,role:"tabpanel","aria-labelledby":null==(r=s(c.tabs.value[m.value]))?void 0:r.id,tabIndex:v.value?l:-1};return v.value||!e.unmount||e.static?p({ourProps:f,theirProps:h,slot:i,attrs:t,slots:n,features:d.Static|d.RenderStrategy,visible:v.value,name:"TabPanel"}):(0,o.h)(y,{as:"span","aria-hidden":!0,...f})}}})},89384:(e,t,n)=>{"use strict";n.r(t),n.d(t,{AcademicCapIcon:()=>o,AdjustmentsHorizontalIcon:()=>i,AdjustmentsVerticalIcon:()=>a,ArchiveBoxArrowDownIcon:()=>l,ArchiveBoxIcon:()=>c,ArchiveBoxXMarkIcon:()=>s,ArrowDownCircleIcon:()=>u,ArrowDownIcon:()=>v,ArrowDownLeftIcon:()=>d,ArrowDownOnSquareIcon:()=>p,ArrowDownOnSquareStackIcon:()=>h,ArrowDownRightIcon:()=>f,ArrowDownTrayIcon:()=>m,ArrowLeftCircleIcon:()=>g,ArrowLeftEndOnRectangleIcon:()=>w,ArrowLeftIcon:()=>b,ArrowLeftStartOnRectangleIcon:()=>y,ArrowLongDownIcon:()=>x,ArrowLongLeftIcon:()=>k,ArrowLongRightIcon:()=>E,ArrowLongUpIcon:()=>A,ArrowPathIcon:()=>B,ArrowPathRoundedSquareIcon:()=>C,ArrowRightCircleIcon:()=>M,ArrowRightEndOnRectangleIcon:()=>_,ArrowRightIcon:()=>N,ArrowRightStartOnRectangleIcon:()=>S,ArrowTopRightOnSquareIcon:()=>V,ArrowTrendingDownIcon:()=>L,ArrowTrendingUpIcon:()=>T,ArrowTurnDownLeftIcon:()=>I,ArrowTurnDownRightIcon:()=>Z,ArrowTurnLeftDownIcon:()=>O,ArrowTurnLeftUpIcon:()=>D,ArrowTurnRightDownIcon:()=>R,ArrowTurnRightUpIcon:()=>H,ArrowTurnUpLeftIcon:()=>P,ArrowTurnUpRightIcon:()=>j,ArrowUpCircleIcon:()=>F,ArrowUpIcon:()=>G,ArrowUpLeftIcon:()=>z,ArrowUpOnSquareIcon:()=>U,ArrowUpOnSquareStackIcon:()=>q,ArrowUpRightIcon:()=>$,ArrowUpTrayIcon:()=>W,ArrowUturnDownIcon:()=>K,ArrowUturnLeftIcon:()=>Y,ArrowUturnRightIcon:()=>X,ArrowUturnUpIcon:()=>J,ArrowsPointingInIcon:()=>Q,ArrowsPointingOutIcon:()=>ee,ArrowsRightLeftIcon:()=>te,ArrowsUpDownIcon:()=>ne,AtSymbolIcon:()=>re,BackspaceIcon:()=>oe,BackwardIcon:()=>ie,BanknotesIcon:()=>ae,Bars2Icon:()=>le,Bars3BottomLeftIcon:()=>se,Bars3BottomRightIcon:()=>ce,Bars3CenterLeftIcon:()=>ue,Bars3Icon:()=>de,Bars4Icon:()=>he,BarsArrowDownIcon:()=>pe,BarsArrowUpIcon:()=>fe,Battery0Icon:()=>me,Battery100Icon:()=>ve,Battery50Icon:()=>ge,BeakerIcon:()=>we,BellAlertIcon:()=>ye,BellIcon:()=>ke,BellSlashIcon:()=>be,BellSnoozeIcon:()=>xe,BoldIcon:()=>Ee,BoltIcon:()=>Ce,BoltSlashIcon:()=>Ae,BookOpenIcon:()=>Be,BookmarkIcon:()=>Se,BookmarkSlashIcon:()=>Me,BookmarkSquareIcon:()=>_e,BriefcaseIcon:()=>Ne,BugAntIcon:()=>Ve,BuildingLibraryIcon:()=>Le,BuildingOffice2Icon:()=>Te,BuildingOfficeIcon:()=>Ie,BuildingStorefrontIcon:()=>Ze,CakeIcon:()=>Oe,CalculatorIcon:()=>De,CalendarDateRangeIcon:()=>Re,CalendarDaysIcon:()=>He,CalendarIcon:()=>Pe,CameraIcon:()=>je,ChartBarIcon:()=>ze,ChartBarSquareIcon:()=>Fe,ChartPieIcon:()=>qe,ChatBubbleBottomCenterIcon:()=>$e,ChatBubbleBottomCenterTextIcon:()=>Ue,ChatBubbleLeftEllipsisIcon:()=>We,ChatBubbleLeftIcon:()=>Ke,ChatBubbleLeftRightIcon:()=>Ge,ChatBubbleOvalLeftEllipsisIcon:()=>Ye,ChatBubbleOvalLeftIcon:()=>Xe,CheckBadgeIcon:()=>Je,CheckCircleIcon:()=>Qe,CheckIcon:()=>et,ChevronDoubleDownIcon:()=>tt,ChevronDoubleLeftIcon:()=>nt,ChevronDoubleRightIcon:()=>rt,ChevronDoubleUpIcon:()=>ot,ChevronDownIcon:()=>it,ChevronLeftIcon:()=>at,ChevronRightIcon:()=>lt,ChevronUpDownIcon:()=>st,ChevronUpIcon:()=>ct,CircleStackIcon:()=>ut,ClipboardDocumentCheckIcon:()=>dt,ClipboardDocumentIcon:()=>pt,ClipboardDocumentListIcon:()=>ht,ClipboardIcon:()=>ft,ClockIcon:()=>mt,CloudArrowDownIcon:()=>vt,CloudArrowUpIcon:()=>gt,CloudIcon:()=>wt,CodeBracketIcon:()=>bt,CodeBracketSquareIcon:()=>yt,Cog6ToothIcon:()=>xt,Cog8ToothIcon:()=>kt,CogIcon:()=>Et,CommandLineIcon:()=>At,ComputerDesktopIcon:()=>Ct,CpuChipIcon:()=>Bt,CreditCardIcon:()=>Mt,CubeIcon:()=>St,CubeTransparentIcon:()=>_t,CurrencyBangladeshiIcon:()=>Nt,CurrencyDollarIcon:()=>Vt,CurrencyEuroIcon:()=>Lt,CurrencyPoundIcon:()=>Tt,CurrencyRupeeIcon:()=>It,CurrencyYenIcon:()=>Zt,CursorArrowRaysIcon:()=>Ot,CursorArrowRippleIcon:()=>Dt,DevicePhoneMobileIcon:()=>Rt,DeviceTabletIcon:()=>Ht,DivideIcon:()=>Pt,DocumentArrowDownIcon:()=>jt,DocumentArrowUpIcon:()=>Ft,DocumentChartBarIcon:()=>zt,DocumentCheckIcon:()=>qt,DocumentCurrencyBangladeshiIcon:()=>Ut,DocumentCurrencyDollarIcon:()=>$t,DocumentCurrencyEuroIcon:()=>Wt,DocumentCurrencyPoundIcon:()=>Gt,DocumentCurrencyRupeeIcon:()=>Kt,DocumentCurrencyYenIcon:()=>Yt,DocumentDuplicateIcon:()=>Xt,DocumentIcon:()=>nn,DocumentMagnifyingGlassIcon:()=>Jt,DocumentMinusIcon:()=>Qt,DocumentPlusIcon:()=>en,DocumentTextIcon:()=>tn,EllipsisHorizontalCircleIcon:()=>rn,EllipsisHorizontalIcon:()=>on,EllipsisVerticalIcon:()=>an,EnvelopeIcon:()=>sn,EnvelopeOpenIcon:()=>ln,EqualsIcon:()=>cn,ExclamationCircleIcon:()=>un,ExclamationTriangleIcon:()=>dn,EyeDropperIcon:()=>hn,EyeIcon:()=>fn,EyeSlashIcon:()=>pn,FaceFrownIcon:()=>mn,FaceSmileIcon:()=>vn,FilmIcon:()=>gn,FingerPrintIcon:()=>wn,FireIcon:()=>yn,FlagIcon:()=>bn,FolderArrowDownIcon:()=>xn,FolderIcon:()=>Cn,FolderMinusIcon:()=>kn,FolderOpenIcon:()=>En,FolderPlusIcon:()=>An,ForwardIcon:()=>Bn,FunnelIcon:()=>Mn,GifIcon:()=>_n,GiftIcon:()=>Nn,GiftTopIcon:()=>Sn,GlobeAltIcon:()=>Vn,GlobeAmericasIcon:()=>Ln,GlobeAsiaAustraliaIcon:()=>Tn,GlobeEuropeAfricaIcon:()=>In,H1Icon:()=>Zn,H2Icon:()=>On,H3Icon:()=>Dn,HandRaisedIcon:()=>Rn,HandThumbDownIcon:()=>Hn,HandThumbUpIcon:()=>Pn,HashtagIcon:()=>jn,HeartIcon:()=>Fn,HomeIcon:()=>qn,HomeModernIcon:()=>zn,IdentificationIcon:()=>Un,InboxArrowDownIcon:()=>$n,InboxIcon:()=>Gn,InboxStackIcon:()=>Wn,InformationCircleIcon:()=>Kn,ItalicIcon:()=>Yn,KeyIcon:()=>Xn,LanguageIcon:()=>Jn,LifebuoyIcon:()=>Qn,LightBulbIcon:()=>er,LinkIcon:()=>nr,LinkSlashIcon:()=>tr,ListBulletIcon:()=>rr,LockClosedIcon:()=>or,LockOpenIcon:()=>ir,MagnifyingGlassCircleIcon:()=>ar,MagnifyingGlassIcon:()=>cr,MagnifyingGlassMinusIcon:()=>lr,MagnifyingGlassPlusIcon:()=>sr,MapIcon:()=>dr,MapPinIcon:()=>ur,MegaphoneIcon:()=>hr,MicrophoneIcon:()=>pr,MinusCircleIcon:()=>fr,MinusIcon:()=>mr,MoonIcon:()=>vr,MusicalNoteIcon:()=>gr,NewspaperIcon:()=>wr,NoSymbolIcon:()=>yr,NumberedListIcon:()=>br,PaintBrushIcon:()=>xr,PaperAirplaneIcon:()=>kr,PaperClipIcon:()=>Er,PauseCircleIcon:()=>Ar,PauseIcon:()=>Cr,PencilIcon:()=>Mr,PencilSquareIcon:()=>Br,PercentBadgeIcon:()=>_r,PhoneArrowDownLeftIcon:()=>Sr,PhoneArrowUpRightIcon:()=>Nr,PhoneIcon:()=>Lr,PhoneXMarkIcon:()=>Vr,PhotoIcon:()=>Tr,PlayCircleIcon:()=>Ir,PlayIcon:()=>Or,PlayPauseIcon:()=>Zr,PlusCircleIcon:()=>Dr,PlusIcon:()=>Rr,PowerIcon:()=>Hr,PresentationChartBarIcon:()=>Pr,PresentationChartLineIcon:()=>jr,PrinterIcon:()=>Fr,PuzzlePieceIcon:()=>zr,QrCodeIcon:()=>qr,QuestionMarkCircleIcon:()=>Ur,QueueListIcon:()=>$r,RadioIcon:()=>Wr,ReceiptPercentIcon:()=>Gr,ReceiptRefundIcon:()=>Kr,RectangleGroupIcon:()=>Yr,RectangleStackIcon:()=>Xr,RocketLaunchIcon:()=>Jr,RssIcon:()=>Qr,ScaleIcon:()=>eo,ScissorsIcon:()=>to,ServerIcon:()=>ro,ServerStackIcon:()=>no,ShareIcon:()=>oo,ShieldCheckIcon:()=>io,ShieldExclamationIcon:()=>ao,ShoppingBagIcon:()=>lo,ShoppingCartIcon:()=>so,SignalIcon:()=>uo,SignalSlashIcon:()=>co,SlashIcon:()=>ho,SparklesIcon:()=>po,SpeakerWaveIcon:()=>fo,SpeakerXMarkIcon:()=>mo,Square2StackIcon:()=>vo,Square3Stack3DIcon:()=>go,Squares2X2Icon:()=>wo,SquaresPlusIcon:()=>yo,StarIcon:()=>bo,StopCircleIcon:()=>xo,StopIcon:()=>ko,StrikethroughIcon:()=>Eo,SunIcon:()=>Ao,SwatchIcon:()=>Co,TableCellsIcon:()=>Bo,TagIcon:()=>Mo,TicketIcon:()=>_o,TrashIcon:()=>So,TrophyIcon:()=>No,TruckIcon:()=>Vo,TvIcon:()=>Lo,UnderlineIcon:()=>To,UserCircleIcon:()=>Io,UserGroupIcon:()=>Zo,UserIcon:()=>Ro,UserMinusIcon:()=>Oo,UserPlusIcon:()=>Do,UsersIcon:()=>Ho,VariableIcon:()=>Po,VideoCameraIcon:()=>Fo,VideoCameraSlashIcon:()=>jo,ViewColumnsIcon:()=>zo,ViewfinderCircleIcon:()=>qo,WalletIcon:()=>Uo,WifiIcon:()=>$o,WindowIcon:()=>Wo,WrenchIcon:()=>Ko,WrenchScrewdriverIcon:()=>Go,XCircleIcon:()=>Yo,XMarkIcon:()=>Xo});var r=n(29726);function o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.702 1.368a.75.75 0 0 1 .597 0c2.098.91 4.105 1.99 6.004 3.223a.75.75 0 0 1-.194 1.348A34.27 34.27 0 0 0 8.341 8.25a.75.75 0 0 1-.682 0c-.625-.32-1.262-.62-1.909-.901v-.542a36.878 36.878 0 0 1 2.568-1.33.75.75 0 0 0-.636-1.357 38.39 38.39 0 0 0-3.06 1.605.75.75 0 0 0-.372.648v.365c-.773-.294-1.56-.56-2.359-.8a.75.75 0 0 1-.194-1.347 40.901 40.901 0 0 1 6.005-3.223ZM4.25 8.348c-.53-.212-1.067-.411-1.611-.596a40.973 40.973 0 0 0-.418 2.97.75.75 0 0 0 .474.776c.175.068.35.138.524.21a5.544 5.544 0 0 1-.58.681.75.75 0 1 0 1.06 1.06c.35-.349.655-.726.915-1.124a29.282 29.282 0 0 0-1.395-.617A5.483 5.483 0 0 0 4.25 8.5v-.152Z"}),(0,r.createElementVNode)("path",{d:"M7.603 13.96c-.96-.6-1.958-1.147-2.989-1.635a6.981 6.981 0 0 0 1.12-3.341c.419.192.834.393 1.244.602a2.25 2.25 0 0 0 2.045 0 32.787 32.787 0 0 1 4.338-1.834c.175.978.315 1.969.419 2.97a.75.75 0 0 1-.474.776 29.385 29.385 0 0 0-4.909 2.461.75.75 0 0 1-.794 0Z"})])}function i(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.5 2.25a.75.75 0 0 0-1.5 0v3a.75.75 0 0 0 1.5 0V4.5h6.75a.75.75 0 0 0 0-1.5H6.5v-.75ZM11 6.5a.75.75 0 0 0-1.5 0v3a.75.75 0 0 0 1.5 0v-.75h2.25a.75.75 0 0 0 0-1.5H11V6.5ZM5.75 10a.75.75 0 0 1 .75.75v.75h6.75a.75.75 0 0 1 0 1.5H6.5v.75a.75.75 0 0 1-1.5 0v-3a.75.75 0 0 1 .75-.75ZM2.75 7.25H8.5v1.5H2.75a.75.75 0 0 1 0-1.5ZM4 3H2.75a.75.75 0 0 0 0 1.5H4V3ZM2.75 11.5H4V13H2.75a.75.75 0 0 1 0-1.5Z"})])}function a(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.25 13.25V7.5h1.5v5.75a.75.75 0 0 1-1.5 0ZM8.75 2.75V5h.75a.75.75 0 0 1 0 1.5h-3a.75.75 0 0 1 0-1.5h.75V2.75a.75.75 0 0 1 1.5 0ZM2.25 9.5a.75.75 0 0 0 0 1.5h3a.75.75 0 0 0 0-1.5H4.5V2.75a.75.75 0 0 0-1.5 0V9.5h-.75ZM10 10.25a.75.75 0 0 1 .75-.75h.75V2.75a.75.75 0 0 1 1.5 0V9.5h.75a.75.75 0 0 1 0 1.5h-3a.75.75 0 0 1-.75-.75ZM3 12v1.25a.75.75 0 0 0 1.5 0V12H3ZM11.5 13.25V12H13v1.25a.75.75 0 0 1-1.5 0Z"})])}function l(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 3a1 1 0 0 1 1-1h10a1 1 0 0 1 1 1v1a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V3Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13 6H3v6a2 2 0 0 0 2 2h6a2 2 0 0 0 2-2V6ZM8.75 7.75a.75.75 0 0 0-1.5 0v2.69L6.03 9.22a.75.75 0 0 0-1.06 1.06l2.5 2.5a.75.75 0 0 0 1.06 0l2.5-2.5a.75.75 0 1 0-1.06-1.06l-1.22 1.22V7.75Z","clip-rule":"evenodd"})])}function s(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 3a1 1 0 0 1 1-1h10a1 1 0 0 1 1 1v1a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V3Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13 6H3v6a2 2 0 0 0 2 2h6a2 2 0 0 0 2-2V6ZM5.72 7.47a.75.75 0 0 1 1.06 0L8 8.69l1.22-1.22a.75.75 0 1 1 1.06 1.06L9.06 9.75l1.22 1.22a.75.75 0 1 1-1.06 1.06L8 10.81l-1.22 1.22a.75.75 0 0 1-1.06-1.06l1.22-1.22-1.22-1.22a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function c(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 2a1 1 0 0 0-1 1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H3Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6h10v6a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V6Zm3 2.75A.75.75 0 0 1 6.75 8h2.5a.75.75 0 0 1 0 1.5h-2.5A.75.75 0 0 1 6 8.75Z","clip-rule":"evenodd"})])}function u(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14Zm.75-10.25a.75.75 0 0 0-1.5 0v4.69L6.03 8.22a.75.75 0 0 0-1.06 1.06l2.5 2.5a.75.75 0 0 0 1.06 0l2.5-2.5a.75.75 0 1 0-1.06-1.06L8.75 9.44V4.75Z","clip-rule":"evenodd"})])}function d(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.78 4.22a.75.75 0 0 1 0 1.06L6.56 10.5h3.69a.75.75 0 0 1 0 1.5h-5.5a.75.75 0 0 1-.75-.75v-5.5a.75.75 0 0 1 1.5 0v3.69l5.22-5.22a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function h(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7 1a.75.75 0 0 1 .75.75V6h-1.5V1.75A.75.75 0 0 1 7 1ZM6.25 6v2.94L5.03 7.72a.75.75 0 0 0-1.06 1.06l2.5 2.5a.75.75 0 0 0 1.06 0l2.5-2.5a.75.75 0 1 0-1.06-1.06L7.75 8.94V6H10a2 2 0 0 1 2 2v3a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V8a2 2 0 0 1 2-2h2.25Z"}),(0,r.createElementVNode)("path",{d:"M4.268 14A2 2 0 0 0 6 15h6a2 2 0 0 0 2-2v-3a2 2 0 0 0-1-1.732V11a3 3 0 0 1-3 3H4.268Z"})])}function p(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 1a.75.75 0 0 1 .75.75V5h-1.5V1.75A.75.75 0 0 1 8 1ZM7.25 5v4.44L6.03 8.22a.75.75 0 0 0-1.06 1.06l2.5 2.5a.75.75 0 0 0 1.06 0l2.5-2.5a.75.75 0 1 0-1.06-1.06L8.75 9.44V5H11a2 2 0 0 1 2 2v6a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V7a2 2 0 0 1 2-2h2.25Z"})])}function f(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.22 4.22a.75.75 0 0 0 0 1.06l5.22 5.22H5.75a.75.75 0 0 0 0 1.5h5.5a.75.75 0 0 0 .75-.75v-5.5a.75.75 0 0 0-1.5 0v3.69L5.28 4.22a.75.75 0 0 0-1.06 0Z","clip-rule":"evenodd"})])}function m(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.75 2.75a.75.75 0 0 0-1.5 0v5.69L5.03 6.22a.75.75 0 0 0-1.06 1.06l3.5 3.5a.75.75 0 0 0 1.06 0l3.5-3.5a.75.75 0 0 0-1.06-1.06L8.75 8.44V2.75Z"}),(0,r.createElementVNode)("path",{d:"M3.5 9.75a.75.75 0 0 0-1.5 0v1.5A2.75 2.75 0 0 0 4.75 14h6.5A2.75 2.75 0 0 0 14 11.25v-1.5a.75.75 0 0 0-1.5 0v1.5c0 .69-.56 1.25-1.25 1.25h-6.5c-.69 0-1.25-.56-1.25-1.25v-1.5Z"})])}function v(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 2a.75.75 0 0 1 .75.75v8.69l3.22-3.22a.75.75 0 1 1 1.06 1.06l-4.5 4.5a.75.75 0 0 1-1.06 0l-4.5-4.5a.75.75 0 0 1 1.06-1.06l3.22 3.22V2.75A.75.75 0 0 1 8 2Z","clip-rule":"evenodd"})])}function g(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 8a7 7 0 1 0 14 0A7 7 0 0 0 1 8Zm10.25.75a.75.75 0 0 0 0-1.5H6.56l1.22-1.22a.75.75 0 0 0-1.06-1.06l-2.5 2.5a.75.75 0 0 0 0 1.06l2.5 2.5a.75.75 0 1 0 1.06-1.06L6.56 8.75h4.69Z","clip-rule":"evenodd"})])}function w(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.75 2A2.75 2.75 0 0 0 2 4.75v6.5A2.75 2.75 0 0 0 4.75 14h3a2.75 2.75 0 0 0 2.75-2.75v-.5a.75.75 0 0 0-1.5 0v.5c0 .69-.56 1.25-1.25 1.25h-3c-.69 0-1.25-.56-1.25-1.25v-6.5c0-.69.56-1.25 1.25-1.25h3C8.44 3.5 9 4.06 9 4.75v.5a.75.75 0 0 0 1.5 0v-.5A2.75 2.75 0 0 0 7.75 2h-3Z"}),(0,r.createElementVNode)("path",{d:"M8.03 6.28a.75.75 0 0 0-1.06-1.06L4.72 7.47a.75.75 0 0 0 0 1.06l2.25 2.25a.75.75 0 1 0 1.06-1.06l-.97-.97h7.19a.75.75 0 0 0 0-1.5H7.06l.97-.97Z"})])}function y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14 4.75A2.75 2.75 0 0 0 11.25 2h-3A2.75 2.75 0 0 0 5.5 4.75v.5a.75.75 0 0 0 1.5 0v-.5c0-.69.56-1.25 1.25-1.25h3c.69 0 1.25.56 1.25 1.25v6.5c0 .69-.56 1.25-1.25 1.25h-3c-.69 0-1.25-.56-1.25-1.25v-.5a.75.75 0 0 0-1.5 0v.5A2.75 2.75 0 0 0 8.25 14h3A2.75 2.75 0 0 0 14 11.25v-6.5Zm-9.47.47a.75.75 0 0 0-1.06 0L1.22 7.47a.75.75 0 0 0 0 1.06l2.25 2.25a.75.75 0 1 0 1.06-1.06l-.97-.97h7.19a.75.75 0 0 0 0-1.5H3.56l.97-.97a.75.75 0 0 0 0-1.06Z","clip-rule":"evenodd"})])}function b(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14 8a.75.75 0 0 1-.75.75H4.56l3.22 3.22a.75.75 0 1 1-1.06 1.06l-4.5-4.5a.75.75 0 0 1 0-1.06l4.5-4.5a.75.75 0 0 1 1.06 1.06L4.56 7.25h8.69A.75.75 0 0 1 14 8Z","clip-rule":"evenodd"})])}function x(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 2a.75.75 0 0 1 .75.75v8.69l1.22-1.22a.75.75 0 1 1 1.06 1.06l-2.5 2.5a.75.75 0 0 1-1.06 0l-2.5-2.5a.75.75 0 1 1 1.06-1.06l1.22 1.22V2.75A.75.75 0 0 1 8 2Z","clip-rule":"evenodd"})])}function k(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14 8a.75.75 0 0 1-.75.75H4.56l1.22 1.22a.75.75 0 1 1-1.06 1.06l-2.5-2.5a.75.75 0 0 1 0-1.06l2.5-2.5a.75.75 0 0 1 1.06 1.06L4.56 7.25h8.69A.75.75 0 0 1 14 8Z","clip-rule":"evenodd"})])}function E(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 8c0 .414.336.75.75.75h8.69l-1.22 1.22a.75.75 0 1 0 1.06 1.06l2.5-2.5a.75.75 0 0 0 0-1.06l-2.5-2.5a.75.75 0 1 0-1.06 1.06l1.22 1.22H2.75A.75.75 0 0 0 2 8Z","clip-rule":"evenodd"})])}function A(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 14a.75.75 0 0 0 .75-.75V4.56l1.22 1.22a.75.75 0 1 0 1.06-1.06l-2.5-2.5a.75.75 0 0 0-1.06 0l-2.5 2.5a.75.75 0 0 0 1.06 1.06l1.22-1.22v8.69c0 .414.336.75.75.75Z","clip-rule":"evenodd"})])}function C(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 3.5c-.771 0-1.537.022-2.297.066a1.124 1.124 0 0 0-1.058 1.028l-.018.214a.75.75 0 1 1-1.495-.12l.018-.221a2.624 2.624 0 0 1 2.467-2.399 41.628 41.628 0 0 1 4.766 0 2.624 2.624 0 0 1 2.467 2.399c.056.662.097 1.329.122 2l.748-.748a.75.75 0 1 1 1.06 1.06l-2 2.001a.75.75 0 0 1-1.061 0l-2-1.999a.75.75 0 0 1 1.061-1.06l.689.688a39.89 39.89 0 0 0-.114-1.815 1.124 1.124 0 0 0-1.058-1.028A40.138 40.138 0 0 0 8 3.5ZM3.22 7.22a.75.75 0 0 1 1.061 0l2 2a.75.75 0 1 1-1.06 1.06l-.69-.69c.025.61.062 1.214.114 1.816.048.56.496.996 1.058 1.028a40.112 40.112 0 0 0 4.594 0 1.124 1.124 0 0 0 1.058-1.028 39.2 39.2 0 0 0 .018-.219.75.75 0 1 1 1.495.12l-.018.226a2.624 2.624 0 0 1-2.467 2.399 41.648 41.648 0 0 1-4.766 0 2.624 2.624 0 0 1-2.467-2.399 41.395 41.395 0 0 1-.122-2l-.748.748A.75.75 0 1 1 1.22 9.22l2-2Z","clip-rule":"evenodd"})])}function B(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.836 2.477a.75.75 0 0 1 .75.75v3.182a.75.75 0 0 1-.75.75h-3.182a.75.75 0 0 1 0-1.5h1.37l-.84-.841a4.5 4.5 0 0 0-7.08.932.75.75 0 0 1-1.3-.75 6 6 0 0 1 9.44-1.242l.842.84V3.227a.75.75 0 0 1 .75-.75Zm-.911 7.5A.75.75 0 0 1 13.199 11a6 6 0 0 1-9.44 1.241l-.84-.84v1.371a.75.75 0 0 1-1.5 0V9.591a.75.75 0 0 1 .75-.75H5.35a.75.75 0 0 1 0 1.5H3.98l.841.841a4.5 4.5 0 0 0 7.08-.932.75.75 0 0 1 1.025-.273Z","clip-rule":"evenodd"})])}function M(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 0 1 8a7 7 0 0 0 14 0ZM4.75 7.25a.75.75 0 0 0 0 1.5h4.69L8.22 9.97a.75.75 0 1 0 1.06 1.06l2.5-2.5a.75.75 0 0 0 0-1.06l-2.5-2.5a.75.75 0 0 0-1.06 1.06l1.22 1.22H4.75Z","clip-rule":"evenodd"})])}function _(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.25 2A2.75 2.75 0 0 1 14 4.75v6.5A2.75 2.75 0 0 1 11.25 14h-3a2.75 2.75 0 0 1-2.75-2.75v-.5a.75.75 0 0 1 1.5 0v.5c0 .69.56 1.25 1.25 1.25h3c.69 0 1.25-.56 1.25-1.25v-6.5c0-.69-.56-1.25-1.25-1.25h-3C7.56 3.5 7 4.06 7 4.75v.5a.75.75 0 0 1-1.5 0v-.5A2.75 2.75 0 0 1 8.25 2h3Z"}),(0,r.createElementVNode)("path",{d:"M7.97 6.28a.75.75 0 0 1 1.06-1.06l2.25 2.25a.75.75 0 0 1 0 1.06l-2.25 2.25a.75.75 0 1 1-1.06-1.06l.97-.97H1.75a.75.75 0 0 1 0-1.5h7.19l-.97-.97Z"})])}function S(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75A2.75 2.75 0 0 1 4.75 2h3a2.75 2.75 0 0 1 2.75 2.75v.5a.75.75 0 0 1-1.5 0v-.5c0-.69-.56-1.25-1.25-1.25h-3c-.69 0-1.25.56-1.25 1.25v6.5c0 .69.56 1.25 1.25 1.25h3c.69 0 1.25-.56 1.25-1.25v-.5a.75.75 0 0 1 1.5 0v.5A2.75 2.75 0 0 1 7.75 14h-3A2.75 2.75 0 0 1 2 11.25v-6.5Zm9.47.47a.75.75 0 0 1 1.06 0l2.25 2.25a.75.75 0 0 1 0 1.06l-2.25 2.25a.75.75 0 1 1-1.06-1.06l.97-.97H5.25a.75.75 0 0 1 0-1.5h7.19l-.97-.97a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function N(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 8a.75.75 0 0 1 .75-.75h8.69L8.22 4.03a.75.75 0 0 1 1.06-1.06l4.5 4.5a.75.75 0 0 1 0 1.06l-4.5 4.5a.75.75 0 0 1-1.06-1.06l3.22-3.22H2.75A.75.75 0 0 1 2 8Z","clip-rule":"evenodd"})])}function V(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.22 8.72a.75.75 0 0 0 1.06 1.06l5.22-5.22v1.69a.75.75 0 0 0 1.5 0v-3.5a.75.75 0 0 0-.75-.75h-3.5a.75.75 0 0 0 0 1.5h1.69L6.22 8.72Z"}),(0,r.createElementVNode)("path",{d:"M3.5 6.75c0-.69.56-1.25 1.25-1.25H7A.75.75 0 0 0 7 4H4.75A2.75 2.75 0 0 0 2 6.75v4.5A2.75 2.75 0 0 0 4.75 14h4.5A2.75 2.75 0 0 0 12 11.25V9a.75.75 0 0 0-1.5 0v2.25c0 .69-.56 1.25-1.25 1.25h-4.5c-.69 0-1.25-.56-1.25-1.25v-4.5Z"})])}function L(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.22 4.22a.75.75 0 0 1 1.06 0L6 7.94l2.761-2.762a.75.75 0 0 1 1.158.12 24.9 24.9 0 0 1 2.718 5.556l.729-1.261a.75.75 0 0 1 1.299.75l-1.591 2.755a.75.75 0 0 1-1.025.275l-2.756-1.591a.75.75 0 1 1 .75-1.3l1.097.634a23.417 23.417 0 0 0-1.984-4.211L6.53 9.53a.75.75 0 0 1-1.06 0L1.22 5.28a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function T(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.808 4.057a.75.75 0 0 1 .92-.527l3.116.849a.75.75 0 0 1 .528.915l-.823 3.121a.75.75 0 0 1-1.45-.382l.337-1.281a23.484 23.484 0 0 0-3.609 3.056.75.75 0 0 1-1.07.01L6 8.06l-3.72 3.72a.75.75 0 1 1-1.06-1.061l4.25-4.25a.75.75 0 0 1 1.06 0l1.756 1.755a25.015 25.015 0 0 1 3.508-2.85l-1.46-.398a.75.75 0 0 1-.526-.92Z","clip-rule":"evenodd"})])}function I(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.25 2a.75.75 0 0 0-.75.75v6.5H4.56l.97-.97a.75.75 0 0 0-1.06-1.06L2.22 9.47a.75.75 0 0 0 0 1.06l2.25 2.25a.75.75 0 0 0 1.06-1.06l-.97-.97h8.69A.75.75 0 0 0 14 10V2.75a.75.75 0 0 0-.75-.75Z","clip-rule":"evenodd"})])}function Z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.75 2a.75.75 0 0 1 .75.75v6.5h7.94l-.97-.97a.75.75 0 0 1 1.06-1.06l2.25 2.25a.75.75 0 0 1 0 1.06l-2.25 2.25a.75.75 0 1 1-1.06-1.06l.97-.97H2.75A.75.75 0 0 1 2 10V2.75A.75.75 0 0 1 2.75 2Z","clip-rule":"evenodd"})])}function O(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.47 2.22A.75.75 0 0 1 6 2h7.25a.75.75 0 0 1 0 1.5h-6.5v7.94l.97-.97a.75.75 0 0 1 1.06 1.06l-2.25 2.25a.75.75 0 0 1-1.06 0l-2.25-2.25a.75.75 0 1 1 1.06-1.06l.97.97V2.75a.75.75 0 0 1 .22-.53Z","clip-rule":"evenodd"})])}function D(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14 13.25a.75.75 0 0 0-.75-.75h-6.5V4.56l.97.97a.75.75 0 0 0 1.06-1.06L6.53 2.22a.75.75 0 0 0-1.06 0L3.22 4.47a.75.75 0 0 0 1.06 1.06l.97-.97v8.69c0 .414.336.75.75.75h7.25a.75.75 0 0 0 .75-.75Z","clip-rule":"evenodd"})])}function R(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 2.75c0 .414.336.75.75.75h6.5v7.94l-.97-.97a.75.75 0 0 0-1.06 1.06l2.25 2.25a.75.75 0 0 0 1.06 0l2.25-2.25a.75.75 0 1 0-1.06-1.06l-.97.97V2.75A.75.75 0 0 0 10 2H2.75a.75.75 0 0 0-.75.75Z","clip-rule":"evenodd"})])}function H(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 13.25a.75.75 0 0 1 .75-.75h6.5V4.56l-.97.97a.75.75 0 0 1-1.06-1.06l2.25-2.25a.75.75 0 0 1 1.06 0l2.25 2.25a.75.75 0 0 1-1.06 1.06l-.97-.97v8.69A.75.75 0 0 1 10 14H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function P(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.25 14a.75.75 0 0 1-.75-.75v-6.5H4.56l.97.97a.75.75 0 0 1-1.06 1.06L2.22 6.53a.75.75 0 0 1 0-1.06l2.25-2.25a.75.75 0 0 1 1.06 1.06l-.97.97h8.69A.75.75 0 0 1 14 6v7.25a.75.75 0 0 1-.75.75Z","clip-rule":"evenodd"})])}function j(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.75 14a.75.75 0 0 0 .75-.75v-6.5h7.94l-.97.97a.75.75 0 0 0 1.06 1.06l2.25-2.25a.75.75 0 0 0 0-1.06l-2.25-2.25a.75.75 0 1 0-1.06 1.06l.97.97H2.75A.75.75 0 0 0 2 6v7.25c0 .414.336.75.75.75Z","clip-rule":"evenodd"})])}function F(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a7 7 0 1 0 0 14A7 7 0 0 0 8 1Zm-.75 10.25a.75.75 0 0 0 1.5 0V6.56l1.22 1.22a.75.75 0 1 0 1.06-1.06l-2.5-2.5a.75.75 0 0 0-1.06 0l-2.5 2.5a.75.75 0 0 0 1.06 1.06l1.22-1.22v4.69Z","clip-rule":"evenodd"})])}function z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.78 11.78a.75.75 0 0 0 0-1.06L6.56 5.5h3.69a.75.75 0 0 0 0-1.5h-5.5a.75.75 0 0 0-.75.75v5.5a.75.75 0 0 0 1.5 0V6.56l5.22 5.22a.75.75 0 0 0 1.06 0Z","clip-rule":"evenodd"})])}function q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.268 14A2 2 0 0 0 7 15h4a2 2 0 0 0 2-2v-3a2 2 0 0 0-1-1.732V11a3 3 0 0 1-3 3H5.268ZM6.25 6h1.5V3.56l1.22 1.22a.75.75 0 1 0 1.06-1.06l-2.5-2.5a.75.75 0 0 0-1.06 0l-2.5 2.5a.75.75 0 0 0 1.06 1.06l1.22-1.22V6Z"}),(0,r.createElementVNode)("path",{d:"M6.25 8.75a.75.75 0 0 0 1.5 0V6H9a2 2 0 0 1 2 2v3a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V8a2 2 0 0 1 2-2h1.25v2.75Z"})])}function U(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.75 6h-1.5V3.56L6.03 4.78a.75.75 0 0 1-1.06-1.06l2.5-2.5a.75.75 0 0 1 1.06 0l2.5 2.5a.75.75 0 1 1-1.06 1.06L8.75 3.56V6H11a2 2 0 0 1 2 2v5a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V8a2 2 0 0 1 2-2h2.25v5.25a.75.75 0 0 0 1.5 0V6Z"})])}function $(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.22 11.78a.75.75 0 0 1 0-1.06L9.44 5.5H5.75a.75.75 0 0 1 0-1.5h5.5a.75.75 0 0 1 .75.75v5.5a.75.75 0 0 1-1.5 0V6.56l-5.22 5.22a.75.75 0 0 1-1.06 0Z","clip-rule":"evenodd"})])}function W(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.25 10.25a.75.75 0 0 0 1.5 0V4.56l2.22 2.22a.75.75 0 1 0 1.06-1.06l-3.5-3.5a.75.75 0 0 0-1.06 0l-3.5 3.5a.75.75 0 0 0 1.06 1.06l2.22-2.22v5.69Z"}),(0,r.createElementVNode)("path",{d:"M3.5 9.75a.75.75 0 0 0-1.5 0v1.5A2.75 2.75 0 0 0 4.75 14h6.5A2.75 2.75 0 0 0 14 11.25v-1.5a.75.75 0 0 0-1.5 0v1.5c0 .69-.56 1.25-1.25 1.25h-6.5c-.69 0-1.25-.56-1.25-1.25v-1.5Z"})])}function G(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 14a.75.75 0 0 1-.75-.75V4.56L4.03 7.78a.75.75 0 0 1-1.06-1.06l4.5-4.5a.75.75 0 0 1 1.06 0l4.5 4.5a.75.75 0 0 1-1.06 1.06L8.75 4.56v8.69A.75.75 0 0 1 8 14Z","clip-rule":"evenodd"})])}function K(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.75 3.5A2.75 2.75 0 0 0 7 6.25v5.19l2.22-2.22a.75.75 0 1 1 1.06 1.06l-3.5 3.5a.75.75 0 0 1-1.06 0l-3.5-3.5a.75.75 0 1 1 1.06-1.06l2.22 2.22V6.25a4.25 4.25 0 0 1 8.5 0v1a.75.75 0 0 1-1.5 0v-1A2.75 2.75 0 0 0 9.75 3.5Z","clip-rule":"evenodd"})])}function Y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.5 9.75A2.75 2.75 0 0 0 9.75 7H4.56l2.22 2.22a.75.75 0 1 1-1.06 1.06l-3.5-3.5a.75.75 0 0 1 0-1.06l3.5-3.5a.75.75 0 0 1 1.06 1.06L4.56 5.5h5.19a4.25 4.25 0 0 1 0 8.5h-1a.75.75 0 0 1 0-1.5h1a2.75 2.75 0 0 0 2.75-2.75Z","clip-rule":"evenodd"})])}function X(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.5 9.75A2.75 2.75 0 0 1 6.25 7h5.19L9.22 9.22a.75.75 0 1 0 1.06 1.06l3.5-3.5a.75.75 0 0 0 0-1.06l-3.5-3.5a.75.75 0 1 0-1.06 1.06l2.22 2.22H6.25a4.25 4.25 0 0 0 0 8.5h1a.75.75 0 0 0 0-1.5h-1A2.75 2.75 0 0 1 3.5 9.75Z","clip-rule":"evenodd"})])}function J(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.25 12.5A2.75 2.75 0 0 0 9 9.75V4.56L6.78 6.78a.75.75 0 0 1-1.06-1.06l3.5-3.5a.75.75 0 0 1 1.06 0l3.5 3.5a.75.75 0 0 1-1.06 1.06L10.5 4.56v5.19a4.25 4.25 0 0 1-8.5 0v-1a.75.75 0 0 1 1.5 0v1a2.75 2.75 0 0 0 2.75 2.75Z","clip-rule":"evenodd"})])}function Q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.22 2.22a.75.75 0 0 1 1.06 0L5.5 4.44V2.75a.75.75 0 0 1 1.5 0v3.5a.75.75 0 0 1-.75.75h-3.5a.75.75 0 0 1 0-1.5h1.69L2.22 3.28a.75.75 0 0 1 0-1.06Zm10.5 0a.75.75 0 1 1 1.06 1.06L11.56 5.5h1.69a.75.75 0 0 1 0 1.5h-3.5A.75.75 0 0 1 9 6.25v-3.5a.75.75 0 0 1 1.5 0v1.69l2.22-2.22ZM2.75 9h3.5a.75.75 0 0 1 .75.75v3.5a.75.75 0 0 1-1.5 0v-1.69l-2.22 2.22a.75.75 0 0 1-1.06-1.06l2.22-2.22H2.75a.75.75 0 0 1 0-1.5ZM9 9.75A.75.75 0 0 1 9.75 9h3.5a.75.75 0 0 1 0 1.5h-1.69l2.22 2.22a.75.75 0 1 1-1.06 1.06l-2.22-2.22v1.69a.75.75 0 0 1-1.5 0v-3.5Z","clip-rule":"evenodd"})])}function ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.75 9a.75.75 0 0 1 .75.75v1.69l2.22-2.22a.75.75 0 0 1 1.06 1.06L4.56 12.5h1.69a.75.75 0 0 1 0 1.5h-3.5a.75.75 0 0 1-.75-.75v-3.5A.75.75 0 0 1 2.75 9ZM2.75 7a.75.75 0 0 0 .75-.75V4.56l2.22 2.22a.75.75 0 0 0 1.06-1.06L4.56 3.5h1.69a.75.75 0 0 0 0-1.5h-3.5a.75.75 0 0 0-.75.75v3.5c0 .414.336.75.75.75ZM13.25 9a.75.75 0 0 0-.75.75v1.69l-2.22-2.22a.75.75 0 1 0-1.06 1.06l2.22 2.22H9.75a.75.75 0 0 0 0 1.5h3.5a.75.75 0 0 0 .75-.75v-3.5a.75.75 0 0 0-.75-.75ZM13.25 7a.75.75 0 0 1-.75-.75V4.56l-2.22 2.22a.75.75 0 1 1-1.06-1.06l2.22-2.22H9.75a.75.75 0 0 1 0-1.5h3.5a.75.75 0 0 1 .75.75v3.5a.75.75 0 0 1-.75.75Z","clip-rule":"evenodd"})])}function te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.47 2.22a.75.75 0 0 1 1.06 0l2.25 2.25a.75.75 0 0 1 0 1.06l-2.25 2.25a.75.75 0 1 1-1.06-1.06l.97-.97H5.75a.75.75 0 0 1 0-1.5h5.69l-.97-.97a.75.75 0 0 1 0-1.06Zm-4.94 6a.75.75 0 0 1 0 1.06l-.97.97h5.69a.75.75 0 0 1 0 1.5H4.56l.97.97a.75.75 0 1 1-1.06 1.06l-2.25-2.25a.75.75 0 0 1 0-1.06l2.25-2.25a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.78 10.47a.75.75 0 0 1 0 1.06l-2.25 2.25a.75.75 0 0 1-1.06 0l-2.25-2.25a.75.75 0 1 1 1.06-1.06l.97.97V5.75a.75.75 0 0 1 1.5 0v5.69l.97-.97a.75.75 0 0 1 1.06 0ZM2.22 5.53a.75.75 0 0 1 0-1.06l2.25-2.25a.75.75 0 0 1 1.06 0l2.25 2.25a.75.75 0 0 1-1.06 1.06l-.97-.97v5.69a.75.75 0 0 1-1.5 0V4.56l-.97.97a.75.75 0 0 1-1.06 0Z","clip-rule":"evenodd"})])}function re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.89 4.111a5.5 5.5 0 1 0 0 7.778.75.75 0 1 1 1.06 1.061A7 7 0 1 1 15 8a2.5 2.5 0 0 1-4.083 1.935A3.5 3.5 0 1 1 11.5 8a1 1 0 0 0 2 0 5.48 5.48 0 0 0-1.61-3.889ZM10 8a2 2 0 1 0-4 0 2 2 0 0 0 4 0Z","clip-rule":"evenodd"})])}function oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.414 3c-.464 0-.909.184-1.237.513L1.22 7.47a.75.75 0 0 0 0 1.06l3.957 3.957A1.75 1.75 0 0 0 6.414 13h5.836A2.75 2.75 0 0 0 15 10.25v-4.5A2.75 2.75 0 0 0 12.25 3H6.414ZM8.28 5.72a.75.75 0 0 0-1.06 1.06L8.44 8 7.22 9.22a.75.75 0 1 0 1.06 1.06L9.5 9.06l1.22 1.22a.75.75 0 1 0 1.06-1.06L10.56 8l1.22-1.22a.75.75 0 0 0-1.06-1.06L9.5 6.94 8.28 5.72Z","clip-rule":"evenodd"})])}function ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.5 4.75a.75.75 0 0 0-1.107-.66l-6 3.25a.75.75 0 0 0 0 1.32l6 3.25a.75.75 0 0 0 1.107-.66V8.988l5.393 2.921A.75.75 0 0 0 15 11.25v-6.5a.75.75 0 0 0-1.107-.66L8.5 7.013V4.75Z"})])}function ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 3a1 1 0 0 1 1-1h12a1 1 0 0 1 1 1v6a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V3Zm9 3a2 2 0 1 1-4 0 2 2 0 0 1 4 0Zm-6.25-.75a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5ZM11.5 6A.75.75 0 1 1 13 6a.75.75 0 0 1-1.5 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M13 11.75a.75.75 0 0 0-1.5 0v.179c0 .15-.138.28-.306.255A65.277 65.277 0 0 0 1.75 11.5a.75.75 0 0 0 0 1.5c3.135 0 6.215.228 9.227.668A1.764 1.764 0 0 0 13 11.928v-.178Z"})])}function le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75A.75.75 0 0 1 2.75 4h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 4.75Zm0 6.5a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.75A.75.75 0 0 1 2.75 3h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 3.75ZM2 8a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 8Zm0 4.25a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.75A.75.75 0 0 1 2.75 3h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 3.75ZM2 8a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 8Zm6 4.25a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.75A.75.75 0 0 1 2.75 3h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 3.75ZM2 8a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-4.5A.75.75 0 0 1 2 8Zm0 4.25a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function de(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.75A.75.75 0 0 1 2.75 3h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 3.75ZM2 8a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 8Zm0 4.25a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function he(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 2.75A.75.75 0 0 1 2.75 2h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 2.75Zm0 10.5a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75ZM2 6.25a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 6.25Zm0 3.5A.75.75 0 0 1 2.75 9h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 9.75Z","clip-rule":"evenodd"})])}function pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 2.75A.75.75 0 0 1 2.75 2h9.5a.75.75 0 0 1 0 1.5h-9.5A.75.75 0 0 1 2 2.75ZM2 6.25a.75.75 0 0 1 .75-.75h5.5a.75.75 0 0 1 0 1.5h-5.5A.75.75 0 0 1 2 6.25Zm0 3.5A.75.75 0 0 1 2.75 9h3.5a.75.75 0 0 1 0 1.5h-3.5A.75.75 0 0 1 2 9.75ZM14.78 11.47a.75.75 0 0 1 0 1.06l-2.25 2.25a.75.75 0 0 1-1.06 0l-2.25-2.25a.75.75 0 1 1 1.06-1.06l.97.97V6.75a.75.75 0 0 1 1.5 0v5.69l.97-.97a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 2.75A.75.75 0 0 1 2.75 2h9.5a.75.75 0 0 1 0 1.5h-9.5A.75.75 0 0 1 2 2.75ZM2 6.25a.75.75 0 0 1 .75-.75h5.5a.75.75 0 0 1 0 1.5h-5.5A.75.75 0 0 1 2 6.25Zm0 3.5A.75.75 0 0 1 2.75 9h3.5a.75.75 0 0 1 0 1.5h-3.5A.75.75 0 0 1 2 9.75ZM9.22 9.53a.75.75 0 0 1 0-1.06l2.25-2.25a.75.75 0 0 1 1.06 0l2.25 2.25a.75.75 0 0 1-1.06 1.06l-.97-.97v5.69a.75.75 0 0 1-1.5 0V8.56l-.97.97a.75.75 0 0 1-1.06 0Z","clip-rule":"evenodd"})])}function me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 6.25A2.25 2.25 0 0 1 3.25 4h8.5A2.25 2.25 0 0 1 14 6.25v.085a1.5 1.5 0 0 1 1 1.415v.5a1.5 1.5 0 0 1-1 1.415v.085A2.25 2.25 0 0 1 11.75 12h-8.5A2.25 2.25 0 0 1 1 9.75v-3.5Zm2.25-.75a.75.75 0 0 0-.75.75v3.5c0 .414.336.75.75.75h8.5a.75.75 0 0 0 .75-.75v-3.5a.75.75 0 0 0-.75-.75h-8.5Z","clip-rule":"evenodd"})])}function ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4 7.75A.75.75 0 0 1 4.75 7h5.5a.75.75 0 0 1 .75.75v.5a.75.75 0 0 1-.75.75h-5.5A.75.75 0 0 1 4 8.25v-.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.25 4A2.25 2.25 0 0 0 1 6.25v3.5A2.25 2.25 0 0 0 3.25 12h8.5A2.25 2.25 0 0 0 14 9.75v-.085a1.5 1.5 0 0 0 1-1.415v-.5a1.5 1.5 0 0 0-1-1.415V6.25A2.25 2.25 0 0 0 11.75 4h-8.5ZM2.5 6.25a.75.75 0 0 1 .75-.75h8.5a.75.75 0 0 1 .75.75v3.5a.75.75 0 0 1-.75.75h-8.5a.75.75 0 0 1-.75-.75v-3.5Z","clip-rule":"evenodd"})])}function ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 6.25A2.25 2.25 0 0 1 3.25 4h8.5A2.25 2.25 0 0 1 14 6.25v.085a1.5 1.5 0 0 1 1 1.415v.5a1.5 1.5 0 0 1-1 1.415v.085A2.25 2.25 0 0 1 11.75 12h-8.5A2.25 2.25 0 0 1 1 9.75v-3.5Zm2.25-.75a.75.75 0 0 0-.75.75v3.5c0 .414.336.75.75.75h8.5a.75.75 0 0 0 .75-.75v-3.5a.75.75 0 0 0-.75-.75h-8.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M4.75 7a.75.75 0 0 0-.75.75v.5c0 .414.336.75.75.75h2a.75.75 0 0 0 .75-.75v-.5A.75.75 0 0 0 6.75 7h-2Z"})])}function we(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11 3.5v2.257c0 .597.237 1.17.659 1.591l2.733 2.733c.39.39.608.918.608 1.469a2.04 2.04 0 0 1-1.702 2.024C11.573 13.854 9.803 14 8 14s-3.573-.146-5.298-.426A2.04 2.04 0 0 1 1 11.55c0-.551.219-1.08.608-1.47l2.733-2.732A2.25 2.25 0 0 0 5 5.758V3.5h-.25a.75.75 0 0 1 0-1.5h6.5a.75.75 0 0 1 0 1.5H11ZM6.5 5.757V3.5h3v2.257a3.75 3.75 0 0 0 1.098 2.652l.158.158a3.36 3.36 0 0 0-.075.034c-.424.2-.916.194-1.335-.016l-1.19-.595a4.943 4.943 0 0 0-2.07-.52A3.75 3.75 0 0 0 6.5 5.757Z","clip-rule":"evenodd"})])}function ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.6 1.7A.75.75 0 1 0 2.4.799a6.978 6.978 0 0 0-1.123 2.247.75.75 0 1 0 1.44.418c.187-.644.489-1.24.883-1.764ZM13.6.799a.75.75 0 1 0-1.2.9 5.48 5.48 0 0 1 .883 1.765.75.75 0 1 0 1.44-.418A6.978 6.978 0 0 0 13.6.799Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a4 4 0 0 1 4 4v2.379c0 .398.158.779.44 1.06l1.267 1.268a1 1 0 0 1 .293.707V11a1 1 0 0 1-1 1h-2a3 3 0 1 1-6 0H3a1 1 0 0 1-1-1v-.586a1 1 0 0 1 .293-.707L3.56 8.44A1.5 1.5 0 0 0 4 7.38V5a4 4 0 0 1 4-4Zm0 12.5A1.5 1.5 0 0 1 6.5 12h3A1.5 1.5 0 0 1 8 13.5Z","clip-rule":"evenodd"})])}function be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 7.379v-.904l6.743 6.742A3 3 0 0 1 5 12H3a1 1 0 0 1-1-1v-.586a1 1 0 0 1 .293-.707L3.56 8.44A1.5 1.5 0 0 0 4 7.38ZM6.5 12a1.5 1.5 0 0 0 3 0h-3Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14 11a.997.997 0 0 1-.096.429L4.92 2.446A4 4 0 0 1 12 5v2.379c0 .398.158.779.44 1.06l1.267 1.268a1 1 0 0 1 .293.707V11ZM2.22 2.22a.75.75 0 0 1 1.06 0l10.5 10.5a.75.75 0 1 1-1.06 1.06L2.22 3.28a.75.75 0 0 1 0-1.06Z"})])}function xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a4 4 0 0 1 4 4v2.379c0 .398.158.779.44 1.06l1.267 1.268a1 1 0 0 1 .293.707V11a1 1 0 0 1-1 1h-2a3 3 0 1 1-6 0H3a1 1 0 0 1-1-1v-.586a1 1 0 0 1 .293-.707L3.56 8.44A1.5 1.5 0 0 0 4 7.38V5a4 4 0 0 1 4-4Zm0 12.5A1.5 1.5 0 0 1 6.5 12h3A1.5 1.5 0 0 1 8 13.5ZM6.75 4a.75.75 0 0 0 0 1.5h1.043L6.14 7.814A.75.75 0 0 0 6.75 9h2.5a.75.75 0 1 0 0-1.5H8.207L9.86 5.186A.75.75 0 0 0 9.25 4h-2.5Z","clip-rule":"evenodd"})])}function ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 5a4 4 0 0 0-8 0v2.379a1.5 1.5 0 0 1-.44 1.06L2.294 9.707a1 1 0 0 0-.293.707V11a1 1 0 0 0 1 1h2a3 3 0 1 0 6 0h2a1 1 0 0 0 1-1v-.586a1 1 0 0 0-.293-.707L12.44 8.44A1.5 1.5 0 0 1 12 7.38V5Zm-5.5 7a1.5 1.5 0 0 0 3 0h-3Z","clip-rule":"evenodd"})])}function Ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a1 1 0 0 1 1-1h5a3.5 3.5 0 0 1 2.843 5.541A3.75 3.75 0 0 1 9.25 14H4a1 1 0 0 1-1-1V3Zm2.5 3.5v-2H9a1 1 0 0 1 0 2H5.5Zm0 2.5v2.5h3.75a1.25 1.25 0 1 0 0-2.5H5.5Z","clip-rule":"evenodd"})])}function Ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9.58 1.077a.75.75 0 0 1 .405.82L9.165 6h4.085a.75.75 0 0 1 .567 1.241l-1.904 2.197L6.385 3.91 8.683 1.26a.75.75 0 0 1 .897-.182ZM4.087 6.562l5.528 5.528-2.298 2.651a.75.75 0 0 1-1.302-.638L6.835 10H2.75a.75.75 0 0 1-.567-1.241l1.904-2.197ZM2.22 2.22a.75.75 0 0 1 1.06 0l10.5 10.5a.75.75 0 1 1-1.06 1.06L2.22 3.28a.75.75 0 0 1 0-1.06Z"})])}function Ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.58 1.077a.75.75 0 0 1 .405.82L9.165 6h4.085a.75.75 0 0 1 .567 1.241l-6.5 7.5a.75.75 0 0 1-1.302-.638L6.835 10H2.75a.75.75 0 0 1-.567-1.241l6.5-7.5a.75.75 0 0 1 .897-.182Z","clip-rule":"evenodd"})])}function Be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.25 3.688a8.035 8.035 0 0 0-4.872-.523A.48.48 0 0 0 2 3.64v7.994c0 .345.342.588.679.512a6.02 6.02 0 0 1 4.571.81V3.688ZM8.75 12.956a6.02 6.02 0 0 1 4.571-.81c.337.075.679-.167.679-.512V3.64a.48.48 0 0 0-.378-.475 8.034 8.034 0 0 0-4.872.523v9.268Z"})])}function Me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13 2.75v7.775L4.475 2h7.775a.75.75 0 0 1 .75.75ZM3 13.25V5.475l4.793 4.793L4.28 13.78A.75.75 0 0 1 3 13.25ZM2.22 2.22a.75.75 0 0 1 1.06 0l10.5 10.5a.75.75 0 1 1-1.06 1.06L2.22 3.28a.75.75 0 0 1 0-1.06Z"})])}function _e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H4Zm1 2.25a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 .75.75v6a.75.75 0 0 1-1.28.53L8 9.06l-1.72 1.72A.75.75 0 0 1 5 10.25v-6Z","clip-rule":"evenodd"})])}function Se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.75 2a.75.75 0 0 0-.75.75v10.5a.75.75 0 0 0 1.28.53L8 10.06l3.72 3.72a.75.75 0 0 0 1.28-.53V2.75a.75.75 0 0 0-.75-.75h-8.5Z"})])}function Ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11 4V3a2 2 0 0 0-2-2H7a2 2 0 0 0-2 2v1H4a2 2 0 0 0-2 2v3a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V6a2 2 0 0 0-2-2h-1ZM9 2.5H7a.5.5 0 0 0-.5.5v1h3V3a.5.5 0 0 0-.5-.5ZM9 9a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M3 11.83V12a2 2 0 0 0 2 2h6a2 2 0 0 0 2-2v-.17c-.313.11-.65.17-1 .17H4c-.35 0-.687-.06-1-.17Z"})])}function Ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.983 1.364a.75.75 0 0 0-1.281.78c.096.158.184.321.264.489a5.48 5.48 0 0 1-.713.386A2.993 2.993 0 0 0 8 2c-.898 0-1.703.394-2.253 1.02a5.485 5.485 0 0 1-.713-.387c.08-.168.168-.33.264-.489a.75.75 0 1 0-1.28-.78c-.245.401-.45.83-.61 1.278a.75.75 0 0 0 .239.84 7 7 0 0 0 1.422.876A3.01 3.01 0 0 0 5 5c0 .126.072.24.183.3.386.205.796.37 1.227.487-.126.165-.227.35-.297.549A10.418 10.418 0 0 1 3.51 5.5a10.686 10.686 0 0 1-.008-.733.75.75 0 0 0-1.5-.033 12.222 12.222 0 0 0 .041 1.31.75.75 0 0 0 .4.6A11.922 11.922 0 0 0 6.199 7.87c.04.084.088.166.14.243l-.214.031-.027.005c-1.299.207-2.529.622-3.654 1.211a.75.75 0 0 0-.4.6 12.148 12.148 0 0 0 .197 3.443.75.75 0 0 0 1.47-.299 10.551 10.551 0 0 1-.2-2.6c.352-.167.714-.314 1.085-.441-.063.3-.096.614-.096.936 0 2.21 1.567 4 3.5 4s3.5-1.79 3.5-4c0-.322-.034-.636-.097-.937.372.128.734.275 1.085.442a10.703 10.703 0 0 1-.199 2.6.75.75 0 1 0 1.47.3 12.049 12.049 0 0 0 .197-3.443.75.75 0 0 0-.4-.6 11.921 11.921 0 0 0-3.671-1.215l-.011-.002a11.95 11.95 0 0 0-.213-.03c.052-.078.1-.16.14-.244 1.336-.202 2.6-.623 3.755-1.227a.75.75 0 0 0 .4-.6 12.178 12.178 0 0 0 .041-1.31.75.75 0 0 0-1.5.033 11.061 11.061 0 0 1-.008.733c-.815.386-1.688.67-2.602.836-.07-.2-.17-.384-.297-.55.43-.117.842-.282 1.228-.488A.34.34 0 0 0 11 5c0-.22-.024-.435-.069-.642a7 7 0 0 0 1.422-.876.75.75 0 0 0 .24-.84 6.97 6.97 0 0 0-.61-1.278Z"})])}function Le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.605 2.112a.75.75 0 0 1 .79 0l5.25 3.25A.75.75 0 0 1 13 6.707V12.5h.25a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1 0-1.5H3V6.707a.75.75 0 0 1-.645-1.345l5.25-3.25ZM4.5 8.75a.75.75 0 0 1 1.5 0v3a.75.75 0 0 1-1.5 0v-3ZM8 8a.75.75 0 0 0-.75.75v3a.75.75 0 0 0 1.5 0v-3A.75.75 0 0 0 8 8Zm2 .75a.75.75 0 0 1 1.5 0v3a.75.75 0 0 1-1.5 0v-3ZM8 6a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function Te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.75 2a.75.75 0 0 0 0 1.5H2v9h-.25a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 .75-.75v-1.5a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 .75.75v1.5c0 .414.336.75.75.75h.5a.75.75 0 0 0 .75-.75V3.5h.25a.75.75 0 0 0 0-1.5h-7.5ZM3.5 5.5A.5.5 0 0 1 4 5h.5a.5.5 0 0 1 .5.5V6a.5.5 0 0 1-.5.5H4a.5.5 0 0 1-.5-.5v-.5Zm.5 2a.5.5 0 0 0-.5.5v.5A.5.5 0 0 0 4 9h.5a.5.5 0 0 0 .5-.5V8a.5.5 0 0 0-.5-.5H4Zm2-2a.5.5 0 0 1 .5-.5H7a.5.5 0 0 1 .5.5V6a.5.5 0 0 1-.5.5h-.5A.5.5 0 0 1 6 6v-.5Zm.5 2A.5.5 0 0 0 6 8v.5a.5.5 0 0 0 .5.5H7a.5.5 0 0 0 .5-.5V8a.5.5 0 0 0-.5-.5h-.5ZM11.5 6a1 1 0 0 0-1 1v6a1 1 0 0 0 1 1h2.75a.75.75 0 0 0 0-1.5H14v-5h.25a.75.75 0 0 0 0-1.5H11.5Zm.5 1.5h.5a.5.5 0 0 1 .5.5v.5a.5.5 0 0 1-.5.5H12a.5.5 0 0 1-.5-.5V8a.5.5 0 0 1 .5-.5Zm0 2.5a.5.5 0 0 0-.5.5v.5a.5.5 0 0 0 .5.5h.5a.5.5 0 0 0 .5-.5v-.5a.5.5 0 0 0-.5-.5H12Z","clip-rule":"evenodd"})])}function Ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 2a.75.75 0 0 0 0 1.5H4v9h-.25a.75.75 0 0 0 0 1.5H6a.5.5 0 0 0 .5-.5v-3A.5.5 0 0 1 7 10h2a.5.5 0 0 1 .5.5v3a.5.5 0 0 0 .5.5h2.25a.75.75 0 0 0 0-1.5H12v-9h.25a.75.75 0 0 0 0-1.5h-8.5ZM6.5 4a.5.5 0 0 0-.5.5V5a.5.5 0 0 0 .5.5H7a.5.5 0 0 0 .5-.5v-.5A.5.5 0 0 0 7 4h-.5ZM6 7a.5.5 0 0 1 .5-.5H7a.5.5 0 0 1 .5.5v.5A.5.5 0 0 1 7 8h-.5a.5.5 0 0 1-.5-.5V7Zm3-3a.5.5 0 0 0-.5.5V5a.5.5 0 0 0 .5.5h.5A.5.5 0 0 0 10 5v-.5a.5.5 0 0 0-.5-.5H9Zm-.5 3a.5.5 0 0 1 .5-.5h.5a.5.5 0 0 1 .5.5v.5a.5.5 0 0 1-.5.5H9a.5.5 0 0 1-.5-.5V7Z","clip-rule":"evenodd"})])}function Ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.5 7c.681 0 1.3-.273 1.75-.715C6.7 6.727 7.319 7 8 7s1.3-.273 1.75-.715A2.5 2.5 0 1 0 11.5 2h-7a2.5 2.5 0 0 0 0 5ZM6.25 8.097A3.986 3.986 0 0 1 4.5 8.5c-.53 0-1.037-.103-1.5-.29v4.29h-.25a.75.75 0 0 0 0 1.5h.5a.754.754 0 0 0 .138-.013A.5.5 0 0 0 3.5 14H6a.5.5 0 0 0 .5-.5v-3A.5.5 0 0 1 7 10h2a.5.5 0 0 1 .5.5v3a.5.5 0 0 0 .5.5h2.5a.5.5 0 0 0 .112-.013c.045.009.09.013.138.013h.5a.75.75 0 1 0 0-1.5H13V8.21c-.463.187-.97.29-1.5.29a3.986 3.986 0 0 1-1.75-.403A3.986 3.986 0 0 1 8 8.5a3.986 3.986 0 0 1-1.75-.403Z"})])}function Oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m4.75 1-.884.884a1.25 1.25 0 1 0 1.768 0L4.75 1ZM11.25 1l-.884.884a1.25 1.25 0 1 0 1.768 0L11.25 1ZM8.884 1.884 8 1l-.884.884a1.25 1.25 0 1 0 1.768 0ZM4 7a2 2 0 0 0-2 2v1.034c.347 0 .694-.056 1.028-.167l.47-.157a4.75 4.75 0 0 1 3.004 0l.47.157a3.25 3.25 0 0 0 2.056 0l.47-.157a4.75 4.75 0 0 1 3.004 0l.47.157c.334.111.681.167 1.028.167V9a2 2 0 0 0-2-2V5.75a.75.75 0 0 0-1.5 0V7H8.75V5.75a.75.75 0 0 0-1.5 0V7H5.5V5.75a.75.75 0 0 0-1.5 0V7ZM14 11.534a4.749 4.749 0 0 1-1.502-.244l-.47-.157a3.25 3.25 0 0 0-2.056 0l-.47.157a4.75 4.75 0 0 1-3.004 0l-.47-.157a3.25 3.25 0 0 0-2.056 0l-.47.157A4.748 4.748 0 0 1 2 11.534V13a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1v-1.466Z"})])}function De(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 1a2 2 0 0 0-2 2v10a2 2 0 0 0 2 2h6a2 2 0 0 0 2-2V3a2 2 0 0 0-2-2H5Zm.75 6a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5ZM5 3.75A.75.75 0 0 1 5.75 3h4.5a.75.75 0 0 1 0 1.5h-4.5A.75.75 0 0 1 5 3.75Zm.75 7.75a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5ZM5 10a.75.75 0 1 1 1.5 0A.75.75 0 0 1 5 10Zm5.25-3a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5Zm-.75 3a.75.75 0 0 1 1.5 0v2.25a.75.75 0 0 1-1.5 0V10ZM8 7a.75.75 0 1 0 0 1.5A.75.75 0 0 0 8 7Zm-.75 5.25a.75.75 0 1 1 1.5 0 .75.75 0 0 1-1.5 0Zm.75-3a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5Z","clip-rule":"evenodd"})])}function Re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.75 7.5a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5ZM7.25 8.25A.75.75 0 0 1 8 7.5h2.25a.75.75 0 0 1 0 1.5H8a.75.75 0 0 1-.75-.75ZM5.75 9.5a.75.75 0 0 0 0 1.5H8a.75.75 0 0 0 0-1.5H5.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.75 1a.75.75 0 0 0-.75.75V3a2 2 0 0 0-2 2v7a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V5a2 2 0 0 0-2-2V1.75a.75.75 0 0 0-1.5 0V3h-5V1.75A.75.75 0 0 0 4.75 1ZM3.5 7a1 1 0 0 1 1-1h7a1 1 0 0 1 1 1v4.5a1 1 0 0 1-1 1h-7a1 1 0 0 1-1-1V7Z","clip-rule":"evenodd"})])}function He(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.75 7.5a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5ZM5 10.25a.75.75 0 1 1 1.5 0 .75.75 0 0 1-1.5 0ZM10.25 7.5a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5ZM7.25 8.25a.75.75 0 1 1 1.5 0 .75.75 0 0 1-1.5 0ZM8 9.5A.75.75 0 1 0 8 11a.75.75 0 0 0 0-1.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.75 1a.75.75 0 0 0-.75.75V3a2 2 0 0 0-2 2v7a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V5a2 2 0 0 0-2-2V1.75a.75.75 0 0 0-1.5 0V3h-5V1.75A.75.75 0 0 0 4.75 1ZM3.5 7a1 1 0 0 1 1-1h7a1 1 0 0 1 1 1v4.5a1 1 0 0 1-1 1h-7a1 1 0 0 1-1-1V7Z","clip-rule":"evenodd"})])}function Pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 1.75a.75.75 0 0 1 1.5 0V3h5V1.75a.75.75 0 0 1 1.5 0V3a2 2 0 0 1 2 2v7a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V5a2 2 0 0 1 2-2V1.75ZM4.5 6a1 1 0 0 0-1 1v4.5a1 1 0 0 0 1 1h7a1 1 0 0 0 1-1V7a1 1 0 0 0-1-1h-7Z","clip-rule":"evenodd"})])}function je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9.5 8.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 5A1.5 1.5 0 0 0 1 6.5v5A1.5 1.5 0 0 0 2.5 13h11a1.5 1.5 0 0 0 1.5-1.5v-5A1.5 1.5 0 0 0 13.5 5h-.879a1.5 1.5 0 0 1-1.06-.44l-1.122-1.12A1.5 1.5 0 0 0 9.38 3H6.62a1.5 1.5 0 0 0-1.06.44L4.439 4.56A1.5 1.5 0 0 1 3.38 5H2.5ZM11 8.5a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z","clip-rule":"evenodd"})])}function Fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H4Zm.75 7a.75.75 0 0 0-.75.75v1.5a.75.75 0 0 0 1.5 0v-1.5A.75.75 0 0 0 4.75 9Zm2.5-1.75a.75.75 0 0 1 1.5 0v4a.75.75 0 0 1-1.5 0v-4Zm4-3.25a.75.75 0 0 0-.75.75v6.5a.75.75 0 0 0 1.5 0v-6.5a.75.75 0 0 0-.75-.75Z","clip-rule":"evenodd"})])}function ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 2a1 1 0 0 0-1 1v10a1 1 0 0 0 1 1h1a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1h-1ZM6.5 6a1 1 0 0 1 1-1h1a1 1 0 0 1 1 1v7a1 1 0 0 1-1 1h-1a1 1 0 0 1-1-1V6ZM2 9a1 1 0 0 1 1-1h1a1 1 0 0 1 1 1v4a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V9Z"})])}function qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.975 6.5c.028.276-.199.5-.475.5h-4a.5.5 0 0 1-.5-.5v-4c0-.276.225-.503.5-.475A5.002 5.002 0 0 1 13.974 6.5Z"}),(0,r.createElementVNode)("path",{d:"M6.5 4.025c.276-.028.5.199.5.475v4a.5.5 0 0 0 .5.5h4c.276 0 .503.225.475.5a5 5 0 1 1-5.474-5.475Z"})])}function Ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 8.74c0 .983.713 1.825 1.69 1.943.904.108 1.817.19 2.737.243.363.02.688.231.85.556l1.052 2.103a.75.75 0 0 0 1.342 0l1.052-2.103c.162-.325.487-.535.85-.556.92-.053 1.833-.134 2.738-.243.976-.118 1.689-.96 1.689-1.942V4.259c0-.982-.713-1.824-1.69-1.942a44.45 44.45 0 0 0-10.62 0C1.712 2.435 1 3.277 1 4.26v4.482Zm3-3.49a.75.75 0 0 1 .75-.75h6.5a.75.75 0 0 1 0 1.5h-6.5A.75.75 0 0 1 4 5.25ZM4.75 7a.75.75 0 0 0 0 1.5h2.5a.75.75 0 0 0 0-1.5h-2.5Z","clip-rule":"evenodd"})])}function $e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 8.74c0 .983.713 1.825 1.69 1.943.904.108 1.817.19 2.737.243.363.02.688.231.85.556l1.052 2.103a.75.75 0 0 0 1.342 0l1.052-2.103c.162-.325.487-.535.85-.556.92-.053 1.833-.134 2.738-.243.976-.118 1.689-.96 1.689-1.942V4.259c0-.982-.713-1.824-1.69-1.942a44.45 44.45 0 0 0-10.62 0C1.712 2.435 1 3.277 1 4.26v4.482Z"})])}function We(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 8.74c0 .983.713 1.825 1.69 1.943.764.092 1.534.164 2.31.216v2.351a.75.75 0 0 0 1.28.53l2.51-2.51c.182-.181.427-.286.684-.294a44.298 44.298 0 0 0 3.837-.293C14.287 10.565 15 9.723 15 8.74V4.26c0-.983-.713-1.825-1.69-1.943a44.447 44.447 0 0 0-10.62 0C1.712 2.435 1 3.277 1 4.26v4.482ZM5.5 6.5a1 1 0 1 1-2 0 1 1 0 0 1 2 0Zm2.5 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2Zm3.5 0a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function Ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 8.849c0 1 .738 1.851 1.734 1.947L3 10.82v2.429a.75.75 0 0 0 1.28.53l1.82-1.82A3.484 3.484 0 0 1 5.5 10V9A3.5 3.5 0 0 1 9 5.5h4V4.151c0-1-.739-1.851-1.734-1.947a44.539 44.539 0 0 0-8.532 0C1.738 2.3 1 3.151 1 4.151V8.85Z"}),(0,r.createElementVNode)("path",{d:"M7 9a2 2 0 0 1 2-2h4a2 2 0 0 1 2 2v1a2 2 0 0 1-2 2h-.25v1.25a.75.75 0 0 1-1.28.53L9.69 12H9a2 2 0 0 1-2-2V9Z"})])}function Ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 8.74c0 .983.713 1.825 1.69 1.943.764.092 1.534.164 2.31.216v2.351a.75.75 0 0 0 1.28.53l2.51-2.51c.182-.181.427-.286.684-.294a44.298 44.298 0 0 0 3.837-.293C14.287 10.565 15 9.723 15 8.74V4.26c0-.983-.713-1.825-1.69-1.943a44.447 44.447 0 0 0-10.62 0C1.712 2.435 1 3.277 1 4.26v4.482Z"})])}function Ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 2C4.262 2 1 4.57 1 8c0 1.86.98 3.486 2.455 4.566a3.472 3.472 0 0 1-.469 1.26.75.75 0 0 0 .713 1.14 6.961 6.961 0 0 0 3.06-1.06c.403.062.818.094 1.241.094 3.738 0 7-2.57 7-6s-3.262-6-7-6ZM5 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2Zm7-1a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM8 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function Xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 8c0-3.43 3.262-6 7-6s7 2.57 7 6-3.262 6-7 6c-.423 0-.838-.032-1.241-.094-.9.574-1.941.948-3.06 1.06a.75.75 0 0 1-.713-1.14c.232-.378.395-.804.469-1.26C1.979 11.486 1 9.86 1 8Z","clip-rule":"evenodd"})])}function Je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8c0 .982-.472 1.854-1.202 2.402a2.995 2.995 0 0 1-.848 2.547 2.995 2.995 0 0 1-2.548.849A2.996 2.996 0 0 1 8 15a2.996 2.996 0 0 1-2.402-1.202 2.995 2.995 0 0 1-2.547-.848 2.995 2.995 0 0 1-.849-2.548A2.996 2.996 0 0 1 1 8c0-.982.472-1.854 1.202-2.402a2.995 2.995 0 0 1 .848-2.547 2.995 2.995 0 0 1 2.548-.849A2.995 2.995 0 0 1 8 1c.982 0 1.854.472 2.402 1.202a2.995 2.995 0 0 1 2.547.848c.695.695.978 1.645.849 2.548A2.996 2.996 0 0 1 15 8Zm-3.291-2.843a.75.75 0 0 1 .135 1.052l-4.25 5.5a.75.75 0 0 1-1.151.043l-2.25-2.5a.75.75 0 1 1 1.114-1.004l1.65 1.832 3.7-4.789a.75.75 0 0 1 1.052-.134Z","clip-rule":"evenodd"})])}function Qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14Zm3.844-8.791a.75.75 0 0 0-1.188-.918l-3.7 4.79-1.649-1.833a.75.75 0 1 0-1.114 1.004l2.25 2.5a.75.75 0 0 0 1.15-.043l4.25-5.5Z","clip-rule":"evenodd"})])}function et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.416 3.376a.75.75 0 0 1 .208 1.04l-5 7.5a.75.75 0 0 1-1.154.114l-3-3a.75.75 0 0 1 1.06-1.06l2.353 2.353 4.493-6.74a.75.75 0 0 1 1.04-.207Z","clip-rule":"evenodd"})])}function tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.47 12.78a.75.75 0 0 0 1.06 0l3.25-3.25a.75.75 0 0 0-1.06-1.06L8 11.19 5.28 8.47a.75.75 0 0 0-1.06 1.06l3.25 3.25ZM4.22 4.53l3.25 3.25a.75.75 0 0 0 1.06 0l3.25-3.25a.75.75 0 0 0-1.06-1.06L8 6.19 5.28 3.47a.75.75 0 0 0-1.06 1.06Z","clip-rule":"evenodd"})])}function nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.22 7.595a.75.75 0 0 0 0 1.06l3.25 3.25a.75.75 0 0 0 1.06-1.06l-2.72-2.72 2.72-2.72a.75.75 0 0 0-1.06-1.06l-3.25 3.25Zm8.25-3.25-3.25 3.25a.75.75 0 0 0 0 1.06l3.25 3.25a.75.75 0 1 0 1.06-1.06l-2.72-2.72 2.72-2.72a.75.75 0 0 0-1.06-1.06Z","clip-rule":"evenodd"})])}function rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.78 7.595a.75.75 0 0 1 0 1.06l-3.25 3.25a.75.75 0 0 1-1.06-1.06l2.72-2.72-2.72-2.72a.75.75 0 0 1 1.06-1.06l3.25 3.25Zm-8.25-3.25 3.25 3.25a.75.75 0 0 1 0 1.06l-3.25 3.25a.75.75 0 0 1-1.06-1.06l2.72-2.72-2.72-2.72a.75.75 0 0 1 1.06-1.06Z","clip-rule":"evenodd"})])}function ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.47 3.22a.75.75 0 0 1 1.06 0l3.25 3.25a.75.75 0 0 1-1.06 1.06L8 4.81 5.28 7.53a.75.75 0 0 1-1.06-1.06l3.25-3.25Zm-3.25 8.25 3.25-3.25a.75.75 0 0 1 1.06 0l3.25 3.25a.75.75 0 1 1-1.06 1.06L8 9.81l-2.72 2.72a.75.75 0 0 1-1.06-1.06Z","clip-rule":"evenodd"})])}function it(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.22 6.22a.75.75 0 0 1 1.06 0L8 8.94l2.72-2.72a.75.75 0 1 1 1.06 1.06l-3.25 3.25a.75.75 0 0 1-1.06 0L4.22 7.28a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function at(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.78 4.22a.75.75 0 0 1 0 1.06L7.06 8l2.72 2.72a.75.75 0 1 1-1.06 1.06L5.47 8.53a.75.75 0 0 1 0-1.06l3.25-3.25a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.22 4.22a.75.75 0 0 1 1.06 0l3.25 3.25a.75.75 0 0 1 0 1.06l-3.25 3.25a.75.75 0 0 1-1.06-1.06L8.94 8 6.22 5.28a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function st(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.22 10.22a.75.75 0 0 1 1.06 0L8 11.94l1.72-1.72a.75.75 0 1 1 1.06 1.06l-2.25 2.25a.75.75 0 0 1-1.06 0l-2.25-2.25a.75.75 0 0 1 0-1.06ZM10.78 5.78a.75.75 0 0 1-1.06 0L8 4.06 6.28 5.78a.75.75 0 0 1-1.06-1.06l2.25-2.25a.75.75 0 0 1 1.06 0l2.25 2.25a.75.75 0 0 1 0 1.06Z","clip-rule":"evenodd"})])}function ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.78 9.78a.75.75 0 0 1-1.06 0L8 7.06 5.28 9.78a.75.75 0 0 1-1.06-1.06l3.25-3.25a.75.75 0 0 1 1.06 0l3.25 3.25a.75.75 0 0 1 0 1.06Z","clip-rule":"evenodd"})])}function ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 7c3.314 0 6-1.343 6-3s-2.686-3-6-3-6 1.343-6 3 2.686 3 6 3Z"}),(0,r.createElementVNode)("path",{d:"M8 8.5c1.84 0 3.579-.37 4.914-1.037A6.33 6.33 0 0 0 14 6.78V8c0 1.657-2.686 3-6 3S2 9.657 2 8V6.78c.346.273.72.5 1.087.683C4.42 8.131 6.16 8.5 8 8.5Z"}),(0,r.createElementVNode)("path",{d:"M8 12.5c1.84 0 3.579-.37 4.914-1.037.366-.183.74-.41 1.086-.684V12c0 1.657-2.686 3-6 3s-6-1.343-6-3v-1.22c.346.273.72.5 1.087.683C4.42 12.131 6.16 12.5 8 12.5Z"})])}function dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.986 3H12a2 2 0 0 1 2 2v6a2 2 0 0 1-1.5 1.937V7A2.5 2.5 0 0 0 10 4.5H4.063A2 2 0 0 1 6 3h.014A2.25 2.25 0 0 1 8.25 1h1.5a2.25 2.25 0 0 1 2.236 2ZM10.5 4v-.75a.75.75 0 0 0-.75-.75h-1.5a.75.75 0 0 0-.75.75V4h3Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 7a1 1 0 0 1 1-1h7a1 1 0 0 1 1 1v7a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V7Zm6.585 1.08a.75.75 0 0 1 .336 1.005l-1.75 3.5a.75.75 0 0 1-1.16.234l-1.75-1.5a.75.75 0 0 1 .977-1.139l1.02.875 1.321-2.64a.75.75 0 0 1 1.006-.336Z","clip-rule":"evenodd"})])}function ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.986 3H12a2 2 0 0 1 2 2v6a2 2 0 0 1-1.5 1.937V7A2.5 2.5 0 0 0 10 4.5H4.063A2 2 0 0 1 6 3h.014A2.25 2.25 0 0 1 8.25 1h1.5a2.25 2.25 0 0 1 2.236 2ZM10.5 4v-.75a.75.75 0 0 0-.75-.75h-1.5a.75.75 0 0 0-.75.75V4h3Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6a1 1 0 0 0-1 1v7a1 1 0 0 0 1 1h7a1 1 0 0 0 1-1V7a1 1 0 0 0-1-1H3Zm1.75 2.5a.75.75 0 0 0 0 1.5h3.5a.75.75 0 0 0 0-1.5h-3.5ZM4 11.75a.75.75 0 0 1 .75-.75h3.5a.75.75 0 0 1 0 1.5h-3.5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.986 3H12a2 2 0 0 1 2 2v6a2 2 0 0 1-1.5 1.937v-2.523a2.5 2.5 0 0 0-.732-1.768L8.354 5.232A2.5 2.5 0 0 0 6.586 4.5H4.063A2 2 0 0 1 6 3h.014A2.25 2.25 0 0 1 8.25 1h1.5a2.25 2.25 0 0 1 2.236 2ZM10.5 4v-.75a.75.75 0 0 0-.75-.75h-1.5a.75.75 0 0 0-.75.75V4h3Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M3 6a1 1 0 0 0-1 1v7a1 1 0 0 0 1 1h7a1 1 0 0 0 1-1v-3.586a1 1 0 0 0-.293-.707L7.293 6.293A1 1 0 0 0 6.586 6H3Z"})])}function ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.986 3H12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V5a2 2 0 0 1 2-2h1.014A2.25 2.25 0 0 1 7.25 1h1.5a2.25 2.25 0 0 1 2.236 2ZM9.5 4v-.75a.75.75 0 0 0-.75-.75h-1.5a.75.75 0 0 0-.75.75V4h3Z","clip-rule":"evenodd"})])}function mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 8a7 7 0 1 1 14 0A7 7 0 0 1 1 8Zm7.75-4.25a.75.75 0 0 0-1.5 0V8c0 .414.336.75.75.75h3.25a.75.75 0 0 0 0-1.5h-2.5v-3.5Z","clip-rule":"evenodd"})])}function vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 13a3.5 3.5 0 0 1-1.41-6.705A3.5 3.5 0 0 1 9.72 4.124a2.5 2.5 0 0 1 3.197 3.018A3.001 3.001 0 0 1 12 13H4.5Zm6.28-3.97a.75.75 0 1 0-1.06-1.06l-.97.97V6.25a.75.75 0 0 0-1.5 0v2.69l-.97-.97a.75.75 0 0 0-1.06 1.06l2.25 2.25a.75.75 0 0 0 1.06 0l2.25-2.25Z","clip-rule":"evenodd"})])}function gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 13a3.5 3.5 0 0 1-1.41-6.705A3.5 3.5 0 0 1 9.72 4.124a2.5 2.5 0 0 1 3.197 3.018A3.001 3.001 0 0 1 12 13H4.5Zm.72-5.03a.75.75 0 0 0 1.06 1.06l.97-.97v2.69a.75.75 0 0 0 1.5 0V8.06l.97.97a.75.75 0 1 0 1.06-1.06L8.53 5.72a.75.75 0 0 0-1.06 0L5.22 7.97Z","clip-rule":"evenodd"})])}function wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 9.5A3.5 3.5 0 0 0 4.5 13H12a3 3 0 0 0 .917-5.857 2.503 2.503 0 0 0-3.198-3.019 3.5 3.5 0 0 0-6.628 2.171A3.5 3.5 0 0 0 1 9.5Z"})])}function yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V4Zm4.78 1.97a.75.75 0 0 1 0 1.06L5.81 8l.97.97a.75.75 0 1 1-1.06 1.06l-1.5-1.5a.75.75 0 0 1 0-1.06l1.5-1.5a.75.75 0 0 1 1.06 0Zm2.44 1.06a.75.75 0 0 1 1.06-1.06l1.5 1.5a.75.75 0 0 1 0 1.06l-1.5 1.5a.75.75 0 1 1-1.06-1.06l.97-.97-.97-.97Z","clip-rule":"evenodd"})])}function bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.78 4.97a.75.75 0 0 1 0 1.06L2.81 8l1.97 1.97a.75.75 0 1 1-1.06 1.06l-2.5-2.5a.75.75 0 0 1 0-1.06l2.5-2.5a.75.75 0 0 1 1.06 0ZM11.22 4.97a.75.75 0 0 0 0 1.06L13.19 8l-1.97 1.97a.75.75 0 1 0 1.06 1.06l2.5-2.5a.75.75 0 0 0 0-1.06l-2.5-2.5a.75.75 0 0 0-1.06 0ZM8.856 2.008a.75.75 0 0 1 .636.848l-1.5 10.5a.75.75 0 0 1-1.484-.212l1.5-10.5a.75.75 0 0 1 .848-.636Z","clip-rule":"evenodd"})])}function xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.455 1.45A.5.5 0 0 1 6.952 1h2.096a.5.5 0 0 1 .497.45l.186 1.858a4.996 4.996 0 0 1 1.466.848l1.703-.769a.5.5 0 0 1 .639.206l1.047 1.814a.5.5 0 0 1-.14.656l-1.517 1.09a5.026 5.026 0 0 1 0 1.694l1.516 1.09a.5.5 0 0 1 .141.656l-1.047 1.814a.5.5 0 0 1-.639.206l-1.703-.768c-.433.36-.928.649-1.466.847l-.186 1.858a.5.5 0 0 1-.497.45H6.952a.5.5 0 0 1-.497-.45l-.186-1.858a4.993 4.993 0 0 1-1.466-.848l-1.703.769a.5.5 0 0 1-.639-.206l-1.047-1.814a.5.5 0 0 1 .14-.656l1.517-1.09a5.033 5.033 0 0 1 0-1.694l-1.516-1.09a.5.5 0 0 1-.141-.656L2.46 3.593a.5.5 0 0 1 .639-.206l1.703.769c.433-.36.928-.65 1.466-.848l.186-1.858Zm-.177 7.567-.022-.037a2 2 0 0 1 3.466-1.997l.022.037a2 2 0 0 1-3.466 1.997Z","clip-rule":"evenodd"})])}function kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.955 1.45A.5.5 0 0 1 7.452 1h1.096a.5.5 0 0 1 .497.45l.17 1.699c.484.12.94.312 1.356.562l1.321-1.081a.5.5 0 0 1 .67.033l.774.775a.5.5 0 0 1 .034.67l-1.08 1.32c.25.417.44.873.561 1.357l1.699.17a.5.5 0 0 1 .45.497v1.096a.5.5 0 0 1-.45.497l-1.699.17c-.12.484-.312.94-.562 1.356l1.082 1.322a.5.5 0 0 1-.034.67l-.774.774a.5.5 0 0 1-.67.033l-1.322-1.08c-.416.25-.872.44-1.356.561l-.17 1.699a.5.5 0 0 1-.497.45H7.452a.5.5 0 0 1-.497-.45l-.17-1.699a4.973 4.973 0 0 1-1.356-.562L4.108 13.37a.5.5 0 0 1-.67-.033l-.774-.775a.5.5 0 0 1-.034-.67l1.08-1.32a4.971 4.971 0 0 1-.561-1.357l-1.699-.17A.5.5 0 0 1 1 8.548V7.452a.5.5 0 0 1 .45-.497l1.699-.17c.12-.484.312-.94.562-1.356L2.629 4.107a.5.5 0 0 1 .034-.67l.774-.774a.5.5 0 0 1 .67-.033L5.43 3.71a4.97 4.97 0 0 1 1.356-.561l.17-1.699ZM6 8c0 .538.212 1.026.558 1.385l.057.057a2 2 0 0 0 2.828-2.828l-.058-.056A2 2 0 0 0 6 8Z","clip-rule":"evenodd"})])}function Et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 1.938a.75.75 0 0 1 1.025.274l.652 1.131c.351-.138.71-.233 1.073-.288V1.75a.75.75 0 0 1 1.5 0v1.306a5.03 5.03 0 0 1 1.072.288l.654-1.132a.75.75 0 1 1 1.298.75l-.652 1.13c.286.23.55.492.785.786l1.13-.653a.75.75 0 1 1 .75 1.3l-1.13.652c.137.351.233.71.288 1.073h1.305a.75.75 0 0 1 0 1.5h-1.306a5.032 5.032 0 0 1-.288 1.072l1.132.654a.75.75 0 0 1-.75 1.298l-1.13-.652c-.23.286-.492.55-.786.785l.652 1.13a.75.75 0 0 1-1.298.75l-.653-1.13c-.351.137-.71.233-1.073.288v1.305a.75.75 0 0 1-1.5 0v-1.306a5.032 5.032 0 0 1-1.072-.288l-.653 1.132a.75.75 0 0 1-1.3-.75l.653-1.13a4.966 4.966 0 0 1-.785-.786l-1.13.652a.75.75 0 0 1-.75-1.298l1.13-.653a4.965 4.965 0 0 1-.288-1.073H1.75a.75.75 0 0 1 0-1.5h1.306a5.03 5.03 0 0 1 .288-1.072l-1.132-.653a.75.75 0 0 1 .75-1.3l1.13.653c.23-.286.492-.55.786-.785l-.653-1.13A.75.75 0 0 1 4.5 1.937Zm1.14 3.476a3.501 3.501 0 0 0 0 5.172L7.135 8 5.641 5.414ZM8.434 8.75 6.94 11.336a3.491 3.491 0 0 0 2.81-.305 3.49 3.49 0 0 0 1.669-2.281H8.433Zm2.987-1.5H8.433L6.94 4.664a3.501 3.501 0 0 1 4.48 2.586Z","clip-rule":"evenodd"})])}function At(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V4Zm2.22 1.97a.75.75 0 0 0 0 1.06l.97.97-.97.97a.75.75 0 1 0 1.06 1.06l1.5-1.5a.75.75 0 0 0 0-1.06l-1.5-1.5a.75.75 0 0 0-1.06 0ZM8.75 8.5a.75.75 0 0 0 0 1.5h2.5a.75.75 0 0 0 0-1.5h-2.5Z","clip-rule":"evenodd"})])}function Ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.25A2.25 2.25 0 0 1 4.25 2h7.5A2.25 2.25 0 0 1 14 4.25v5.5A2.25 2.25 0 0 1 11.75 12h-1.312c.1.128.21.248.328.36a.75.75 0 0 1 .234.545v.345a.75.75 0 0 1-.75.75h-4.5a.75.75 0 0 1-.75-.75v-.345a.75.75 0 0 1 .234-.545c.118-.111.228-.232.328-.36H4.25A2.25 2.25 0 0 1 2 9.75v-5.5Zm2.25-.75a.75.75 0 0 0-.75.75v4.5c0 .414.336.75.75.75h7.5a.75.75 0 0 0 .75-.75v-4.5a.75.75 0 0 0-.75-.75h-7.5Z","clip-rule":"evenodd"})])}function Bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6 6v4h4V6H6Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.75 1a.75.75 0 0 0-.75.75V3a2 2 0 0 0-2 2H1.75a.75.75 0 0 0 0 1.5H3v.75H1.75a.75.75 0 0 0 0 1.5H3v.75H1.75a.75.75 0 0 0 0 1.5H3a2 2 0 0 0 2 2v1.25a.75.75 0 0 0 1.5 0V13h.75v1.25a.75.75 0 0 0 1.5 0V13h.75v1.25a.75.75 0 0 0 1.5 0V13a2 2 0 0 0 2-2h1.25a.75.75 0 0 0 0-1.5H13v-.75h1.25a.75.75 0 0 0 0-1.5H13V6.5h1.25a.75.75 0 0 0 0-1.5H13a2 2 0 0 0-2-2V1.75a.75.75 0 0 0-1.5 0V3h-.75V1.75a.75.75 0 0 0-1.5 0V3H6.5V1.75A.75.75 0 0 0 5.75 1ZM11 4.5a.5.5 0 0 1 .5.5v6a.5.5 0 0 1-.5.5H5a.5.5 0 0 1-.5-.5V5a.5.5 0 0 1 .5-.5h6Z","clip-rule":"evenodd"})])}function Mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.5 3A1.5 1.5 0 0 0 1 4.5V5h14v-.5A1.5 1.5 0 0 0 13.5 3h-11Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 7H1v4.5A1.5 1.5 0 0 0 2.5 13h11a1.5 1.5 0 0 0 1.5-1.5V7ZM3 10.25a.75.75 0 0 1 .75-.75h.5a.75.75 0 0 1 0 1.5h-.5a.75.75 0 0 1-.75-.75Zm3.75-.75a.75.75 0 0 0 0 1.5h2.5a.75.75 0 0 0 0-1.5h-2.5Z","clip-rule":"evenodd"})])}function _t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.628 1.349a.75.75 0 0 1 .744 0l1.247.712a.75.75 0 1 1-.744 1.303L8 2.864l-.875.5a.75.75 0 0 1-.744-1.303l1.247-.712ZM4.65 3.914a.75.75 0 0 1-.279 1.023L4.262 5l.11.063a.75.75 0 0 1-.744 1.302l-.13-.073A.75.75 0 0 1 2 6.25V5a.75.75 0 0 1 .378-.651l1.25-.714a.75.75 0 0 1 1.023.279Zm6.698 0a.75.75 0 0 1 1.023-.28l1.25.715A.75.75 0 0 1 14 5v1.25a.75.75 0 0 1-1.499.042l-.129.073a.75.75 0 0 1-.744-1.302l.11-.063-.11-.063a.75.75 0 0 1-.28-1.023ZM6.102 6.915a.75.75 0 0 1 1.023-.279l.875.5.875-.5a.75.75 0 0 1 .744 1.303l-.869.496v.815a.75.75 0 0 1-1.5 0v-.815l-.869-.496a.75.75 0 0 1-.28-1.024ZM2.75 9a.75.75 0 0 1 .75.75v.815l.872.498a.75.75 0 0 1-.744 1.303l-1.25-.715A.75.75 0 0 1 2 11V9.75A.75.75 0 0 1 2.75 9Zm10.5 0a.75.75 0 0 1 .75.75V11a.75.75 0 0 1-.378.651l-1.25.715a.75.75 0 0 1-.744-1.303l.872-.498V9.75a.75.75 0 0 1 .75-.75Zm-4.501 3.708.126-.072a.75.75 0 0 1 .744 1.303l-1.247.712a.75.75 0 0 1-.744 0L6.38 13.94a.75.75 0 0 1 .744-1.303l.126.072a.75.75 0 0 1 1.498 0Z","clip-rule":"evenodd"})])}function St(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.372 1.349a.75.75 0 0 0-.744 0l-4.81 2.748L8 7.131l5.182-3.034-4.81-2.748ZM14 5.357 8.75 8.43v6.005l4.872-2.784A.75.75 0 0 0 14 11V5.357ZM7.25 14.435V8.43L2 5.357V11c0 .27.144.518.378.651l4.872 2.784Z"})])}function Nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM5.25 4.707a.75.75 0 0 1-.78-1.237c.841-.842 2.28-.246 2.28.944V6h5.5a.75.75 0 0 1 0 1.5h-5.5v3.098c0 .549.295.836.545.87a3.241 3.241 0 0 0 2.799-.966H9.75a.75.75 0 0 1 0-1.5h1.708a.75.75 0 0 1 .695 1.032 4.751 4.751 0 0 1-5.066 2.92c-1.266-.177-1.837-1.376-1.837-2.356V7.5h-1.5a.75.75 0 0 1 0-1.5h1.5V4.707Z","clip-rule":"evenodd"})])}function Vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.375 5.5h.875v1.75h-.875a.875.875 0 1 1 0-1.75ZM8.75 10.5V8.75h.875a.875.875 0 0 1 0 1.75H8.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM7.25 3.75a.75.75 0 0 1 1.5 0V4h2.5a.75.75 0 0 1 0 1.5h-2.5v1.75h.875a2.375 2.375 0 1 1 0 4.75H8.75v.25a.75.75 0 0 1-1.5 0V12h-2.5a.75.75 0 0 1 0-1.5h2.5V8.75h-.875a2.375 2.375 0 1 1 0-4.75h.875v-.25Z","clip-rule":"evenodd"})])}function Lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM6.875 6c.09-.22.195-.42.31-.598.413-.638.895-.902 1.315-.902.264 0 .54.1.814.325a.75.75 0 1 0 .953-1.158C9.772 3.259 9.169 3 8.5 3c-1.099 0-1.992.687-2.574 1.587A5.518 5.518 0 0 0 5.285 6H4.75a.75.75 0 0 0 0 1.5h.267a7.372 7.372 0 0 0 0 1H4.75a.75.75 0 0 0 0 1.5h.535c.156.52.372.998.64 1.413C6.509 12.313 7.402 13 8.5 13c.669 0 1.272-.26 1.767-.667a.75.75 0 0 0-.953-1.158c-.275.226-.55.325-.814.325-.42 0-.902-.264-1.315-.902a3.722 3.722 0 0 1-.31-.598H8.25a.75.75 0 0 0 0-1.5H6.521a5.854 5.854 0 0 1 0-1H8.25a.75.75 0 0 0 0-1.5H6.875Z","clip-rule":"evenodd"})])}function Tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM7.94 4.94c-.294.293-.44.675-.44 1.06v1.25h1.25a.75.75 0 1 1 0 1.5H7.5v1c0 .263-.045.516-.128.75h3.878a.75.75 0 0 1 0 1.5h-6.5a.75.75 0 0 1 0-1.5h.5A.75.75 0 0 0 6 9.75v-1H4.75a.75.75 0 0 1 0-1.5H6V6a3 3 0 0 1 5.121-2.121.75.75 0 1 1-1.06 1.06 1.5 1.5 0 0 0-2.121 0Z","clip-rule":"evenodd"})])}function It(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM4.75 4a.75.75 0 0 0 0 1.5H6.5c.698 0 1.3.409 1.582 1H4.75a.75.75 0 0 0 0 1.5h3.332C7.8 8.591 7.198 9 6.5 9H4.75a.75.75 0 0 0-.53 1.28l2.5 2.5a.75.75 0 0 0 1.06-1.06L6.56 10.5A3.251 3.251 0 0 0 9.663 8h1.587a.75.75 0 0 0 0-1.5H9.663a3.232 3.232 0 0 0-.424-1h2.011a.75.75 0 0 0 0-1.5h-6.5Z","clip-rule":"evenodd"})])}function Zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM5.6 3.55a.75.75 0 1 0-1.2.9L7.063 8H4.75a.75.75 0 0 0 0 1.5h2.5v1h-2.5a.75.75 0 0 0 0 1.5h2.5v.5a.75.75 0 0 0 1.5 0V12h2.5a.75.75 0 0 0 0-1.5h-2.5v-1h2.5a.75.75 0 0 0 0-1.5H8.938L11.6 4.45a.75.75 0 1 0-1.2-.9L8 6.75l-2.4-3.2Z","clip-rule":"evenodd"})])}function Ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.25 1.75a.75.75 0 0 1 1.5 0v1.5a.75.75 0 0 1-1.5 0v-1.5ZM11.536 2.904a.75.75 0 1 1 1.06 1.06l-1.06 1.061a.75.75 0 0 1-1.061-1.06l1.06-1.061ZM14.5 7.5a.75.75 0 0 0-.75-.75h-1.5a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 .75-.75ZM4.464 9.975a.75.75 0 0 1 1.061 1.06l-1.06 1.061a.75.75 0 1 1-1.061-1.06l1.06-1.061ZM4.5 7.5a.75.75 0 0 0-.75-.75h-1.5a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 .75-.75ZM5.525 3.964a.75.75 0 0 1-1.06 1.061l-1.061-1.06a.75.75 0 0 1 1.06-1.061l1.061 1.06ZM8.779 7.438a.75.75 0 0 0-1.368.366l-.396 5.283a.75.75 0 0 0 1.212.646l.602-.474.288 1.074a.75.75 0 1 0 1.449-.388l-.288-1.075.759.11a.75.75 0 0 0 .726-1.165L8.78 7.438Z"})])}function Dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.038 4.038a5.25 5.25 0 0 0 0 7.424.75.75 0 0 1-1.06 1.061A6.75 6.75 0 1 1 14.5 7.75a.75.75 0 1 1-1.5 0 5.25 5.25 0 0 0-8.962-3.712Z"}),(0,r.createElementVNode)("path",{d:"M7.712 7.136a.75.75 0 0 1 .814.302l2.984 4.377a.75.75 0 0 1-.726 1.164l-.76-.109.289 1.075a.75.75 0 0 1-1.45.388l-.287-1.075-.602.474a.75.75 0 0 1-1.212-.645l.396-5.283a.75.75 0 0 1 .554-.668Z"}),(0,r.createElementVNode)("path",{d:"M5.805 9.695A2.75 2.75 0 1 1 10.5 7.75a.75.75 0 0 0 1.5 0 4.25 4.25 0 1 0-7.255 3.005.75.75 0 1 0 1.06-1.06Z"})])}function Rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.25 11.5a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 0-1.5h-1.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 1a2.5 2.5 0 0 0-2.5 2.5v9A2.5 2.5 0 0 0 6 15h4a2.5 2.5 0 0 0 2.5-2.5v-9A2.5 2.5 0 0 0 10 1H6Zm4 1.5h-.5V3a.5.5 0 0 1-.5.5H7a.5.5 0 0 1-.5-.5v-.5H6a1 1 0 0 0-1 1v9a1 1 0 0 0 1 1h4a1 1 0 0 0 1-1v-9a1 1 0 0 0-1-1Z","clip-rule":"evenodd"})])}function Ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.25 11.5a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 0-1.5h-1.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.5A2.5 2.5 0 0 1 4.5 1h7A2.5 2.5 0 0 1 14 3.5v9a2.5 2.5 0 0 1-2.5 2.5h-7A2.5 2.5 0 0 1 2 12.5v-9Zm2.5-1h7a1 1 0 0 1 1 1v9a1 1 0 0 1-1 1h-7a1 1 0 0 1-1-1v-9a1 1 0 0 1 1-1Z","clip-rule":"evenodd"})])}function Pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 8a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 8Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M9 3a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM9 13a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z"})])}function jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm4 3.5a.75.75 0 0 1 .75.75v2.69l.72-.72a.75.75 0 1 1 1.06 1.06l-2 2a.75.75 0 0 1-1.06 0l-2-2a.75.75 0 0 1 1.06-1.06l.72.72V6.25A.75.75 0 0 1 8 5.5Z","clip-rule":"evenodd"})])}function Ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm4 9.5a.75.75 0 0 1-.75-.75V8.06l-.72.72a.75.75 0 0 1-1.06-1.06l2-2a.75.75 0 0 1 1.06 0l2 2a.75.75 0 1 1-1.06 1.06l-.72-.72v2.69a.75.75 0 0 1-.75.75Z","clip-rule":"evenodd"})])}function zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm6 5.75a.75.75 0 0 1 1.5 0v3.5a.75.75 0 0 1-1.5 0v-3.5Zm-2.75 1.5a.75.75 0 0 1 1.5 0v2a.75.75 0 0 1-1.5 0v-2Zm-2 .75a.75.75 0 0 0-.75.75v.5a.75.75 0 0 0 1.5 0v-.5a.75.75 0 0 0-.75-.75Z","clip-rule":"evenodd"})])}function qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm6.713 4.16a.75.75 0 0 1 .127 1.053l-2.75 3.5a.75.75 0 0 1-1.078.106l-1.75-1.5a.75.75 0 1 1 .976-1.138l1.156.99L9.66 6.287a.75.75 0 0 1 1.053-.127Z","clip-rule":"evenodd"})])}function Ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 3.5A1.5 1.5 0 0 1 4 2h4.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12a1.5 1.5 0 0 1 .439 1.061V12.5A1.5 1.5 0 0 1 12 14H4a1.5 1.5 0 0 1-1.5-1.5v-9ZM6 5.207a.75.75 0 0 1-.585-1.378A1.441 1.441 0 0 1 7.5 5.118V6h3.75a.75.75 0 0 1 0 1.5H7.5v3.25c0 .212.089.39.2.49.098.092.206.12.33.085.6-.167 1.151-.449 1.63-.821H9.5a.75.75 0 1 1 0-1.5h1.858a.75.75 0 0 1 .628 1.16 6.26 6.26 0 0 1-3.552 2.606 1.825 1.825 0 0 1-1.75-.425A2.17 2.17 0 0 1 6 10.75V7.5H4.75a.75.75 0 0 1 0-1.5H6v-.793Z","clip-rule":"evenodd"})])}function $t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.621 6.584c.208-.026.418-.046.629-.06v1.034l-.598-.138a.227.227 0 0 1-.116-.065.094.094 0 0 1-.028-.06 5.345 5.345 0 0 1 .002-.616.082.082 0 0 1 .025-.055.144.144 0 0 1 .086-.04ZM8.75 10.475V9.443l.594.137a.227.227 0 0 1 .116.065.094.094 0 0 1 .028.06 5.355 5.355 0 0 1-.002.616.082.082 0 0 1-.025.055.144.144 0 0 1-.086.04c-.207.026-.415.045-.625.06Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 3.5A1.5 1.5 0 0 1 4 2h4.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12a1.5 1.5 0 0 1 .439 1.061V12.5A1.5 1.5 0 0 1 12 14H4a1.5 1.5 0 0 1-1.5-1.5v-9Zm6.25 1.25a.75.75 0 0 0-1.5 0v.272c-.273.016-.543.04-.81.073-.748.09-1.38.689-1.428 1.494a6.836 6.836 0 0 0-.002.789c.044.785.635 1.348 1.305 1.503l.935.216v1.379a11.27 11.27 0 0 1-1.36-.173.75.75 0 1 0-.28 1.474c.536.102 1.084.17 1.64.202v.271a.75.75 0 0 0 1.5 0v-.272c.271-.016.54-.04.807-.073.747-.09 1.378-.689 1.427-1.494a6.843 6.843 0 0 0 .002-.789c-.044-.785-.635-1.348-1.305-1.503l-.931-.215v-1.38c.46.03.913.089 1.356.173a.75.75 0 0 0 .28-1.474 12.767 12.767 0 0 0-1.636-.201V4.75Z","clip-rule":"evenodd"})])}function Wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 3.5A1.5 1.5 0 0 1 4 2h4.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12a1.5 1.5 0 0 1 .439 1.061V12.5A1.5 1.5 0 0 1 12 14H4a1.5 1.5 0 0 1-1.5-1.5v-9Zm4.552 2.734c.354-.59.72-.734.948-.734.228 0 .594.145.948.734a.75.75 0 1 0 1.286-.772C9.71 4.588 8.924 4 8 4c-.924 0-1.71.588-2.234 1.462-.192.32-.346.67-.464 1.038H4.75a.75.75 0 0 0 0 1.5h.268a7.003 7.003 0 0 0 0 1H4.75a.75.75 0 0 0 0 1.5h.552c.118.367.272.717.464 1.037C6.29 12.412 7.076 13 8 13c.924 0 1.71-.588 2.234-1.463a.75.75 0 0 0-1.286-.771c-.354.59-.72.734-.948.734-.228 0-.594-.145-.948-.734a3.078 3.078 0 0 1-.142-.266h.34a.75.75 0 0 0 0-1.5h-.727a5.496 5.496 0 0 1 0-1h.727a.75.75 0 0 0 0-1.5h-.34a3.08 3.08 0 0 1 .142-.266Z","clip-rule":"evenodd"})])}function Gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 3.5A1.5 1.5 0 0 1 4 2h4.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12a1.5 1.5 0 0 1 .439 1.061V12.5A1.5 1.5 0 0 1 12 14H4a1.5 1.5 0 0 1-1.5-1.5v-9Zm5.44 3.44a1.5 1.5 0 0 1 2.12 0 .75.75 0 1 0 1.061-1.061A3 3 0 0 0 6 7.999H4.75a.75.75 0 0 0 0 1.5h1.225c-.116.571-.62 1-1.225 1a.75.75 0 1 0 0 1.5h5.5a.75.75 0 0 0 0-1.5H7.2c.156-.304.257-.642.289-1H9.25a.75.75 0 0 0 0-1.5H7.5c0-.384.146-.767.44-1.06Z","clip-rule":"evenodd"})])}function Kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 3.5A1.5 1.5 0 0 1 4 2h4.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12a1.5 1.5 0 0 1 .439 1.061V12.5A1.5 1.5 0 0 1 12 14H4a1.5 1.5 0 0 1-1.5-1.5v-9ZM5.75 5a.75.75 0 0 0 0 1.5c.698 0 1.3.409 1.582 1H5.75a.75.75 0 0 0 0 1.5h1.582c-.281.591-.884 1-1.582 1a.75.75 0 0 0-.53 1.28l1.5 1.5a.75.75 0 0 0 1.06-1.06l-.567-.567A3.256 3.256 0 0 0 8.913 9h1.337a.75.75 0 0 0 0-1.5H8.913a3.232 3.232 0 0 0-.424-1h1.761a.75.75 0 0 0 0-1.5h-4.5Z","clip-rule":"evenodd"})])}function Yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 3.5A1.5 1.5 0 0 1 4 2h4.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12a1.5 1.5 0 0 1 .439 1.061V12.5A1.5 1.5 0 0 1 12 14H4a1.5 1.5 0 0 1-1.5-1.5v-9Zm3.663 1.801a.75.75 0 1 0-1.2.9L6.313 8H5a.75.75 0 0 0 0 1.5h2.25v1H5A.75.75 0 0 0 5 12h2.25v.25a.75.75 0 0 0 1.5 0V12H11a.75.75 0 0 0 0-1.5H8.75v-1H11A.75.75 0 0 0 11 8H9.687l1.35-1.799a.75.75 0 0 0-1.2-.9L8 7.75 6.163 5.3Z","clip-rule":"evenodd"})])}function Xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.5 3.5A1.5 1.5 0 0 1 7 2h2.879a1.5 1.5 0 0 1 1.06.44l2.122 2.12a1.5 1.5 0 0 1 .439 1.061V9.5A1.5 1.5 0 0 1 12 11V8.621a3 3 0 0 0-.879-2.121L9 4.379A3 3 0 0 0 6.879 3.5H5.5Z"}),(0,r.createElementVNode)("path",{d:"M4 5a1.5 1.5 0 0 0-1.5 1.5v6A1.5 1.5 0 0 0 4 14h5a1.5 1.5 0 0 0 1.5-1.5V8.621a1.5 1.5 0 0 0-.44-1.06L7.94 5.439A1.5 1.5 0 0 0 6.878 5H4Z"})])}function Jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6 7.5a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm3.5 2.5a3 3 0 1 0 1.524 5.585l1.196 1.195a.75.75 0 1 0 1.06-1.06l-1.195-1.196A3 3 0 0 0 7.5 4.5Z","clip-rule":"evenodd"})])}function Qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm7 7a.75.75 0 0 1-.75.75h-4.5a.75.75 0 0 1 0-1.5h4.5A.75.75 0 0 1 11 9Z","clip-rule":"evenodd"})])}function en(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm4.75 4.75a.75.75 0 0 0-1.5 0v1.5h-1.5a.75.75 0 0 0 0 1.5h1.5v1.5a.75.75 0 0 0 1.5 0v-1.5h1.5a.75.75 0 0 0 0-1.5h-1.5v-1.5Z","clip-rule":"evenodd"})])}function tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm1 5.75A.75.75 0 0 1 5.75 7h4.5a.75.75 0 0 1 0 1.5h-4.5A.75.75 0 0 1 5 7.75Zm0 3a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.5 3.5A1.5 1.5 0 0 1 4 2h4.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12a1.5 1.5 0 0 1 .439 1.061V12.5A1.5 1.5 0 0 1 12 14H4a1.5 1.5 0 0 1-1.5-1.5v-9Z"})])}function rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM8 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2ZM5.5 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0Zm6 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function on(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 8a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0ZM6.5 8a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0ZM12.5 6.5a1.5 1.5 0 1 0 0 3 1.5 1.5 0 0 0 0-3Z"})])}function an(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 2a1.5 1.5 0 1 1 0 3 1.5 1.5 0 0 1 0-3ZM8 6.5a1.5 1.5 0 1 1 0 3 1.5 1.5 0 0 1 0-3ZM9.5 12.5a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0Z"})])}function ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.756 4.568A1.5 1.5 0 0 0 1 5.871V12.5A1.5 1.5 0 0 0 2.5 14h11a1.5 1.5 0 0 0 1.5-1.5V5.87a1.5 1.5 0 0 0-.756-1.302l-5.5-3.143a1.5 1.5 0 0 0-1.488 0l-5.5 3.143Zm1.82 2.963a.75.75 0 0 0-.653 1.35l4.1 1.98a2.25 2.25 0 0 0 1.955 0l4.1-1.98a.75.75 0 1 0-.653-1.35L8.326 9.51a.75.75 0 0 1-.652 0L3.575 7.53Z","clip-rule":"evenodd"})])}function sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.5 3A1.5 1.5 0 0 0 1 4.5v.793c.026.009.051.02.076.032L7.674 8.51c.206.1.446.1.652 0l6.598-3.185A.755.755 0 0 1 15 5.293V4.5A1.5 1.5 0 0 0 13.5 3h-11Z"}),(0,r.createElementVNode)("path",{d:"M15 6.954 8.978 9.86a2.25 2.25 0 0 1-1.956 0L1 6.954V11.5A1.5 1.5 0 0 0 2.5 13h11a1.5 1.5 0 0 0 1.5-1.5V6.954Z"})])}function cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75A.75.75 0 0 1 2.75 4h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 4.75ZM2 11.25a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14ZM8 4a.75.75 0 0 1 .75.75v3a.75.75 0 0 1-1.5 0v-3A.75.75 0 0 1 8 4Zm0 8a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.701 2.25c.577-1 2.02-1 2.598 0l5.196 9a1.5 1.5 0 0 1-1.299 2.25H2.804a1.5 1.5 0 0 1-1.3-2.25l5.197-9ZM8 4a.75.75 0 0 1 .75.75v3a.75.75 0 1 1-1.5 0v-3A.75.75 0 0 1 8 4Zm0 8a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 4a3.001 3.001 0 0 1-2.25 2.905V8.5a.75.75 0 0 1-.22.53l-.5.5a.75.75 0 0 1-1.06 0l-.72-.72-4.677 4.678A1.75 1.75 0 0 1 4.336 14h-.672a.25.25 0 0 0-.177.073l-.707.707a.75.75 0 0 1-1.06 0l-.5-.5a.75.75 0 0 1 0-1.06l.707-.707A.25.25 0 0 0 2 12.336v-.672c0-.464.184-.909.513-1.237L7.189 5.75l-.72-.72a.75.75 0 0 1 0-1.06l.5-.5a.75.75 0 0 1 .531-.22h1.595A3.001 3.001 0 0 1 15 4ZM9.19 7.75l-.94-.94-4.677 4.678a.25.25 0 0 0-.073.176v.672c0 .058-.003.115-.009.173a1.74 1.74 0 0 1 .173-.009h.672a.25.25 0 0 0 .177-.073L9.189 7.75Z","clip-rule":"evenodd"})])}function pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.28 2.22a.75.75 0 0 0-1.06 1.06l10.5 10.5a.75.75 0 1 0 1.06-1.06l-1.322-1.323a7.012 7.012 0 0 0 2.16-3.11.87.87 0 0 0 0-.567A7.003 7.003 0 0 0 4.82 3.76l-1.54-1.54Zm3.196 3.195 1.135 1.136A1.502 1.502 0 0 1 9.45 8.389l1.136 1.135a3 3 0 0 0-4.109-4.109Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"m7.812 10.994 1.816 1.816A7.003 7.003 0 0 1 1.38 8.28a.87.87 0 0 1 0-.566 6.985 6.985 0 0 1 1.113-2.039l2.513 2.513a3 3 0 0 0 2.806 2.806Z"})])}function fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 9.5a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.38 8.28a.87.87 0 0 1 0-.566 7.003 7.003 0 0 1 13.238.006.87.87 0 0 1 0 .566A7.003 7.003 0 0 1 1.379 8.28ZM11 8a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z","clip-rule":"evenodd"})])}function mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM6 8c.552 0 1-.672 1-1.5S6.552 5 6 5s-1 .672-1 1.5S5.448 8 6 8Zm5-1.5c0 .828-.448 1.5-1 1.5s-1-.672-1-1.5S9.448 5 10 5s1 .672 1 1.5Zm-6.005 5.805a.75.75 0 0 0 1.06 0 2.75 2.75 0 0 1 3.89 0 .75.75 0 0 0 1.06-1.06 4.25 4.25 0 0 0-6.01 0 .75.75 0 0 0 0 1.06Z","clip-rule":"evenodd"})])}function vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM6 8c.552 0 1-.672 1-1.5S6.552 5 6 5s-1 .672-1 1.5S5.448 8 6 8Zm5-1.5c0 .828-.448 1.5-1 1.5s-1-.672-1-1.5S9.448 5 10 5s1 .672 1 1.5Zm.005 4.245a.75.75 0 0 0-1.06 0 2.75 2.75 0 0 1-3.89 0 .75.75 0 0 0-1.06 1.06 4.25 4.25 0 0 0 6.01 0 .75.75 0 0 0 0-1.06Z","clip-rule":"evenodd"})])}function gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 3.5A1.5 1.5 0 0 1 2.5 2h11A1.5 1.5 0 0 1 15 3.5v9a1.5 1.5 0 0 1-1.5 1.5h-11A1.5 1.5 0 0 1 1 12.5v-9Zm1.5.25a.25.25 0 0 1 .25-.25h1.5a.25.25 0 0 1 .25.25v1a.25.25 0 0 1-.25.25h-1.5a.25.25 0 0 1-.25-.25v-1Zm3.75-.25a.25.25 0 0 0-.25.25v3.5c0 .138.112.25.25.25h3.5a.25.25 0 0 0 .25-.25v-3.5a.25.25 0 0 0-.25-.25h-3.5ZM6 8.75a.25.25 0 0 1 .25-.25h3.5a.25.25 0 0 1 .25.25v3.5a.25.25 0 0 1-.25.25h-3.5a.25.25 0 0 1-.25-.25v-3.5Zm5.75-5.25a.25.25 0 0 0-.25.25v1c0 .138.112.25.25.25h1.5a.25.25 0 0 0 .25-.25v-1a.25.25 0 0 0-.25-.25h-1.5ZM2.5 11.25a.25.25 0 0 1 .25-.25h1.5a.25.25 0 0 1 .25.25v1a.25.25 0 0 1-.25.25h-1.5a.25.25 0 0 1-.25-.25v-1Zm9.25-.25a.25.25 0 0 0-.25.25v1c0 .138.112.25.25.25h1.5a.25.25 0 0 0 .25-.25v-1a.25.25 0 0 0-.25-.25h-1.5ZM2.5 8.75a.25.25 0 0 1 .25-.25h1.5a.25.25 0 0 1 .25.25v1a.25.25 0 0 1-.25.25h-1.5a.25.25 0 0 1-.25-.25v-1Zm9.25-.25a.25.25 0 0 0-.25.25v1c0 .138.112.25.25.25h1.5a.25.25 0 0 0 .25-.25v-1a.25.25 0 0 0-.25-.25h-1.5ZM2.5 6.25A.25.25 0 0 1 2.75 6h1.5a.25.25 0 0 1 .25.25v1a.25.25 0 0 1-.25.25h-1.5a.25.25 0 0 1-.25-.25v-1ZM11.75 6a.25.25 0 0 0-.25.25v1c0 .138.112.25.25.25h1.5a.25.25 0 0 0 .25-.25v-1a.25.25 0 0 0-.25-.25h-1.5Z","clip-rule":"evenodd"})])}function wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 3c-.988 0-1.908.286-2.682.78a.75.75 0 0 1-.806-1.266A6.5 6.5 0 0 1 14.5 8c0 1.665-.333 3.254-.936 4.704a.75.75 0 0 1-1.385-.577C12.708 10.857 13 9.464 13 8a5 5 0 0 0-5-5ZM3.55 4.282a.75.75 0 0 1 .23 1.036A4.973 4.973 0 0 0 3 8a.75.75 0 0 1-1.5 0c0-1.282.372-2.48 1.014-3.488a.75.75 0 0 1 1.036-.23ZM8 5.875A2.125 2.125 0 0 0 5.875 8a3.625 3.625 0 0 1-3.625 3.625H2.213a.75.75 0 1 1 .008-1.5h.03A2.125 2.125 0 0 0 4.376 8a3.625 3.625 0 1 1 7.25 0c0 .078-.001.156-.003.233a.75.75 0 1 1-1.5-.036c.002-.066.003-.131.003-.197A2.125 2.125 0 0 0 8 5.875ZM7.995 7.25a.75.75 0 0 1 .75.75 6.502 6.502 0 0 1-4.343 6.133.75.75 0 1 1-.498-1.415A5.002 5.002 0 0 0 7.245 8a.75.75 0 0 1 .75-.75Zm2.651 2.87a.75.75 0 0 1 .463.955 9.39 9.39 0 0 1-3.008 4.25.75.75 0 0 1-.936-1.171 7.892 7.892 0 0 0 2.527-3.57.75.75 0 0 1 .954-.463Z","clip-rule":"evenodd"})])}function yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.074.945A4.993 4.993 0 0 0 6 5v.032c.004.6.114 1.176.311 1.709.16.428-.204.91-.61.7a5.023 5.023 0 0 1-1.868-1.677c-.202-.304-.648-.363-.848-.058a6 6 0 1 0 8.017-1.901l-.004-.007a4.98 4.98 0 0 1-2.18-2.574c-.116-.31-.477-.472-.744-.28Zm.78 6.178a3.001 3.001 0 1 1-3.473 4.341c-.205-.365.215-.694.62-.59a4.008 4.008 0 0 0 1.873.03c.288-.065.413-.386.321-.666A3.997 3.997 0 0 1 8 8.999c0-.585.126-1.14.351-1.641a.42.42 0 0 1 .503-.235Z","clip-rule":"evenodd"})])}function bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.75 2a.75.75 0 0 0-.75.75v10.5a.75.75 0 0 0 1.5 0v-2.624l.33-.083A6.044 6.044 0 0 1 8 11c1.29.645 2.77.807 4.17.457l1.48-.37a.462.462 0 0 0 .35-.448V3.56a.438.438 0 0 0-.544-.425l-1.287.322C10.77 3.808 9.291 3.646 8 3a6.045 6.045 0 0 0-4.17-.457l-.34.085A.75.75 0 0 0 2.75 2Z"})])}function xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.5 2A1.5 1.5 0 0 0 2 3.5v9A1.5 1.5 0 0 0 3.5 14h9a1.5 1.5 0 0 0 1.5-1.5v-7A1.5 1.5 0 0 0 12.5 4H9.621a1.5 1.5 0 0 1-1.06-.44L7.439 2.44A1.5 1.5 0 0 0 6.38 2H3.5Zm5.25 4.75a.75.75 0 0 0-1.5 0v2.69l-.72-.72a.75.75 0 0 0-1.06 1.06l2 2a.75.75 0 0 0 1.06 0l2-2a.75.75 0 1 0-1.06-1.06l-.72.72V6.75Z","clip-rule":"evenodd"})])}function kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.5 2A1.5 1.5 0 0 0 2 3.5v9A1.5 1.5 0 0 0 3.5 14h9a1.5 1.5 0 0 0 1.5-1.5v-7A1.5 1.5 0 0 0 12.5 4H9.621a1.5 1.5 0 0 1-1.06-.44L7.439 2.44A1.5 1.5 0 0 0 6.38 2H3.5Zm6.75 7.75a.75.75 0 0 0 0-1.5h-4.5a.75.75 0 0 0 0 1.5h4.5Z","clip-rule":"evenodd"})])}function En(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 3.5A1.5 1.5 0 0 1 4.5 2h1.879a1.5 1.5 0 0 1 1.06.44l1.122 1.12A1.5 1.5 0 0 0 9.62 4H11.5A1.5 1.5 0 0 1 13 5.5v1H3v-3ZM3.081 8a1.5 1.5 0 0 0-1.423 1.974l1 3A1.5 1.5 0 0 0 4.081 14h7.838a1.5 1.5 0 0 0 1.423-1.026l1-3A1.5 1.5 0 0 0 12.919 8H3.081Z"})])}function An(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.5 2A1.5 1.5 0 0 0 2 3.5v9A1.5 1.5 0 0 0 3.5 14h9a1.5 1.5 0 0 0 1.5-1.5v-7A1.5 1.5 0 0 0 12.5 4H9.621a1.5 1.5 0 0 1-1.06-.44L7.439 2.44A1.5 1.5 0 0 0 6.38 2H3.5ZM8 6a.75.75 0 0 1 .75.75v1.5h1.5a.75.75 0 0 1 0 1.5h-1.5v1.5a.75.75 0 0 1-1.5 0v-1.5h-1.5a.75.75 0 0 1 0-1.5h1.5v-1.5A.75.75 0 0 1 8 6Z","clip-rule":"evenodd"})])}function Cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 3.5A1.5 1.5 0 0 1 3.5 2h2.879a1.5 1.5 0 0 1 1.06.44l1.122 1.12A1.5 1.5 0 0 0 9.62 4H12.5A1.5 1.5 0 0 1 14 5.5v1.401a2.986 2.986 0 0 0-1.5-.401h-9c-.546 0-1.059.146-1.5.401V3.5ZM2 9.5v3A1.5 1.5 0 0 0 3.5 14h9a1.5 1.5 0 0 0 1.5-1.5v-3A1.5 1.5 0 0 0 12.5 8h-9A1.5 1.5 0 0 0 2 9.5Z"})])}function Bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.53 3.956A1 1 0 0 0 1 4.804v6.392a1 1 0 0 0 1.53.848l5.113-3.196c.16-.1.279-.233.357-.383v2.73a1 1 0 0 0 1.53.849l5.113-3.196a1 1 0 0 0 0-1.696L9.53 3.956A1 1 0 0 0 8 4.804v2.731a.992.992 0 0 0-.357-.383L2.53 3.956Z"})])}function Mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M14 2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v2.172a2 2 0 0 0 .586 1.414l2.828 2.828A2 2 0 0 1 6 9.828v4.363a.5.5 0 0 0 .724.447l2.17-1.085A2 2 0 0 0 10 11.763V9.829a2 2 0 0 1 .586-1.414l2.828-2.828A2 2 0 0 0 14 4.172V2Z"})])}function _n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a2 2 0 0 0-2 2v6a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V5a2 2 0 0 0-2-2H3Zm.895 3.458C4.142 6.071 4.38 6 4.5 6s.358.07.605.458a.75.75 0 1 0 1.265-.805C5.933 4.966 5.274 4.5 4.5 4.5s-1.433.466-1.87 1.153C2.195 6.336 2 7.187 2 8s.195 1.664.63 2.347c.437.687 1.096 1.153 1.87 1.153s1.433-.466 1.87-1.153a.75.75 0 0 0 .117-.402V8a.75.75 0 0 0-.75-.75H5a.75.75 0 0 0-.013 1.5v.955C4.785 9.95 4.602 10 4.5 10c-.121 0-.358-.07-.605-.458C3.647 9.15 3.5 8.595 3.5 8c0-.595.147-1.15.395-1.542ZM9 5.25a.75.75 0 0 0-1.5 0v5.5a.75.75 0 0 0 1.5 0v-5.5Zm1 0a.75.75 0 0 1 .75-.75h2.5a.75.75 0 0 1 0 1.5H11.5v1.25h.75a.75.75 0 0 1 0 1.5h-.75v2a.75.75 0 0 1-1.5 0v-5.5Z","clip-rule":"evenodd"})])}function Sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.25 2H3.5A1.5 1.5 0 0 0 2 3.5v3.75h1.718A2.5 2.5 0 0 1 7.25 3.716V2ZM2 8.75v3.75A1.5 1.5 0 0 0 3.5 14h3.75v-3.085a4.743 4.743 0 0 1-3.455 1.826.75.75 0 1 1-.092-1.497 3.252 3.252 0 0 0 2.96-2.494H2ZM8.75 14h3.75a1.5 1.5 0 0 0 1.5-1.5V8.75H9.337a3.252 3.252 0 0 0 2.96 2.494.75.75 0 1 1-.093 1.497 4.743 4.743 0 0 1-3.454-1.826V14ZM14 7.25h-1.718A2.5 2.5 0 0 0 8.75 3.717V2h3.75A1.5 1.5 0 0 1 14 3.5v3.75Z"}),(0,r.createElementVNode)("path",{d:"M6.352 6.787c.16.012.312.014.448.012.002-.136 0-.289-.012-.448-.043-.617-.203-1.181-.525-1.503a1 1 0 0 0-1.414 1.414c.322.322.886.482 1.503.525ZM9.649 6.787c-.16.012-.312.014-.448.012-.003-.136 0-.289.011-.448.044-.617.203-1.181.526-1.503a1 1 0 1 1 1.414 1.414c-.322.322-.887.482-1.503.525Z"})])}function Nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3.5c0 .563.186 1.082.5 1.5H2a1 1 0 0 0 0 2h5.25V5h1.5v2H14a1 1 0 1 0 0-2h-2.25A2.5 2.5 0 0 0 8 1.714 2.5 2.5 0 0 0 3.75 3.5Zm3.499 0v-.038A1 1 0 1 0 6.25 4.5h1l-.001-1Zm2.5-1a1 1 0 0 0-1 .962l.001.038v1h.999a1 1 0 0 0 0-2Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M7.25 8.5H2V12a2 2 0 0 0 2 2h3.25V8.5ZM8.75 14V8.5H14V12a2 2 0 0 1-2 2H8.75Z"})])}function Vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.757 4.5c.18.217.376.42.586.608.153-.61.354-1.175.596-1.678A5.53 5.53 0 0 0 3.757 4.5ZM8 1a6.994 6.994 0 0 0-7 7 7 7 0 1 0 7-7Zm0 1.5c-.476 0-1.091.386-1.633 1.427-.293.564-.531 1.267-.683 2.063A5.48 5.48 0 0 0 8 6.5a5.48 5.48 0 0 0 2.316-.51c-.152-.796-.39-1.499-.683-2.063C9.09 2.886 8.476 2.5 8 2.5Zm3.657 2.608a8.823 8.823 0 0 0-.596-1.678c.444.298.842.659 1.182 1.07-.18.217-.376.42-.586.608Zm-1.166 2.436A6.983 6.983 0 0 1 8 8a6.983 6.983 0 0 1-2.49-.456 10.703 10.703 0 0 0 .202 2.6c.72.231 1.49.356 2.288.356.798 0 1.568-.125 2.29-.356a10.705 10.705 0 0 0 .2-2.6Zm1.433 1.85a12.652 12.652 0 0 0 .018-2.609c.405-.276.78-.594 1.117-.947a5.48 5.48 0 0 1 .44 2.262 7.536 7.536 0 0 1-1.575 1.293Zm-2.172 2.435a9.046 9.046 0 0 1-3.504 0c.039.084.078.166.12.244C6.907 13.114 7.523 13.5 8 13.5s1.091-.386 1.633-1.427c.04-.078.08-.16.12-.244Zm1.31.74a8.5 8.5 0 0 0 .492-1.298c.457-.197.893-.43 1.307-.696a5.526 5.526 0 0 1-1.8 1.995Zm-6.123 0a8.507 8.507 0 0 1-.493-1.298 8.985 8.985 0 0 1-1.307-.696 5.526 5.526 0 0 0 1.8 1.995ZM2.5 8.1c.463.5.993.935 1.575 1.293a12.652 12.652 0 0 1-.018-2.608 7.037 7.037 0 0 1-1.117-.947 5.48 5.48 0 0 0-.44 2.262Z","clip-rule":"evenodd"})])}function Ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a7 7 0 1 0 0 14A7 7 0 0 0 8 1ZM4.5 3.757a5.5 5.5 0 1 0 6.857-.114l-.65.65a.707.707 0 0 0-.207.5c0 .39-.317.707-.707.707H8.427a.496.496 0 0 0-.413.771l.25.376a.481.481 0 0 0 .616.163.962.962 0 0 1 1.11.18l.573.573a1 1 0 0 1 .242 1.023l-1.012 3.035a1 1 0 0 1-1.191.654l-.345-.086a1 1 0 0 1-.757-.97v-.305a1 1 0 0 0-.293-.707L6.1 9.1a.849.849 0 0 1 0-1.2c.22-.22.22-.58 0-.8l-.721-.721A3 3 0 0 1 4.5 4.257v-.5Z","clip-rule":"evenodd"})])}function Tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 8a7 7 0 1 1 14 0A7 7 0 0 1 1 8Zm7 5.5a5.485 5.485 0 0 1-4.007-1.732l.28-.702a.402.402 0 0 1 .658-.135.804.804 0 0 0 1.138 0l.012-.012a.822.822 0 0 0 .154-.949l-.055-.11a.497.497 0 0 1 .134-.611L8.14 7.788a.57.57 0 0 0 .154-.7.57.57 0 0 1 .33-.796l.028-.01a1.788 1.788 0 0 0 1.13-1.13l.072-.214a.747.747 0 0 0-.18-.764L8.293 2.793A1 1 0 0 1 8.09 2.5 5.5 5.5 0 0 1 12.9 10.5h-.486a1 1 0 0 1-.707-.293l-.353-.353a1.207 1.207 0 0 0-1.708 0l-.531.531a1 1 0 0 1-.26.188l-.343.17a.927.927 0 0 0-.512.83v.177c0 .414.336.75.75.75a.75.75 0 0 1 .751.793c-.477.135-.98.207-1.501.207Z","clip-rule":"evenodd"})])}function In(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a7 7 0 1 0 0 14A7 7 0 0 0 8 1ZM5.657 3.023a5.5 5.5 0 1 0 7.584 3.304l-.947-.63a.431.431 0 0 0-.544.053.431.431 0 0 1-.544.054l-.467-.312a.475.475 0 0 0-.689.608l.226.453a2.119 2.119 0 0 1 0 1.894L10.1 8.8a.947.947 0 0 0-.1.424v.11a2 2 0 0 1-.4 1.2L8.8 11.6A1 1 0 0 1 7 11v-.382a1 1 0 0 0-.553-.894l-.422-.212A1.854 1.854 0 0 1 6.855 6h.707a.438.438 0 1 0-.107-.864l-.835.209a1.129 1.129 0 0 1-1.305-1.553l.342-.77Z","clip-rule":"evenodd"})])}function Zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.75 3a.75.75 0 0 1 .75.75v3.5h4v-3.5a.75.75 0 0 1 1.5 0v8.5a.75.75 0 0 1-1.5 0v-3.5h-4v3.5a.75.75 0 0 1-1.5 0v-8.5A.75.75 0 0 1 1.75 3ZM10 6.75a.75.75 0 0 1 .75-.75h1.75a.75.75 0 0 1 .75.75v4.75h1a.75.75 0 0 1 0 1.5h-3.5a.75.75 0 0 1 0-1.5h1v-4h-1a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function On(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.75 3a.75.75 0 0 1 .75.75v3.5h4v-3.5a.75.75 0 0 1 1.5 0v8.5a.75.75 0 0 1-1.5 0v-3.5h-4v3.5a.75.75 0 0 1-1.5 0v-8.5A.75.75 0 0 1 1.75 3ZM12.5 7.5c-.558 0-1.106.04-1.642.119a.75.75 0 0 1-.216-1.484 12.848 12.848 0 0 1 2.836-.098A1.629 1.629 0 0 1 14.99 7.58a8.884 8.884 0 0 1-.021 1.166c-.06.702-.553 1.24-1.159 1.441l-2.14.713a.25.25 0 0 0-.17.237v.363h2.75a.75.75 0 0 1 0 1.5h-3.5a.75.75 0 0 1-.75-.75v-1.113a1.75 1.75 0 0 1 1.197-1.66l2.139-.713c.1-.033.134-.103.138-.144a7.344 7.344 0 0 0 .018-.97c-.003-.052-.046-.111-.128-.117A11.417 11.417 0 0 0 12.5 7.5Z","clip-rule":"evenodd"})])}function Dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.75 3a.75.75 0 0 1 .75.75v3.5h4v-3.5a.75.75 0 0 1 1.5 0v8.5a.75.75 0 0 1-1.5 0v-3.5h-4v3.5a.75.75 0 0 1-1.5 0v-8.5A.75.75 0 0 1 1.75 3ZM12.5 7.5c-.558 0-1.107.04-1.642.119a.75.75 0 0 1-.217-1.484 12.851 12.851 0 0 1 2.856-.097c.696.054 1.363.561 1.464 1.353a4.805 4.805 0 0 1-.203 2.109 4.745 4.745 0 0 1 .203 2.109c-.101.792-.768 1.299-1.464 1.353a12.955 12.955 0 0 1-2.856-.097.75.75 0 0 1 .217-1.484 11.351 11.351 0 0 0 2.523.085.14.14 0 0 0 .08-.03c.007-.006.01-.012.01-.012l.002-.003v-.003a3.29 3.29 0 0 0-.06-1.168H11.75a.75.75 0 0 1 0-1.5h1.663a3.262 3.262 0 0 0 .06-1.168l-.001-.006-.01-.012a.14.14 0 0 0-.08-.03c-.291-.023-.585-.034-.882-.034Z","clip-rule":"evenodd"})])}function Rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.5 1a.75.75 0 0 0-.75.75V6.5a.5.5 0 0 1-1 0V2.75a.75.75 0 0 0-1.5 0V7.5a.5.5 0 0 1-1 0V4.75a.75.75 0 0 0-1.5 0v4.5a5.75 5.75 0 0 0 11.5 0v-2.5a.75.75 0 0 0-1.5 0V9.5a.5.5 0 0 1-1 0V2.75a.75.75 0 0 0-1.5 0V6.5a.5.5 0 0 1-1 0V1.75A.75.75 0 0 0 8.5 1Z"})])}function Hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.325 3H12v5c-.663 0-1.219.466-1.557 1.037a4.02 4.02 0 0 1-1.357 1.377c-.478.292-.907.706-.989 1.26v.005a9.031 9.031 0 0 0 0 2.642c.028.194-.048.394-.224.479A2 2 0 0 1 5 13c0-.812.08-1.605.234-2.371a.521.521 0 0 0-.5-.629H3C1.896 10 .99 9.102 1.1 8.003A19.827 19.827 0 0 1 2.18 3.215C2.45 2.469 3.178 2 3.973 2h2.703a2 2 0 0 1 .632.103l2.384.794a2 2 0 0 0 .633.103ZM14 2a1 1 0 0 0-1 1v6a1 1 0 1 0 2 0V3a1 1 0 0 0-1-1Z"})])}function Pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.09 15a1 1 0 0 0 1-1V8a1 1 0 1 0-2 0v6a1 1 0 0 0 1 1ZM5.765 13H4.09V8c.663 0 1.218-.466 1.556-1.037a4.02 4.02 0 0 1 1.358-1.377c.478-.292.907-.706.989-1.26V4.32a9.03 9.03 0 0 0 0-2.642c-.028-.194.048-.394.224-.479A2 2 0 0 1 11.09 3c0 .812-.08 1.605-.235 2.371a.521.521 0 0 0 .502.629h1.733c1.104 0 2.01.898 1.901 1.997a19.831 19.831 0 0 1-1.081 4.788c-.27.747-.998 1.215-1.793 1.215H9.414c-.215 0-.428-.035-.632-.103l-2.384-.794A2.002 2.002 0 0 0 5.765 13Z"})])}function jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.487 2.89a.75.75 0 1 0-1.474-.28l-.455 2.388H3.61a.75.75 0 0 0 0 1.5h1.663l-.571 2.998H2.75a.75.75 0 0 0 0 1.5h1.666l-.403 2.114a.75.75 0 0 0 1.474.28l.456-2.394h2.973l-.403 2.114a.75.75 0 0 0 1.474.28l.456-2.394h1.947a.75.75 0 0 0 0-1.5h-1.661l.57-2.998h1.95a.75.75 0 0 0 0-1.5h-1.664l.402-2.108a.75.75 0 0 0-1.474-.28l-.455 2.388H7.085l.402-2.108ZM6.8 6.498l-.571 2.998h2.973l.57-2.998H6.8Z","clip-rule":"evenodd"})])}function Fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 6.342a3.375 3.375 0 0 1 6-2.088 3.375 3.375 0 0 1 5.997 2.26c-.063 2.134-1.618 3.76-2.955 4.784a14.437 14.437 0 0 1-2.676 1.61c-.02.01-.038.017-.05.022l-.014.006-.004.002h-.002a.75.75 0 0 1-.592.001h-.002l-.004-.003-.015-.006a5.528 5.528 0 0 1-.232-.107 14.395 14.395 0 0 1-2.535-1.557C3.564 10.22 1.999 8.558 1.999 6.38L2 6.342Z"})])}function zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.536 3.444a.75.75 0 0 0-.571-1.387L3.5 4.719V3.75a.75.75 0 0 0-1.5 0v1.586l-.535.22A.75.75 0 0 0 2 6.958V12.5h-.25a.75.75 0 0 0 0 1.5H4a1 1 0 0 0 1-1v-1a1 1 0 1 1 2 0v1a1 1 0 0 0 1 1h1a1 1 0 0 0 1-1V3.664l.536-.22ZM11.829 5.802a.75.75 0 0 0-.333.623V8.5c0 .027.001.053.004.08V13a1 1 0 0 0 1 1h.5a1 1 0 0 0 1-1V7.957a.75.75 0 0 0 .535-1.4l-2.004-.826a.75.75 0 0 0-.703.07Z"})])}function qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.543 2.232a.75.75 0 0 0-1.085 0l-5.25 5.5A.75.75 0 0 0 2.75 9H4v4a1 1 0 0 0 1 1h1a1 1 0 0 0 1-1v-1a1 1 0 1 1 2 0v1a1 1 0 0 0 1 1h1a1 1 0 0 0 1-1V9h1.25a.75.75 0 0 0 .543-1.268l-5.25-5.5Z"})])}function Un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a2 2 0 0 0-2 2v6a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V5a2 2 0 0 0-2-2H3Zm2.5 5a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3ZM10 5.75a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 0 1.5h-1.5a.75.75 0 0 1-.75-.75Zm.75 3.75a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 0-1.5h-1.5ZM10 8a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 0 1.5h-1.5A.75.75 0 0 1 10 8Zm-2.378 3c.346 0 .583-.343.395-.633A2.998 2.998 0 0 0 5.5 9a2.998 2.998 0 0 0-2.517 1.367c-.188.29.05.633.395.633h4.244Z","clip-rule":"evenodd"})])}function $n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.75 2.75a.75.75 0 0 0-1.5 0v3.69l-.72-.72a.75.75 0 0 0-1.06 1.06l2 2a.75.75 0 0 0 1.06 0l2-2a.75.75 0 1 0-1.06-1.06l-.72.72V2.75Z"}),(0,r.createElementVNode)("path",{d:"M4.784 4.5a.75.75 0 0 0-.701.483L2.553 9h2.412a1 1 0 0 1 .832.445l.406.61a1 1 0 0 0 .832.445h1.93a1 1 0 0 0 .832-.445l.406-.61A1 1 0 0 1 11.035 9h2.412l-1.53-4.017a.75.75 0 0 0-.7-.483h-.467a.75.75 0 0 1 0-1.5h.466c.934 0 1.77.577 2.103 1.449l1.534 4.026c.097.256.147.527.147.801v1.474A2.25 2.25 0 0 1 12.75 13h-9.5A2.25 2.25 0 0 1 1 10.75V9.276c0-.274.05-.545.147-.801l1.534-4.026A2.25 2.25 0 0 1 4.784 3h.466a.75.75 0 0 1 0 1.5h-.466Z"})])}function Wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.742 2.755A2.25 2.25 0 0 1 4.424 2h7.152a2.25 2.25 0 0 1 1.682.755l1.174 1.32c.366.412.568.944.568 1.495v.68a2.25 2.25 0 0 1-2.25 2.25h-9.5A2.25 2.25 0 0 1 1 6.25v-.68c0-.55.202-1.083.568-1.495l1.174-1.32Zm1.682.745a.75.75 0 0 0-.561.252L2.753 5h2.212a1 1 0 0 1 .832.445l.406.61a1 1 0 0 0 .832.445h1.93a1 1 0 0 0 .832-.445l.406-.61A1 1 0 0 1 11.035 5h2.211l-1.109-1.248a.75.75 0 0 0-.56-.252H4.423Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M1 10.75a.75.75 0 0 1 .75-.75h3.215a1 1 0 0 1 .832.445l.406.61a1 1 0 0 0 .832.445h1.93a1 1 0 0 0 .832-.445l.406-.61a1 1 0 0 1 .832-.445h3.215a.75.75 0 0 1 .75.75v1A2.25 2.25 0 0 1 12.75 14h-9.5A2.25 2.25 0 0 1 1 11.75v-1Z"})])}function Gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.784 3A2.25 2.25 0 0 0 2.68 4.449L1.147 8.475A2.25 2.25 0 0 0 1 9.276v1.474A2.25 2.25 0 0 0 3.25 13h9.5A2.25 2.25 0 0 0 15 10.75V9.276c0-.274-.05-.545-.147-.801l-1.534-4.026A2.25 2.25 0 0 0 11.216 3H4.784Zm-.701 1.983a.75.75 0 0 1 .7-.483h6.433a.75.75 0 0 1 .701.483L13.447 9h-2.412a1 1 0 0 0-.832.445l-.406.61a1 1 0 0 1-.832.445h-1.93a1 1 0 0 1-.832-.445l-.406-.61A1 1 0 0 0 4.965 9H2.553l1.53-4.017Z","clip-rule":"evenodd"})])}function Kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM9 5a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM6.75 8a.75.75 0 0 0 0 1.5h.75v1.75a.75.75 0 0 0 1.5 0v-2.5A.75.75 0 0 0 8.25 8h-1.5Z","clip-rule":"evenodd"})])}function Yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.25 2.75A.75.75 0 0 1 7 2h6a.75.75 0 0 1 0 1.5h-2.483l-3.429 9H9A.75.75 0 0 1 9 14H3a.75.75 0 0 1 0-1.5h2.483l3.429-9H7a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function Xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14 6a4 4 0 0 1-4.899 3.899l-1.955 1.955a.5.5 0 0 1-.353.146H5v1.5a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1-.5-.5v-2.293a.5.5 0 0 1 .146-.353l3.955-3.955A4 4 0 1 1 14 6Zm-4-2a.75.75 0 0 0 0 1.5.5.5 0 0 1 .5.5.75.75 0 0 0 1.5 0 2 2 0 0 0-2-2Z","clip-rule":"evenodd"})])}function Jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11 5a.75.75 0 0 1 .688.452l3.25 7.5a.75.75 0 1 1-1.376.596L12.89 12H9.109l-.67 1.548a.75.75 0 1 1-1.377-.596l3.25-7.5A.75.75 0 0 1 11 5Zm-1.24 5.5h2.48L11 7.636 9.76 10.5ZM5 1a.75.75 0 0 1 .75.75v1.261a25.27 25.27 0 0 1 2.598.211.75.75 0 1 1-.2 1.487c-.22-.03-.44-.056-.662-.08A12.939 12.939 0 0 1 5.92 8.058c.237.304.488.595.752.873a.75.75 0 0 1-1.086 1.035A13.075 13.075 0 0 1 5 9.307a13.068 13.068 0 0 1-2.841 2.546.75.75 0 0 1-.827-1.252A11.566 11.566 0 0 0 4.08 8.057a12.991 12.991 0 0 1-.554-.938.75.75 0 1 1 1.323-.707c.049.09.099.181.15.271.388-.68.708-1.405.952-2.164a23.941 23.941 0 0 0-4.1.19.75.75 0 0 1-.2-1.487c.853-.114 1.72-.185 2.598-.211V1.75A.75.75 0 0 1 5 1Z","clip-rule":"evenodd"})])}function Qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.95 3.05a7 7 0 1 0-9.9 9.9 7 7 0 0 0 9.9-9.9Zm-7.262-.042a5.516 5.516 0 0 1 4.624 0L8.698 5.082a3.016 3.016 0 0 0-1.396 0L5.688 3.008Zm-2.68 2.68a5.516 5.516 0 0 0 0 4.624l2.074-1.614a3.015 3.015 0 0 1 0-1.396L3.008 5.688Zm2.68 7.304 1.614-2.074c.458.11.938.11 1.396 0l1.614 2.074a5.516 5.516 0 0 1-4.624 0Zm7.304-2.68a5.516 5.516 0 0 0 0-4.624l-2.074 1.614c.11.458.11.938 0 1.396l2.074 1.614ZM6.94 6.939a1.5 1.5 0 1 1 2.122 2.122 1.5 1.5 0 0 1-2.122-2.122Z","clip-rule":"evenodd"})])}function er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.618 10.26c-.361.223-.618.598-.618 1.022 0 .226-.142.43-.36.49A6.006 6.006 0 0 1 8 12c-.569 0-1.12-.08-1.64-.227a.504.504 0 0 1-.36-.491c0-.424-.257-.799-.618-1.021a5 5 0 1 1 5.235 0ZM6.867 13.415a.75.75 0 1 0-.225 1.483 9.065 9.065 0 0 0 2.716 0 .75.75 0 1 0-.225-1.483 7.563 7.563 0 0 1-2.266 0Z"})])}function tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.28 2.22a.75.75 0 0 0-1.06 1.06l10.5 10.5a.75.75 0 1 0 1.06-1.06l-2.999-3a3.5 3.5 0 0 0-.806-3.695.75.75 0 0 0-1.06 1.061c.374.374.569.861.584 1.352L7.116 6.055l1.97-1.97a2 2 0 0 1 3.208 2.3.75.75 0 0 0 1.346.662 3.501 3.501 0 0 0-5.615-4.022l-1.97 1.97L3.28 2.22ZM3.705 9.616a.75.75 0 0 0-1.345-.663 3.501 3.501 0 0 0 5.615 4.022l.379-.379a.75.75 0 0 0-1.061-1.06l-.379.378a2 2 0 0 1-3.209-2.298Z"})])}function nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.914 6.025a.75.75 0 0 1 1.06 0 3.5 3.5 0 0 1 0 4.95l-2 2a3.5 3.5 0 0 1-5.396-4.402.75.75 0 0 1 1.251.827 2 2 0 0 0 3.085 2.514l2-2a2 2 0 0 0 0-2.828.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.086 9.975a.75.75 0 0 1-1.06 0 3.5 3.5 0 0 1 0-4.95l2-2a3.5 3.5 0 0 1 5.396 4.402.75.75 0 0 1-1.251-.827 2 2 0 0 0-3.085-2.514l-2 2a2 2 0 0 0 0 2.828.75.75 0 0 1 0 1.06Z","clip-rule":"evenodd"})])}function rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 4.75a1 1 0 1 0 0-2 1 1 0 0 0 0 2ZM6.25 3a.75.75 0 0 0 0 1.5h7a.75.75 0 0 0 0-1.5h-7ZM6.25 7.25a.75.75 0 0 0 0 1.5h7a.75.75 0 0 0 0-1.5h-7ZM6.25 11.5a.75.75 0 0 0 0 1.5h7a.75.75 0 0 0 0-1.5h-7ZM4 12.25a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM3 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z"})])}function or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a3.5 3.5 0 0 0-3.5 3.5V7A1.5 1.5 0 0 0 3 8.5v5A1.5 1.5 0 0 0 4.5 15h7a1.5 1.5 0 0 0 1.5-1.5v-5A1.5 1.5 0 0 0 11.5 7V4.5A3.5 3.5 0 0 0 8 1Zm2 6V4.5a2 2 0 1 0-4 0V7h4Z","clip-rule":"evenodd"})])}function ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.5 1A3.5 3.5 0 0 0 8 4.5V7H2.5A1.5 1.5 0 0 0 1 8.5v5A1.5 1.5 0 0 0 2.5 15h7a1.5 1.5 0 0 0 1.5-1.5v-5A1.5 1.5 0 0 0 9.5 7V4.5a2 2 0 1 1 4 0v1.75a.75.75 0 0 0 1.5 0V4.5A3.5 3.5 0 0 0 11.5 1Z"})])}function ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.94 8.06a1.5 1.5 0 1 1 2.12-2.12 1.5 1.5 0 0 1-2.12 2.12Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14ZM4.879 4.879a3 3 0 0 0 3.645 4.706L9.72 10.78a.75.75 0 0 0 1.061-1.06L9.585 8.524A3.001 3.001 0 0 0 4.879 4.88Z","clip-rule":"evenodd"})])}function lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.75 6.25h-3.5a.75.75 0 0 0 0 1.5h3.5a.75.75 0 0 0 0-1.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7 12c1.11 0 2.136-.362 2.965-.974l2.755 2.754a.75.75 0 1 0 1.06-1.06l-2.754-2.755A5 5 0 1 0 7 12Zm0-1.5a3.5 3.5 0 1 0 0-7 3.5 3.5 0 0 0 0 7Z","clip-rule":"evenodd"})])}function sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.25 8.75v-1h-1a.75.75 0 0 1 0-1.5h1v-1a.75.75 0 0 1 1.5 0v1h1a.75.75 0 0 1 0 1.5h-1v1a.75.75 0 0 1-1.5 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7 12c1.11 0 2.136-.362 2.965-.974l2.755 2.754a.75.75 0 1 0 1.06-1.06l-2.754-2.755A5 5 0 1 0 7 12Zm0-1.5a3.5 3.5 0 1 0 0-7 3.5 3.5 0 0 0 0 7Z","clip-rule":"evenodd"})])}function cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.965 11.026a5 5 0 1 1 1.06-1.06l2.755 2.754a.75.75 0 1 1-1.06 1.06l-2.755-2.754ZM10.5 7a3.5 3.5 0 1 1-7 0 3.5 3.5 0 0 1 7 0Z","clip-rule":"evenodd"})])}function ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m7.539 14.841.003.003.002.002a.755.755 0 0 0 .912 0l.002-.002.003-.003.012-.009a5.57 5.57 0 0 0 .19-.153 15.588 15.588 0 0 0 2.046-2.082c1.101-1.362 2.291-3.342 2.291-5.597A5 5 0 0 0 3 7c0 2.255 1.19 4.235 2.292 5.597a15.591 15.591 0 0 0 2.046 2.082 8.916 8.916 0 0 0 .189.153l.012.01ZM8 8.5a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3Z","clip-rule":"evenodd"})])}function dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.37 2.257a1.25 1.25 0 0 1 1.214-.054l3.378 1.69 2.133-1.313A1.25 1.25 0 0 1 14 3.644v7.326c0 .434-.225.837-.595 1.065l-2.775 1.708a1.25 1.25 0 0 1-1.214.053l-3.378-1.689-2.133 1.313A1.25 1.25 0 0 1 2 12.354V5.029c0-.434.225-.837.595-1.064L5.37 2.257ZM6 4a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0v-4.5A.75.75 0 0 1 6 4Zm4.75 2.75a.75.75 0 0 0-1.5 0v4.5a.75.75 0 0 0 1.5 0v-4.5Z","clip-rule":"evenodd"})])}function hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.407 2.59a.75.75 0 0 0-1.464.326c.365 1.636.557 3.337.557 5.084 0 1.747-.192 3.448-.557 5.084a.75.75 0 0 0 1.464.327c.264-1.185.444-2.402.531-3.644a2 2 0 0 0 0-3.534 24.736 24.736 0 0 0-.531-3.643ZM4.348 11H4a3 3 0 0 1 0-6h2c1.647 0 3.217-.332 4.646-.933C10.878 5.341 11 6.655 11 8c0 1.345-.122 2.659-.354 3.933a11.946 11.946 0 0 0-4.23-.925c.203.718.478 1.407.816 2.057.12.23.057.515-.155.663l-.828.58a.484.484 0 0 1-.707-.16A12.91 12.91 0 0 1 4.348 11Z"})])}function pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 1a2 2 0 0 0-2 2v4a2 2 0 1 0 4 0V3a2 2 0 0 0-2-2Z"}),(0,r.createElementVNode)("path",{d:"M4.5 7A.75.75 0 0 0 3 7a5.001 5.001 0 0 0 4.25 4.944V13.5h-1.5a.75.75 0 0 0 0 1.5h4.5a.75.75 0 0 0 0-1.5h-1.5v-1.556A5.001 5.001 0 0 0 13 7a.75.75 0 0 0-1.5 0 3.5 3.5 0 1 1-7 0Z"})])}function fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14Zm4-7a.75.75 0 0 0-.75-.75h-6.5a.75.75 0 0 0 0 1.5h6.5A.75.75 0 0 0 12 8Z","clip-rule":"evenodd"})])}function mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.75 7.25a.75.75 0 0 0 0 1.5h8.5a.75.75 0 0 0 0-1.5h-8.5Z"})])}function vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M14.438 10.148c.19-.425-.321-.787-.748-.601A5.5 5.5 0 0 1 6.453 2.31c.186-.427-.176-.938-.6-.748a6.501 6.501 0 1 0 8.585 8.586Z"})])}function gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M14 1.75a.75.75 0 0 0-.89-.737l-7.502 1.43a.75.75 0 0 0-.61.736v2.5c0 .018 0 .036.002.054V9.73a1 1 0 0 1-.813.983l-.58.11a1.978 1.978 0 0 0 .741 3.886l.603-.115c.9-.171 1.55-.957 1.55-1.873v-1.543l-.001-.043V6.3l6-1.143v3.146a1 1 0 0 1-.813.982l-.584.111a1.978 1.978 0 0 0 .74 3.886l.326-.062A2.252 2.252 0 0 0 14 11.007V1.75Z"})])}function wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 3a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v9a2 2 0 0 0 2 2h8a2 2 0 0 1-2-2V3ZM4 4h4v2H4V4Zm4 3.5H4V9h4V7.5Zm-4 3h4V12H4v-1.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M13 5h-1.5v6.25a1.25 1.25 0 1 0 2.5 0V6a1 1 0 0 0-1-1Z"})])}function yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.05 3.05a7 7 0 1 1 9.9 9.9 7 7 0 0 1-9.9-9.9Zm1.627.566 7.707 7.707a5.501 5.501 0 0 0-7.707-7.707Zm6.646 8.768L3.616 4.677a5.501 5.501 0 0 0 7.707 7.707Z","clip-rule":"evenodd"})])}function br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.995 1a.625.625 0 1 0 0 1.25h.38v2.125a.625.625 0 1 0 1.25 0v-2.75A.625.625 0 0 0 4 1H2.995ZM3.208 7.385a2.37 2.37 0 0 1 1.027-.124L2.573 8.923a.625.625 0 0 0 .439 1.067l1.987.011a.625.625 0 0 0 .006-1.25l-.49-.003.777-.776c.215-.215.335-.506.335-.809 0-.465-.297-.957-.842-1.078a3.636 3.636 0 0 0-1.993.121.625.625 0 1 0 .416 1.179ZM2.625 11a.625.625 0 1 0 0 1.25H4.25a.125.125 0 0 1 0 .25H3.5a.625.625 0 1 0 0 1.25h.75a.125.125 0 0 1 0 .25H2.625a.625.625 0 1 0 0 1.25H4.25a1.375 1.375 0 0 0 1.153-2.125A1.375 1.375 0 0 0 4.25 11H2.625ZM7.25 2a.75.75 0 0 0 0 1.5h6a.75.75 0 0 0 0-1.5h-6ZM7.25 7.25a.75.75 0 0 0 0 1.5h6a.75.75 0 0 0 0-1.5h-6ZM6.5 13.25a.75.75 0 0 1 .75-.75h6a.75.75 0 0 1 0 1.5h-6a.75.75 0 0 1-.75-.75Z"})])}function xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12.613 1.258a1.535 1.535 0 0 1 2.13 2.129l-1.905 2.856a8 8 0 0 1-3.56 2.939 4.011 4.011 0 0 0-2.46-2.46 8 8 0 0 1 2.94-3.56l2.855-1.904ZM5.5 8A2.5 2.5 0 0 0 3 10.5a.5.5 0 0 1-.7.459.75.75 0 0 0-.983 1A3.5 3.5 0 0 0 8 10.5 2.5 2.5 0 0 0 5.5 8Z"})])}function kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.87 2.298a.75.75 0 0 0-.812 1.021L3.39 6.624a1 1 0 0 0 .928.626H8.25a.75.75 0 0 1 0 1.5H4.318a1 1 0 0 0-.927.626l-1.333 3.305a.75.75 0 0 0 .811 1.022 24.89 24.89 0 0 0 11.668-5.115.75.75 0 0 0 0-1.175A24.89 24.89 0 0 0 2.869 2.298Z"})])}function Er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.914 4.086a2 2 0 0 0-2.828 0l-5 5a2 2 0 1 0 2.828 2.828l.556-.555a.75.75 0 0 1 1.06 1.06l-.555.556a3.5 3.5 0 0 1-4.95-4.95l5-5a3.5 3.5 0 0 1 4.95 4.95l-1.972 1.972a2.125 2.125 0 0 1-3.006-3.005L9.97 4.97a.75.75 0 1 1 1.06 1.06L9.058 8.003a.625.625 0 0 0 .884.883l1.972-1.972a2 2 0 0 0 0-2.828Z","clip-rule":"evenodd"})])}function Ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM5.5 5.5A.5.5 0 0 1 6 5h.5a.5.5 0 0 1 .5.5v5a.5.5 0 0 1-.5.5H6a.5.5 0 0 1-.5-.5v-5Zm4-.5a.5.5 0 0 0-.5.5v5a.5.5 0 0 0 .5.5h.5a.5.5 0 0 0 .5-.5v-5A.5.5 0 0 0 10 5h-.5Z","clip-rule":"evenodd"})])}function Cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.5 2a.5.5 0 0 0-.5.5v11a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-11a.5.5 0 0 0-.5-.5h-1ZM10.5 2a.5.5 0 0 0-.5.5v11a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-11a.5.5 0 0 0-.5-.5h-1Z"})])}function Br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.488 2.513a1.75 1.75 0 0 0-2.475 0L6.75 6.774a2.75 2.75 0 0 0-.596.892l-.848 2.047a.75.75 0 0 0 .98.98l2.047-.848a2.75 2.75 0 0 0 .892-.596l4.261-4.262a1.75 1.75 0 0 0 0-2.474Z"}),(0,r.createElementVNode)("path",{d:"M4.75 3.5c-.69 0-1.25.56-1.25 1.25v6.5c0 .69.56 1.25 1.25 1.25h6.5c.69 0 1.25-.56 1.25-1.25V9A.75.75 0 0 1 14 9v2.25A2.75 2.75 0 0 1 11.25 14h-6.5A2.75 2.75 0 0 1 2 11.25v-6.5A2.75 2.75 0 0 1 4.75 2H7a.75.75 0 0 1 0 1.5H4.75Z"})])}function Mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.013 2.513a1.75 1.75 0 0 1 2.475 2.474L6.226 12.25a2.751 2.751 0 0 1-.892.596l-2.047.848a.75.75 0 0 1-.98-.98l.848-2.047a2.75 2.75 0 0 1 .596-.892l7.262-7.261Z","clip-rule":"evenodd"})])}function _r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.396 6.093a2 2 0 0 0 0 3.814 2 2 0 0 0 2.697 2.697 2 2 0 0 0 3.814 0 2.001 2.001 0 0 0 2.698-2.697 2 2 0 0 0-.001-3.814 2.001 2.001 0 0 0-2.697-2.698 2 2 0 0 0-3.814.001 2 2 0 0 0-2.697 2.697ZM6 7a1 1 0 1 0 0-2 1 1 0 0 0 0 2Zm3.47-1.53a.75.75 0 1 1 1.06 1.06l-4 4a.75.75 0 1 1-1.06-1.06l4-4ZM11 10a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z","clip-rule":"evenodd"})])}function Sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m4.922 6.752-1.067.534a7.52 7.52 0 0 0 4.859 4.86l.534-1.068a1 1 0 0 1 1.046-.542l2.858.44a1 1 0 0 1 .848.988V13a1 1 0 0 1-1 1h-2c-.709 0-1.4-.082-2.062-.238a9.012 9.012 0 0 1-6.7-6.7A9.024 9.024 0 0 1 2 5V3a1 1 0 0 1 1-1h1.036a1 1 0 0 1 .988.848l.44 2.858a1 1 0 0 1-.542 1.046Z"}),(0,r.createElementVNode)("path",{d:"m11.56 5.5 2.22-2.22a.75.75 0 0 0-1.06-1.06L10.5 4.44V2.75a.75.75 0 0 0-1.5 0v3.5c0 .414.336.75.75.75h3.5a.75.75 0 0 0 0-1.5h-1.69Z"})])}function Nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m4.922 6.752-1.067.534a7.52 7.52 0 0 0 4.859 4.86l.534-1.068a1 1 0 0 1 1.046-.542l2.858.44a1 1 0 0 1 .848.988V13a1 1 0 0 1-1 1h-2c-.709 0-1.4-.082-2.062-.238a9.012 9.012 0 0 1-6.7-6.7A9.024 9.024 0 0 1 2 5V3a1 1 0 0 1 1-1h1.036a1 1 0 0 1 .988.848l.44 2.858a1 1 0 0 1-.542 1.046Z"}),(0,r.createElementVNode)("path",{d:"M9.22 5.72a.75.75 0 0 0 1.06 1.06l2.22-2.22v1.69a.75.75 0 0 0 1.5 0v-3.5a.75.75 0 0 0-.75-.75h-3.5a.75.75 0 0 0 0 1.5h1.69L9.22 5.72Z"})])}function Vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m3.855 7.286 1.067-.534a1 1 0 0 0 .542-1.046l-.44-2.858A1 1 0 0 0 4.036 2H3a1 1 0 0 0-1 1v2c0 .709.082 1.4.238 2.062a9.012 9.012 0 0 0 6.7 6.7A9.024 9.024 0 0 0 11 14h2a1 1 0 0 0 1-1v-1.036a1 1 0 0 0-.848-.988l-2.858-.44a1 1 0 0 0-1.046.542l-.534 1.067a7.52 7.52 0 0 1-4.86-4.859Z"}),(0,r.createElementVNode)("path",{d:"M13.78 2.22a.75.75 0 0 1 0 1.06L12.56 4.5l1.22 1.22a.75.75 0 0 1-1.06 1.06L11.5 5.56l-1.22 1.22a.75.75 0 1 1-1.06-1.06l1.22-1.22-1.22-1.22a.75.75 0 0 1 1.06-1.06l1.22 1.22 1.22-1.22a.75.75 0 0 1 1.06 0Z"})])}function Lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m3.855 7.286 1.067-.534a1 1 0 0 0 .542-1.046l-.44-2.858A1 1 0 0 0 4.036 2H3a1 1 0 0 0-1 1v2c0 .709.082 1.4.238 2.062a9.012 9.012 0 0 0 6.7 6.7A9.024 9.024 0 0 0 11 14h2a1 1 0 0 0 1-1v-1.036a1 1 0 0 0-.848-.988l-2.858-.44a1 1 0 0 0-1.046.542l-.534 1.067a7.52 7.52 0 0 1-4.86-4.859Z","clip-rule":"evenodd"})])}function Tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V4Zm10.5 5.707a.5.5 0 0 0-.146-.353l-1-1a.5.5 0 0 0-.708 0L9.354 9.646a.5.5 0 0 1-.708 0L6.354 7.354a.5.5 0 0 0-.708 0l-2 2a.5.5 0 0 0-.146.353V12a.5.5 0 0 0 .5.5h8a.5.5 0 0 0 .5-.5V9.707ZM12 5a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z","clip-rule":"evenodd"})])}function Ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14Zm-.847-9.766A.75.75 0 0 0 6 5.866v4.268a.75.75 0 0 0 1.153.633l3.353-2.134a.75.75 0 0 0 0-1.266L7.153 5.234Z","clip-rule":"evenodd"})])}function Zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 4.804a1 1 0 0 1 1.53-.848l5.113 3.196a1 1 0 0 1 0 1.696L2.53 12.044A1 1 0 0 1 1 11.196V4.804ZM13.5 4.5A.5.5 0 0 1 14 4h.5a.5.5 0 0 1 .5.5v7a.5.5 0 0 1-.5.5H14a.5.5 0 0 1-.5-.5v-7ZM10.5 4a.5.5 0 0 0-.5.5v7a.5.5 0 0 0 .5.5h.5a.5.5 0 0 0 .5-.5v-7A.5.5 0 0 0 11 4h-.5Z"})])}function Or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 3.732a1.5 1.5 0 0 1 2.305-1.265l6.706 4.267a1.5 1.5 0 0 1 0 2.531l-6.706 4.268A1.5 1.5 0 0 1 3 12.267V3.732Z"})])}function Dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14Zm.75-10.25v2.5h2.5a.75.75 0 0 1 0 1.5h-2.5v2.5a.75.75 0 0 1-1.5 0v-2.5h-2.5a.75.75 0 0 1 0-1.5h2.5v-2.5a.75.75 0 0 1 1.5 0Z","clip-rule":"evenodd"})])}function Rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.75 3.75a.75.75 0 0 0-1.5 0v3.5h-3.5a.75.75 0 0 0 0 1.5h3.5v3.5a.75.75 0 0 0 1.5 0v-3.5h3.5a.75.75 0 0 0 0-1.5h-3.5v-3.5Z"})])}function Hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a.75.75 0 0 1 .75.75v6.5a.75.75 0 0 1-1.5 0v-6.5A.75.75 0 0 1 8 1ZM4.11 3.05a.75.75 0 0 1 0 1.06 5.5 5.5 0 1 0 7.78 0 .75.75 0 0 1 1.06-1.06 7 7 0 1 1-9.9 0 .75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function Pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.75 2a.75.75 0 0 0 0 1.5H2V9a2 2 0 0 0 2 2h.043l-1.004 3.013a.75.75 0 0 0 1.423.474L4.624 14h6.752l.163.487a.75.75 0 1 0 1.422-.474L11.957 11H12a2 2 0 0 0 2-2V3.5h.25a.75.75 0 0 0 0-1.5H1.75Zm8.626 9 .5 1.5H5.124l.5-1.5h4.752ZM5.25 7a.75.75 0 0 0-.75.75v.5a.75.75 0 0 0 1.5 0v-.5A.75.75 0 0 0 5.25 7ZM10 4.75a.75.75 0 0 1 1.5 0v3.5a.75.75 0 0 1-1.5 0v-3.5ZM8 5.5a.75.75 0 0 0-.75.75v2a.75.75 0 0 0 1.5 0v-2A.75.75 0 0 0 8 5.5Z","clip-rule":"evenodd"})])}function jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.75 2a.75.75 0 0 0 0 1.5H2V9a2 2 0 0 0 2 2h.043l-1.005 3.013a.75.75 0 0 0 1.423.474L4.624 14h6.752l.163.487a.75.75 0 0 0 1.423-.474L11.957 11H12a2 2 0 0 0 2-2V3.5h.25a.75.75 0 0 0 0-1.5H1.75Zm8.626 9 .5 1.5H5.124l.5-1.5h4.752Zm1.317-5.833a.75.75 0 0 0-.892-1.206 8.789 8.789 0 0 0-2.465 2.814L7.28 5.72a.75.75 0 0 0-1.06 0l-2 2a.75.75 0 0 0 1.06 1.06l1.47-1.47L8.028 8.59a.75.75 0 0 0 1.228-.255 7.275 7.275 0 0 1 2.437-3.167Z","clip-rule":"evenodd"})])}function Fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 5a2 2 0 0 0-2 2v3a2 2 0 0 0 1.51 1.94l-.315 1.896A1 1 0 0 0 4.18 15h7.639a1 1 0 0 0 .986-1.164l-.316-1.897A2 2 0 0 0 14 10V7a2 2 0 0 0-2-2V2a1 1 0 0 0-1-1H5a1 1 0 0 0-1 1v3Zm1.5 0V2.5h5V5h-5Zm5.23 5.5H5.27l-.5 3h6.459l-.5-3Z","clip-rule":"evenodd"})])}function zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9 3.889c0-.273.188-.502.417-.65.355-.229.583-.587.583-.989C10 1.56 9.328 1 8.5 1S7 1.56 7 2.25c0 .41.237.774.603 1.002.22.137.397.355.397.613 0 .331-.275.596-.605.579-.744-.04-1.482-.1-2.214-.18a.75.75 0 0 0-.83.81c.067.764.111 1.535.133 2.312A.6.6 0 0 1 3.882 8c-.268 0-.495-.185-.64-.412C3.015 7.231 2.655 7 2.25 7 1.56 7 1 7.672 1 8.5S1.56 10 2.25 10c.404 0 .764-.23.993-.588.144-.227.37-.412.64-.412a.6.6 0 0 1 .601.614 39.338 39.338 0 0 1-.231 3.3.75.75 0 0 0 .661.829c.826.093 1.66.161 2.5.204A.56.56 0 0 0 8 13.386c0-.271-.187-.499-.415-.645C7.23 12.512 7 12.153 7 11.75c0-.69.672-1.25 1.5-1.25s1.5.56 1.5 1.25c0 .403-.23.762-.585.99-.228.147-.415.375-.415.646v.11c0 .278.223.504.5.504 1.196 0 2.381-.052 3.552-.154a.75.75 0 0 0 .68-.661c.135-1.177.22-2.37.253-3.574a.597.597 0 0 0-.6-.611c-.27 0-.498.187-.644.415-.229.356-.588.585-.991.585-.69 0-1.25-.672-1.25-1.5S11.06 7 11.75 7c.403 0 .762.23.99.585.147.228.375.415.646.415a.597.597 0 0 0 .599-.61 40.914 40.914 0 0 0-.132-2.365.75.75 0 0 0-.815-.684A39.51 39.51 0 0 1 9.5 4.5a.501.501 0 0 1-.5-.503v-.108Z"})])}function qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.75 4.25a.5.5 0 1 0 0 1 .5.5 0 0 0 0-1Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.5A1.5 1.5 0 0 1 3.5 2H6a1.5 1.5 0 0 1 1.5 1.5V6A1.5 1.5 0 0 1 6 7.5H3.5A1.5 1.5 0 0 1 2 6V3.5Zm1.5 0H6V6H3.5V3.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M4.25 11.25a.5.5 0 1 1 1 0 .5.5 0 0 1-1 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 10a1.5 1.5 0 0 1 1.5-1.5H6A1.5 1.5 0 0 1 7.5 10v2.5A1.5 1.5 0 0 1 6 14H3.5A1.5 1.5 0 0 1 2 12.5V10Zm1.5 2.5V10H6v2.5H3.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M11.25 4.25a.5.5 0 1 0 0 1 .5.5 0 0 0 0-1Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a1.5 1.5 0 0 0-1.5 1.5V6A1.5 1.5 0 0 0 10 7.5h2.5A1.5 1.5 0 0 0 14 6V3.5A1.5 1.5 0 0 0 12.5 2H10Zm2.5 1.5H10V6h2.5V3.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M8.5 9.417a.917.917 0 1 1 1.833 0 .917.917 0 0 1-1.833 0ZM8.5 13.083a.917.917 0 1 1 1.833 0 .917.917 0 0 1-1.833 0ZM13.083 8.5a.917.917 0 1 0 0 1.833.917.917 0 0 0 0-1.833ZM12.166 13.084a.917.917 0 1 1 1.833 0 .917.917 0 0 1-1.833 0ZM11.25 10.333a.917.917 0 1 0 0 1.833.917.917 0 0 0 0-1.833Z"})])}function Ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0Zm-6 3.5a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM7.293 5.293a1 1 0 1 1 .99 1.667c-.459.134-1.033.566-1.033 1.29v.25a.75.75 0 1 0 1.5 0v-.115a2.5 2.5 0 1 0-2.518-4.153.75.75 0 1 0 1.061 1.06Z","clip-rule":"evenodd"})])}function $r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 4a2 2 0 0 1 2-2h8a2 2 0 1 1 0 4H4a2 2 0 0 1-2-2ZM2 9.25a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 9.25ZM2.75 12.5a.75.75 0 0 0 0 1.5h10.5a.75.75 0 0 0 0-1.5H2.75Z"})])}function Wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.437 1.45a.75.75 0 0 1-.386.987L7.478 4H13a2 2 0 0 1 2 2v6a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V6a2 2 0 0 1 2-2h.736l6.713-2.937a.75.75 0 0 1 .988.386ZM12 8a1 1 0 1 0 0-2 1 1 0 0 0 0 2ZM6.75 6.75a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm-.75 3a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm2.323-1.225a.75.75 0 1 1-.75-1.3.75.75 0 0 1 .75 1.3ZM7.3 9.75a.75.75 0 1 0 1.299.75.75.75 0 0 0-1.3-.75Zm-.549 1.5a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm-3.348-.75a.75.75 0 1 0 1.3-.75.75.75 0 0 0-1.3.75Zm.275-1.975a.75.75 0 1 1 .75-1.3.75.75 0 0 1-.75 1.3ZM12 12a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function Gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 2A2.25 2.25 0 0 0 3 4.25v9a.75.75 0 0 0 1.183.613l1.692-1.195 1.692 1.195a.75.75 0 0 0 .866 0l1.692-1.195 1.693 1.195A.75.75 0 0 0 13 13.25v-9A2.25 2.25 0 0 0 10.75 2h-5.5Zm5.53 4.28a.75.75 0 1 0-1.06-1.06l-4.5 4.5a.75.75 0 1 0 1.06 1.06l4.5-4.5ZM7 6.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm2.75 4.25a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function Kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 2A2.25 2.25 0 0 0 3 4.25v9a.75.75 0 0 0 1.183.613l1.692-1.195 1.692 1.195a.75.75 0 0 0 .866 0l1.692-1.195 1.693 1.195A.75.75 0 0 0 13 13.25v-9A2.25 2.25 0 0 0 10.75 2h-5.5Zm3.03 3.28a.75.75 0 0 0-1.06-1.06L4.97 6.47a.75.75 0 0 0 0 1.06l2.25 2.25a.75.75 0 0 0 1.06-1.06l-.97-.97h1.315c.76 0 1.375.616 1.375 1.375a.75.75 0 0 0 1.5 0A2.875 2.875 0 0 0 8.625 6.25H7.311l.97-.97Z","clip-rule":"evenodd"})])}function Yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 4a1 1 0 0 1 1-1h5a1 1 0 0 1 1 1v3a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4ZM10 5a1 1 0 0 1 1-1h3a1 1 0 0 1 1 1v6a1 1 0 0 1-1 1h-3a1 1 0 0 1-1-1V5ZM4 10a1 1 0 0 0-1 1v1a1 1 0 0 0 1 1h4a1 1 0 0 0 1-1v-1a1 1 0 0 0-1-1H4Z"})])}function Xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5 3.5A1.5 1.5 0 0 1 6.5 2h3A1.5 1.5 0 0 1 11 3.5H5ZM4.5 5A1.5 1.5 0 0 0 3 6.5v.041a3.02 3.02 0 0 1 .5-.041h9c.17 0 .337.014.5.041V6.5A1.5 1.5 0 0 0 11.5 5h-7ZM12.5 8h-9A1.5 1.5 0 0 0 2 9.5v3A1.5 1.5 0 0 0 3.5 14h9a1.5 1.5 0 0 0 1.5-1.5v-3A1.5 1.5 0 0 0 12.5 8Z"})])}function Jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.333 4.478A4 4 0 0 0 1 8.25c0 .414.336.75.75.75h3.322c.572.71 1.219 1.356 1.928 1.928v3.322c0 .414.336.75.75.75a4 4 0 0 0 3.772-5.333A10.721 10.721 0 0 0 15 1.75a.75.75 0 0 0-.75-.75c-3.133 0-5.953 1.34-7.917 3.478ZM12 5.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M3.902 10.682a.75.75 0 1 0-1.313-.725 4.764 4.764 0 0 0-.469 3.36.75.75 0 0 0 .564.563 4.76 4.76 0 0 0 3.359-.47.75.75 0 1 0-.725-1.312 3.231 3.231 0 0 1-1.81.393 3.232 3.232 0 0 1 .394-1.81Z"})])}function Qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 2.75A.75.75 0 0 1 2.75 2C8.963 2 14 7.037 14 13.25a.75.75 0 0 1-1.5 0c0-5.385-4.365-9.75-9.75-9.75A.75.75 0 0 1 2 2.75Zm0 4.5a.75.75 0 0 1 .75-.75 6.75 6.75 0 0 1 6.75 6.75.75.75 0 0 1-1.5 0C8 10.35 5.65 8 2.75 8A.75.75 0 0 1 2 7.25ZM3.5 11a1.5 1.5 0 1 0 0 3 1.5 1.5 0 0 0 0-3Z","clip-rule":"evenodd"})])}function eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.75 2.5a.75.75 0 0 0-1.5 0v.508a32.661 32.661 0 0 0-4.624.434.75.75 0 0 0 .246 1.48l.13-.021-1.188 4.75a.75.75 0 0 0 .33.817A3.487 3.487 0 0 0 4 11c.68 0 1.318-.195 1.856-.532a.75.75 0 0 0 .33-.818l-1.25-5a31.31 31.31 0 0 1 2.314-.141V12.012c-.882.027-1.752.104-2.607.226a.75.75 0 0 0 .213 1.485 22.188 22.188 0 0 1 6.288 0 .75.75 0 1 0 .213-1.485 23.657 23.657 0 0 0-2.607-.226V4.509c.779.018 1.55.066 2.314.14L9.814 9.65a.75.75 0 0 0 .329.818 3.487 3.487 0 0 0 1.856.532c.68 0 1.318-.195 1.856-.532a.75.75 0 0 0 .33-.818L12.997 4.9l.13.022a.75.75 0 1 0 .247-1.48 32.66 32.66 0 0 0-4.624-.434V2.5ZM3.42 9.415a2 2 0 0 0 1.16 0L4 7.092l-.58 2.323ZM12 9.5a2 2 0 0 1-.582-.085L12 7.092l.58 2.323A2 2 0 0 1 12 9.5Z","clip-rule":"evenodd"})])}function to(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 6.665c.969.56 2.157.396 2.94-.323l.359.207c.34.196.777.02.97-.322.19-.337.115-.784-.22-.977l-.359-.207a2.501 2.501 0 1 0-3.69 1.622ZM4.364 5a1 1 0 1 1-1.732-1 1 1 0 0 1 1.732 1ZM8.903 5.465a2.75 2.75 0 0 0-1.775 1.893l-.375 1.398-1.563.902a2.501 2.501 0 1 0 .75 1.3L14.7 5.9a.75.75 0 0 0-.18-1.374l-.782-.21a2.75 2.75 0 0 0-1.593.052L8.903 5.465ZM4.365 11a1 1 0 1 1-1.732 1 1 1 0 0 1 1.732-1Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M8.892 10.408c-.052.03-.047.108.011.128l3.243 1.097a2.75 2.75 0 0 0 1.593.05l.781-.208a.75.75 0 0 0 .18-1.374l-2.137-1.235a1 1 0 0 0-1 0l-2.67 1.542Z"})])}function no(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.354 2a2 2 0 0 0-1.857 1.257l-.338.845C3.43 4.035 3.71 4 4 4h8c.29 0 .571.035.84.102l-.337-.845A2 2 0 0 0 10.646 2H5.354Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 13a2 2 0 0 1 2-2h8a2 2 0 1 1 0 4H4a2 2 0 0 1-2-2Zm10.75 0a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM9 13.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM4 5.5a2 2 0 1 0 0 4h8a2 2 0 1 0 0-4H4Zm8 2.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM9.75 7.5a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z","clip-rule":"evenodd"})])}function ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.665 3.588A2 2 0 0 1 5.622 2h4.754a2 2 0 0 1 1.958 1.588l1.098 5.218a3.487 3.487 0 0 0-1.433-.306H4c-.51 0-.995.11-1.433.306l1.099-5.218Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 10a2 2 0 1 0 0 4h8a2 2 0 1 0 0-4H4Zm8 2.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM9.75 12a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z","clip-rule":"evenodd"})])}function oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 6a2 2 0 1 0-1.994-1.842L5.323 6.5a2 2 0 1 0 0 3l4.683 2.342a2 2 0 1 0 .67-1.342L5.995 8.158a2.03 2.03 0 0 0 0-.316L10.677 5.5c.353.311.816.5 1.323.5Z"})])}function io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.5 1.709a.75.75 0 0 0-1 0 8.963 8.963 0 0 1-4.84 2.217.75.75 0 0 0-.654.72 10.499 10.499 0 0 0 5.647 9.672.75.75 0 0 0 .694-.001 10.499 10.499 0 0 0 5.647-9.672.75.75 0 0 0-.654-.719A8.963 8.963 0 0 1 8.5 1.71Zm2.34 5.504a.75.75 0 0 0-1.18-.926L7.394 9.17l-1.156-.99a.75.75 0 1 0-.976 1.138l1.75 1.5a.75.75 0 0 0 1.078-.106l2.75-3.5Z","clip-rule":"evenodd"})])}function ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 1.709a.75.75 0 0 1 1 0 8.963 8.963 0 0 0 4.84 2.217.75.75 0 0 1 .654.72 10.499 10.499 0 0 1-5.647 9.672.75.75 0 0 1-.694-.001 10.499 10.499 0 0 1-5.647-9.672.75.75 0 0 1 .654-.719A8.963 8.963 0 0 0 7.5 1.71ZM8 5a.75.75 0 0 1 .75.75v2a.75.75 0 0 1-1.5 0v-2A.75.75 0 0 1 8 5Zm0 7a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 4a3 3 0 0 1 6 0v1h.643a1.5 1.5 0 0 1 1.492 1.35l.7 7A1.5 1.5 0 0 1 12.342 15H3.657a1.5 1.5 0 0 1-1.492-1.65l.7-7A1.5 1.5 0 0 1 4.357 5H5V4Zm4.5 0v1h-3V4a1.5 1.5 0 0 1 3 0Zm-3 3.75a.75.75 0 0 0-1.5 0v1a3 3 0 1 0 6 0v-1a.75.75 0 0 0-1.5 0v1a1.5 1.5 0 1 1-3 0v-1Z","clip-rule":"evenodd"})])}function so(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1.75 1.002a.75.75 0 1 0 0 1.5h1.835l1.24 5.113A3.752 3.752 0 0 0 2 11.25c0 .414.336.75.75.75h10.5a.75.75 0 0 0 0-1.5H3.628A2.25 2.25 0 0 1 5.75 9h6.5a.75.75 0 0 0 .73-.578l.846-3.595a.75.75 0 0 0-.578-.906 44.118 44.118 0 0 0-7.996-.91l-.348-1.436a.75.75 0 0 0-.73-.573H1.75ZM5 14a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM13 14a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z"})])}function co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.28 2.22a.75.75 0 0 0-1.06 1.06l4.782 4.783a1 1 0 0 0 .935.935l4.783 4.782a.75.75 0 1 0 1.06-1.06L8.998 7.937a1 1 0 0 0-.935-.935L3.28 2.22ZM3.05 12.95a7.003 7.003 0 0 1-1.33-8.047L2.86 6.04a5.501 5.501 0 0 0 1.25 5.849.75.75 0 1 1-1.06 1.06ZM5.26 10.74a3.87 3.87 0 0 1-1.082-3.38L5.87 9.052c.112.226.262.439.45.627a.75.75 0 1 1-1.06 1.061ZM12.95 3.05a7.003 7.003 0 0 1 1.33 8.048l-1.14-1.139a5.501 5.501 0 0 0-1.25-5.848.75.75 0 0 1 1.06-1.06ZM10.74 5.26a3.87 3.87 0 0 1 1.082 3.38L10.13 6.948a2.372 2.372 0 0 0-.45-.627.75.75 0 0 1 1.06-1.061Z"})])}function uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.68 5.26a.75.75 0 0 1 1.06 0 3.875 3.875 0 0 1 0 5.48.75.75 0 1 1-1.06-1.06 2.375 2.375 0 0 0 0-3.36.75.75 0 0 1 0-1.06Zm-3.36 0a.75.75 0 0 1 0 1.06 2.375 2.375 0 0 0 0 3.36.75.75 0 1 1-1.06 1.06 3.875 3.875 0 0 1 0-5.48.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.89 3.05a.75.75 0 0 1 1.06 0 7 7 0 0 1 0 9.9.75.75 0 1 1-1.06-1.06 5.5 5.5 0 0 0 0-7.78.75.75 0 0 1 0-1.06Zm-7.78 0a.75.75 0 0 1 0 1.06 5.5 5.5 0 0 0 0 7.78.75.75 0 1 1-1.06 1.06 7 7 0 0 1 0-9.9.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.074 2.047a.75.75 0 0 1 .449.961L6.705 13.507a.75.75 0 0 1-1.41-.513L9.113 2.496a.75.75 0 0 1 .961-.449Z","clip-rule":"evenodd"})])}function po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 4a.75.75 0 0 1 .738.616l.252 1.388A1.25 1.25 0 0 0 6.996 7.01l1.388.252a.75.75 0 0 1 0 1.476l-1.388.252A1.25 1.25 0 0 0 5.99 9.996l-.252 1.388a.75.75 0 0 1-1.476 0L4.01 9.996A1.25 1.25 0 0 0 3.004 8.99l-1.388-.252a.75.75 0 0 1 0-1.476l1.388-.252A1.25 1.25 0 0 0 4.01 6.004l.252-1.388A.75.75 0 0 1 5 4ZM12 1a.75.75 0 0 1 .721.544l.195.682c.118.415.443.74.858.858l.682.195a.75.75 0 0 1 0 1.442l-.682.195a1.25 1.25 0 0 0-.858.858l-.195.682a.75.75 0 0 1-1.442 0l-.195-.682a1.25 1.25 0 0 0-.858-.858l-.682-.195a.75.75 0 0 1 0-1.442l.682-.195a1.25 1.25 0 0 0 .858-.858l.195-.682A.75.75 0 0 1 12 1ZM10 11a.75.75 0 0 1 .728.568.968.968 0 0 0 .704.704.75.75 0 0 1 0 1.456.968.968 0 0 0-.704.704.75.75 0 0 1-1.456 0 .968.968 0 0 0-.704-.704.75.75 0 0 1 0-1.456.968.968 0 0 0 .704-.704A.75.75 0 0 1 10 11Z","clip-rule":"evenodd"})])}function fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.557 2.066A.75.75 0 0 1 8 2.75v10.5a.75.75 0 0 1-1.248.56L3.59 11H2a1 1 0 0 1-1-1V6a1 1 0 0 1 1-1h1.59l3.162-2.81a.75.75 0 0 1 .805-.124ZM12.95 3.05a.75.75 0 1 0-1.06 1.06 5.5 5.5 0 0 1 0 7.78.75.75 0 1 0 1.06 1.06 7 7 0 0 0 0-9.9Z"}),(0,r.createElementVNode)("path",{d:"M10.828 5.172a.75.75 0 1 0-1.06 1.06 2.5 2.5 0 0 1 0 3.536.75.75 0 1 0 1.06 1.06 4 4 0 0 0 0-5.656Z"})])}function mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.557 2.066A.75.75 0 0 1 8 2.75v10.5a.75.75 0 0 1-1.248.56L3.59 11H2a1 1 0 0 1-1-1V6a1 1 0 0 1 1-1h1.59l3.162-2.81a.75.75 0 0 1 .805-.124ZM11.28 5.72a.75.75 0 1 0-1.06 1.06L11.44 8l-1.22 1.22a.75.75 0 1 0 1.06 1.06l1.22-1.22 1.22 1.22a.75.75 0 1 0 1.06-1.06L13.56 8l1.22-1.22a.75.75 0 0 0-1.06-1.06L12.5 6.94l-1.22-1.22Z"})])}function vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5 6.5A1.5 1.5 0 0 1 6.5 5h6A1.5 1.5 0 0 1 14 6.5v6a1.5 1.5 0 0 1-1.5 1.5h-6A1.5 1.5 0 0 1 5 12.5v-6Z"}),(0,r.createElementVNode)("path",{d:"M3.5 2A1.5 1.5 0 0 0 2 3.5v6A1.5 1.5 0 0 0 3.5 11V6.5a3 3 0 0 1 3-3H11A1.5 1.5 0 0 0 9.5 2h-6Z"})])}function go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.628 1.099a.75.75 0 0 1 .744 0l5.25 3a.75.75 0 0 1 0 1.302l-5.25 3a.75.75 0 0 1-.744 0l-5.25-3a.75.75 0 0 1 0-1.302l5.25-3Z"}),(0,r.createElementVNode)("path",{d:"m2.57 7.24-.192.11a.75.75 0 0 0 0 1.302l5.25 3a.75.75 0 0 0 .744 0l5.25-3a.75.75 0 0 0 0-1.303l-.192-.11-4.314 2.465a2.25 2.25 0 0 1-2.232 0L2.57 7.239Z"}),(0,r.createElementVNode)("path",{d:"m2.378 10.6.192-.11 4.314 2.464a2.25 2.25 0 0 0 2.232 0l4.314-2.465.192.11a.75.75 0 0 1 0 1.303l-5.25 3a.75.75 0 0 1-.744 0l-5.25-3a.75.75 0 0 1 0-1.303Z"})])}function wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.5 2A1.5 1.5 0 0 0 2 3.5v2A1.5 1.5 0 0 0 3.5 7h2A1.5 1.5 0 0 0 7 5.5v-2A1.5 1.5 0 0 0 5.5 2h-2ZM3.5 9A1.5 1.5 0 0 0 2 10.5v2A1.5 1.5 0 0 0 3.5 14h2A1.5 1.5 0 0 0 7 12.5v-2A1.5 1.5 0 0 0 5.5 9h-2ZM9 3.5A1.5 1.5 0 0 1 10.5 2h2A1.5 1.5 0 0 1 14 3.5v2A1.5 1.5 0 0 1 12.5 7h-2A1.5 1.5 0 0 1 9 5.5v-2ZM10.5 9A1.5 1.5 0 0 0 9 10.5v2a1.5 1.5 0 0 0 1.5 1.5h2a1.5 1.5 0 0 0 1.5-1.5v-2A1.5 1.5 0 0 0 12.5 9h-2Z"})])}function yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 3.5A1.5 1.5 0 0 1 3.5 2h2A1.5 1.5 0 0 1 7 3.5v2A1.5 1.5 0 0 1 5.5 7h-2A1.5 1.5 0 0 1 2 5.5v-2ZM2 10.5A1.5 1.5 0 0 1 3.5 9h2A1.5 1.5 0 0 1 7 10.5v2A1.5 1.5 0 0 1 5.5 14h-2A1.5 1.5 0 0 1 2 12.5v-2ZM10.5 2A1.5 1.5 0 0 0 9 3.5v2A1.5 1.5 0 0 0 10.5 7h2A1.5 1.5 0 0 0 14 5.5v-2A1.5 1.5 0 0 0 12.5 2h-2ZM11.5 9a.75.75 0 0 1 .75.75v1h1a.75.75 0 0 1 0 1.5h-1v1a.75.75 0 0 1-1.5 0v-1h-1a.75.75 0 0 1 0-1.5h1v-1A.75.75 0 0 1 11.5 9Z"})])}function bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1.75a.75.75 0 0 1 .692.462l1.41 3.393 3.664.293a.75.75 0 0 1 .428 1.317l-2.791 2.39.853 3.575a.75.75 0 0 1-1.12.814L7.998 12.08l-3.135 1.915a.75.75 0 0 1-1.12-.814l.852-3.574-2.79-2.39a.75.75 0 0 1 .427-1.318l3.663-.293 1.41-3.393A.75.75 0 0 1 8 1.75Z","clip-rule":"evenodd"})])}function xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14ZM6.5 5.5a1 1 0 0 0-1 1v3a1 1 0 0 0 1 1h3a1 1 0 0 0 1-1v-3a1 1 0 0 0-1-1h-3Z","clip-rule":"evenodd"})])}function ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("rect",{width:"10",height:"10",x:"3",y:"3",rx:"1.5"})])}function Eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.165 3.654c-.95-.255-1.921-.273-2.693-.042-.769.231-1.087.624-1.173.947-.087.323-.008.822.543 1.407.389.412.927.77 1.55 1.034H13a.75.75 0 0 1 0 1.5H3A.75.75 0 0 1 3 7h1.756l-.006-.006c-.787-.835-1.161-1.849-.9-2.823.26-.975 1.092-1.666 2.191-1.995 1.097-.33 2.36-.28 3.512.029.75.2 1.478.518 2.11.939a.75.75 0 0 1-.833 1.248 5.682 5.682 0 0 0-1.665-.738Zm2.074 6.365a.75.75 0 0 1 .91.543 2.44 2.44 0 0 1-.35 2.024c-.405.585-1.052 1.003-1.84 1.24-1.098.329-2.36.279-3.512-.03-1.152-.308-2.27-.897-3.056-1.73a.75.75 0 0 1 1.092-1.029c.552.586 1.403 1.056 2.352 1.31.95.255 1.92.273 2.692.042.55-.165.873-.417 1.038-.656a.942.942 0 0 0 .13-.803.75.75 0 0 1 .544-.91Z","clip-rule":"evenodd"})])}function Ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 1a.75.75 0 0 1 .75.75v1.5a.75.75 0 0 1-1.5 0v-1.5A.75.75 0 0 1 8 1ZM10.5 8a2.5 2.5 0 1 1-5 0 2.5 2.5 0 0 1 5 0ZM12.95 4.11a.75.75 0 1 0-1.06-1.06l-1.062 1.06a.75.75 0 0 0 1.061 1.062l1.06-1.061ZM15 8a.75.75 0 0 1-.75.75h-1.5a.75.75 0 0 1 0-1.5h1.5A.75.75 0 0 1 15 8ZM11.89 12.95a.75.75 0 0 0 1.06-1.06l-1.06-1.062a.75.75 0 0 0-1.062 1.061l1.061 1.06ZM8 12a.75.75 0 0 1 .75.75v1.5a.75.75 0 0 1-1.5 0v-1.5A.75.75 0 0 1 8 12ZM5.172 11.89a.75.75 0 0 0-1.061-1.062L3.05 11.89a.75.75 0 1 0 1.06 1.06l1.06-1.06ZM4 8a.75.75 0 0 1-.75.75h-1.5a.75.75 0 0 1 0-1.5h1.5A.75.75 0 0 1 4 8ZM4.11 5.172A.75.75 0 0 0 5.173 4.11L4.11 3.05a.75.75 0 1 0-1.06 1.06l1.06 1.06Z"})])}function Co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3a1 1 0 0 1 1-1h3a1 1 0 0 1 1 1v8.5a2.5 2.5 0 0 1-5 0V3Zm3.25 8.5a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"m8.5 11.035 3.778-3.778a1 1 0 0 0 0-1.414l-2.122-2.121a1 1 0 0 0-1.414 0l-.242.242v7.07ZM7.656 14H13a1 1 0 0 0 1-1v-3a1 1 0 0 0-1-1h-.344l-5 5Z"})])}function Bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 11a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V5a2 2 0 0 1 2-2h10a2 2 0 0 1 2 2v6ZM7.25 7.5a.5.5 0 0 0-.5-.5H3a.5.5 0 0 0-.5.5V8a.5.5 0 0 0 .5.5h3.75a.5.5 0 0 0 .5-.5v-.5Zm1.5 3a.5.5 0 0 1 .5-.5H13a.5.5 0 0 1 .5.5v.5a.5.5 0 0 1-.5.5H9.25a.5.5 0 0 1-.5-.5v-.5ZM13.5 8v-.5A.5.5 0 0 0 13 7H9.25a.5.5 0 0 0-.5.5V8a.5.5 0 0 0 .5.5H13a.5.5 0 0 0 .5-.5Zm-6.75 3.5a.5.5 0 0 0 .5-.5v-.5a.5.5 0 0 0-.5-.5H3a.5.5 0 0 0-.5.5v.5a.5.5 0 0 0 .5.5h3.75Z","clip-rule":"evenodd"})])}function Mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A2.5 2.5 0 0 0 2 4.5v2.879a2.5 2.5 0 0 0 .732 1.767l4.5 4.5a2.5 2.5 0 0 0 3.536 0l2.878-2.878a2.5 2.5 0 0 0 0-3.536l-4.5-4.5A2.5 2.5 0 0 0 7.38 2H4.5ZM5 6a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function _o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 4.5A1.5 1.5 0 0 1 2.5 3h11A1.5 1.5 0 0 1 15 4.5v1c0 .276-.227.494-.495.562a2 2 0 0 0 0 3.876c.268.068.495.286.495.562v1a1.5 1.5 0 0 1-1.5 1.5h-11A1.5 1.5 0 0 1 1 11.5v-1c0-.276.227-.494.495-.562a2 2 0 0 0 0-3.876C1.227 5.994 1 5.776 1 5.5v-1Zm9 1.25a.75.75 0 0 1 1.5 0v1a.75.75 0 0 1-1.5 0v-1Zm.75 2.75a.75.75 0 0 0-.75.75v1a.75.75 0 0 0 1.5 0v-1a.75.75 0 0 0-.75-.75Z","clip-rule":"evenodd"})])}function So(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 3.25V4H2.75a.75.75 0 0 0 0 1.5h.3l.815 8.15A1.5 1.5 0 0 0 5.357 15h5.285a1.5 1.5 0 0 0 1.493-1.35l.815-8.15h.3a.75.75 0 0 0 0-1.5H11v-.75A2.25 2.25 0 0 0 8.75 1h-1.5A2.25 2.25 0 0 0 5 3.25Zm2.25-.75a.75.75 0 0 0-.75.75V4h3v-.75a.75.75 0 0 0-.75-.75h-1.5ZM6.05 6a.75.75 0 0 1 .787.713l.275 5.5a.75.75 0 0 1-1.498.075l-.275-5.5A.75.75 0 0 1 6.05 6Zm3.9 0a.75.75 0 0 1 .712.787l-.275 5.5a.75.75 0 0 1-1.498-.075l.275-5.5a.75.75 0 0 1 .786-.711Z","clip-rule":"evenodd"})])}function No(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 1.69a.494.494 0 0 0-.438-.494 32.352 32.352 0 0 0-7.124 0A.494.494 0 0 0 4 1.689v.567c-.811.104-1.612.24-2.403.406a.75.75 0 0 0-.595.714 4.5 4.5 0 0 0 4.35 4.622A3.99 3.99 0 0 0 7 8.874V10H6a1 1 0 0 0-1 1v2h-.667C3.597 13 3 13.597 3 14.333c0 .368.298.667.667.667h8.666a.667.667 0 0 0 .667-.667c0-.736-.597-1.333-1.333-1.333H11v-2a1 1 0 0 0-1-1H9V8.874a3.99 3.99 0 0 0 1.649-.876 4.5 4.5 0 0 0 4.35-4.622.75.75 0 0 0-.596-.714A30.897 30.897 0 0 0 12 2.256v-.567ZM4 3.768c-.49.066-.976.145-1.458.235a3.004 3.004 0 0 0 1.64 2.192A3.999 3.999 0 0 1 4 5V3.769Zm8 0c.49.066.976.145 1.458.235a3.004 3.004 0 0 1-1.64 2.192C11.936 5.818 12 5.416 12 5V3.769Z","clip-rule":"evenodd"})])}function Vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.908 2.067A.978.978 0 0 0 2 3.05V8h6V3.05a.978.978 0 0 0-.908-.983 32.481 32.481 0 0 0-4.184 0ZM12.919 4.722A.98.98 0 0 0 11.968 4H10a1 1 0 0 0-1 1v6.268A2 2 0 0 1 12 13h1a.977.977 0 0 0 .985-1 31.99 31.99 0 0 0-1.066-7.278Z"}),(0,r.createElementVNode)("path",{d:"M11 13a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM2 12V9h6v3a1 1 0 0 1-1 1 2 2 0 1 0-4 0 1 1 0 0 1-1-1Z"}),(0,r.createElementVNode)("path",{d:"M6 13a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z"})])}function Lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 5H4v4h8V5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 3a1 1 0 0 1 1-1h12a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1h-4v1.5h2.25a.75.75 0 0 1 0 1.5h-8.5a.75.75 0 0 1 0-1.5H6V12H2a1 1 0 0 1-1-1V3Zm1.5 7.5v-7h11v7h-11Z","clip-rule":"evenodd"})])}function To(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.75 2a.75.75 0 0 1 .75.75V7a2.5 2.5 0 0 0 5 0V2.75a.75.75 0 0 1 1.5 0V7a4 4 0 0 1-8 0V2.75A.75.75 0 0 1 4.75 2ZM2 13.25a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function Io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0Zm-5-2a2 2 0 1 1-4 0 2 2 0 0 1 4 0ZM8 9c-1.825 0-3.422.977-4.295 2.437A5.49 5.49 0 0 0 8 13.5a5.49 5.49 0 0 0 4.294-2.063A4.997 4.997 0 0 0 8 9Z","clip-rule":"evenodd"})])}function Zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 8a2.5 2.5 0 1 0 0-5 2.5 2.5 0 0 0 0 5ZM3.156 11.763c.16-.629.44-1.21.813-1.72a2.5 2.5 0 0 0-2.725 1.377c-.136.287.102.58.418.58h1.449c.01-.077.025-.156.045-.237ZM12.847 11.763c.02.08.036.16.046.237h1.446c.316 0 .554-.293.417-.579a2.5 2.5 0 0 0-2.722-1.378c.374.51.653 1.09.813 1.72ZM14 7.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0ZM3.5 9a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3ZM5 13c-.552 0-1.013-.455-.876-.99a4.002 4.002 0 0 1 7.753 0c.136.535-.324.99-.877.99H5Z"})])}function Oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.5 4.5a2.5 2.5 0 1 1-5 0 2.5 2.5 0 0 1 5 0ZM10 13c.552 0 1.01-.452.9-.994a5.002 5.002 0 0 0-9.802 0c-.109.542.35.994.902.994h8ZM10.75 5.25a.75.75 0 0 0 0 1.5h3.5a.75.75 0 0 0 0-1.5h-3.5Z"})])}function Do(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.5 4.5a2.5 2.5 0 1 1-5 0 2.5 2.5 0 0 1 5 0ZM10 13c.552 0 1.01-.452.9-.994a5.002 5.002 0 0 0-9.802 0c-.109.542.35.994.902.994h8ZM12.5 3.5a.75.75 0 0 1 .75.75v1h1a.75.75 0 0 1 0 1.5h-1v1a.75.75 0 0 1-1.5 0v-1h-1a.75.75 0 0 1 0-1.5h1v-1a.75.75 0 0 1 .75-.75Z"})])}function Ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 8a3 3 0 1 0 0-6 3 3 0 0 0 0 6ZM12.735 14c.618 0 1.093-.561.872-1.139a6.002 6.002 0 0 0-11.215 0c-.22.578.254 1.139.872 1.139h9.47Z"})])}function Ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.5 4.5a2.5 2.5 0 1 1-5 0 2.5 2.5 0 0 1 5 0ZM10.9 12.006c.11.542-.348.994-.9.994H2c-.553 0-1.01-.452-.902-.994a5.002 5.002 0 0 1 9.803 0ZM14.002 12h-1.59a2.556 2.556 0 0 0-.04-.29 6.476 6.476 0 0 0-1.167-2.603 3.002 3.002 0 0 1 3.633 1.911c.18.522-.283.982-.836.982ZM12 8a2 2 0 1 0 0-4 2 2 0 0 0 0 4Z"})])}function Po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.38 3.012a.75.75 0 1 0-1.408-.516A15.97 15.97 0 0 0 1 8c0 1.932.343 3.786.972 5.503a.75.75 0 0 0 1.408-.516A14.47 14.47 0 0 1 2.5 8c0-1.754.311-3.434.88-4.988ZM12.62 3.012a.75.75 0 1 1 1.408-.516A15.97 15.97 0 0 1 15 8a15.97 15.97 0 0 1-.972 5.503.75.75 0 0 1-1.408-.516c.569-1.554.88-3.233.88-4.987s-.311-3.434-.88-4.988ZM6.523 4.785a.75.75 0 0 1 .898.38l.758 1.515.812-.902a2.376 2.376 0 0 1 2.486-.674.75.75 0 1 1-.454 1.429.876.876 0 0 0-.918.249L8.9 8.122l.734 1.468.388-.124a.75.75 0 0 1 .457 1.428l-1 .32a.75.75 0 0 1-.899-.379L7.821 9.32l-.811.901a2.374 2.374 0 0 1-2.489.673.75.75 0 0 1 .458-1.428.874.874 0 0 0 .916-.248L7.1 7.878 6.366 6.41l-.389.124a.75.75 0 1 1-.454-1.43l1-.318Z"})])}function jo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 10V6.682L6.318 12H3a2 2 0 0 1-2-2ZM10 6v3.318L4.682 4H8a2 2 0 0 1 2 2ZM14.537 4.057A.75.75 0 0 1 15 4.75v6.5a.75.75 0 0 1-1.28.53l-2-2a.75.75 0 0 1-.22-.53v-2.5a.75.75 0 0 1 .22-.53l2-2a.75.75 0 0 1 .817-.163ZM2.78 4.22a.75.75 0 0 0-1.06 1.06l6.5 6.5a.75.75 0 0 0 1.06-1.06l-6.5-6.5Z"})])}function Fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 4a2 2 0 0 0-2 2v4a2 2 0 0 0 2 2h5a2 2 0 0 0 2-2V6a2 2 0 0 0-2-2H3ZM15 4.75a.75.75 0 0 0-1.28-.53l-2 2a.75.75 0 0 0-.22.53v2.5c0 .199.079.39.22.53l2 2a.75.75 0 0 0 1.28-.53v-6.5Z"})])}function zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9.836 3h-3.67v10h3.67V3ZM11.336 13H13.5a1.5 1.5 0 0 0 1.5-1.5v-7A1.5 1.5 0 0 0 13.5 3h-2.164v10ZM2.5 3h2.166v10H2.5A1.5 1.5 0 0 1 1 11.5v-7A1.5 1.5 0 0 1 2.5 3Z"})])}function qo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.75 2A1.75 1.75 0 0 0 2 3.75v1.5a.75.75 0 0 0 1.5 0v-1.5a.25.25 0 0 1 .25-.25h1.5a.75.75 0 0 0 0-1.5h-1.5ZM10.75 2a.75.75 0 0 0 0 1.5h1.5a.25.25 0 0 1 .25.25v1.5a.75.75 0 0 0 1.5 0v-1.5A1.75 1.75 0 0 0 12.25 2h-1.5ZM3.5 10.75a.75.75 0 0 0-1.5 0v1.5c0 .966.784 1.75 1.75 1.75h1.5a.75.75 0 0 0 0-1.5h-1.5a.25.25 0 0 1-.25-.25v-1.5ZM14 10.75a.75.75 0 0 0-1.5 0v1.5a.25.25 0 0 1-.25.25h-1.5a.75.75 0 0 0 0 1.5h1.5A1.75 1.75 0 0 0 14 12.25v-1.5ZM8 10a2 2 0 1 0 0-4 2 2 0 0 0 0 4Z"})])}function Uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 3.5A1.5 1.5 0 0 1 3.5 2h9A1.5 1.5 0 0 1 14 3.5v.401a2.986 2.986 0 0 0-1.5-.401h-9c-.546 0-1.059.146-1.5.401V3.5ZM3.5 5A1.5 1.5 0 0 0 2 6.5v.401A2.986 2.986 0 0 1 3.5 6.5h9c.546 0 1.059.146 1.5.401V6.5A1.5 1.5 0 0 0 12.5 5h-9ZM8 10a2 2 0 0 0 1.938-1.505c.068-.268.286-.495.562-.495h2A1.5 1.5 0 0 1 14 9.5v3a1.5 1.5 0 0 1-1.5 1.5h-9A1.5 1.5 0 0 1 2 12.5v-3A1.5 1.5 0 0 1 3.5 8h2c.276 0 .494.227.562.495A2 2 0 0 0 8 10Z"})])}function $o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.188 7.063a8.75 8.75 0 0 0-12.374 0 .75.75 0 0 1-1.061-1.06c4.003-4.004 10.493-4.004 14.496 0a.75.75 0 1 1-1.061 1.06Zm-2.121 2.121a5.75 5.75 0 0 0-8.132 0 .75.75 0 0 1-1.06-1.06 7.25 7.25 0 0 1 10.252 0 .75.75 0 0 1-1.06 1.06Zm-2.122 2.122a2.75 2.75 0 0 0-3.889 0 .75.75 0 1 1-1.06-1.061 4.25 4.25 0 0 1 6.01 0 .75.75 0 0 1-1.06 1.06Zm-2.828 1.06a1.25 1.25 0 0 1 1.768 0 .75.75 0 0 1 0 1.06l-.355.355a.75.75 0 0 1-1.06 0l-.354-.354a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function Wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 12V4a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2Zm1.5-5.5V12a.5.5 0 0 0 .5.5h8a.5.5 0 0 0 .5-.5V6.5A.5.5 0 0 0 12 6H4a.5.5 0 0 0-.5.5Zm.75-1.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM7 4a.75.75 0 1 1-1.5 0A.75.75 0 0 1 7 4Zm1.25.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function Go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 4.5A3.5 3.5 0 0 1 11.435 8c-.99-.019-2.093.132-2.7.913l-4.13 5.31a2.015 2.015 0 1 1-2.827-2.828l5.309-4.13c.78-.607.932-1.71.914-2.7L8 4.5a3.5 3.5 0 0 1 4.477-3.362c.325.094.39.497.15.736L10.6 3.902a.48.48 0 0 0-.033.653c.271.314.565.608.879.879a.48.48 0 0 0 .653-.033l2.027-2.027c.239-.24.642-.175.736.15.09.31.138.637.138.976ZM3.75 13a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M11.5 9.5c.313 0 .62-.029.917-.084l1.962 1.962a2.121 2.121 0 0 1-3 3l-2.81-2.81 1.35-1.734c.05-.064.158-.158.426-.233.278-.078.639-.11 1.062-.102l.093.001ZM5 4l1.446 1.445a2.256 2.256 0 0 1-.047.21c-.075.268-.169.377-.233.427l-.61.474L4 5H2.655a.25.25 0 0 1-.224-.139l-1.35-2.7a.25.25 0 0 1 .047-.289l.745-.745a.25.25 0 0 1 .289-.047l2.7 1.35A.25.25 0 0 1 5 2.654V4Z"})])}function Ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.5 8a3.5 3.5 0 0 0 3.362-4.476c-.094-.325-.497-.39-.736-.15L12.099 5.4a.48.48 0 0 1-.653.033 8.554 8.554 0 0 1-.879-.879.48.48 0 0 1 .033-.653l2.027-2.028c.24-.239.175-.642-.15-.736a3.502 3.502 0 0 0-4.476 3.427c.018.99-.133 2.093-.914 2.7l-5.31 4.13a2.015 2.015 0 1 0 2.828 2.827l4.13-5.309c.607-.78 1.71-.932 2.7-.914L11.5 8ZM3 13.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function Yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14Zm2.78-4.22a.75.75 0 0 1-1.06 0L8 9.06l-1.72 1.72a.75.75 0 1 1-1.06-1.06L6.94 8 5.22 6.28a.75.75 0 0 1 1.06-1.06L8 6.94l1.72-1.72a.75.75 0 1 1 1.06 1.06L9.06 8l1.72 1.72a.75.75 0 0 1 0 1.06Z","clip-rule":"evenodd"})])}function Xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.28 4.22a.75.75 0 0 0-1.06 1.06L6.94 8l-2.72 2.72a.75.75 0 1 0 1.06 1.06L8 9.06l2.72 2.72a.75.75 0 1 0 1.06-1.06L9.06 8l2.72-2.72a.75.75 0 0 0-1.06-1.06L8 6.94 5.28 4.22Z"})])}},30917:(e,t,n)=>{"use strict";n.r(t),n.d(t,{AcademicCapIcon:()=>o,AdjustmentsHorizontalIcon:()=>i,AdjustmentsVerticalIcon:()=>a,ArchiveBoxArrowDownIcon:()=>l,ArchiveBoxIcon:()=>c,ArchiveBoxXMarkIcon:()=>s,ArrowDownCircleIcon:()=>u,ArrowDownIcon:()=>v,ArrowDownLeftIcon:()=>d,ArrowDownOnSquareIcon:()=>p,ArrowDownOnSquareStackIcon:()=>h,ArrowDownRightIcon:()=>f,ArrowDownTrayIcon:()=>m,ArrowLeftCircleIcon:()=>g,ArrowLeftEndOnRectangleIcon:()=>w,ArrowLeftIcon:()=>x,ArrowLeftOnRectangleIcon:()=>y,ArrowLeftStartOnRectangleIcon:()=>b,ArrowLongDownIcon:()=>k,ArrowLongLeftIcon:()=>E,ArrowLongRightIcon:()=>A,ArrowLongUpIcon:()=>C,ArrowPathIcon:()=>M,ArrowPathRoundedSquareIcon:()=>B,ArrowRightCircleIcon:()=>_,ArrowRightEndOnRectangleIcon:()=>S,ArrowRightIcon:()=>L,ArrowRightOnRectangleIcon:()=>N,ArrowRightStartOnRectangleIcon:()=>V,ArrowSmallDownIcon:()=>T,ArrowSmallLeftIcon:()=>I,ArrowSmallRightIcon:()=>Z,ArrowSmallUpIcon:()=>O,ArrowTopRightOnSquareIcon:()=>D,ArrowTrendingDownIcon:()=>R,ArrowTrendingUpIcon:()=>H,ArrowTurnDownLeftIcon:()=>P,ArrowTurnDownRightIcon:()=>j,ArrowTurnLeftDownIcon:()=>F,ArrowTurnLeftUpIcon:()=>z,ArrowTurnRightDownIcon:()=>q,ArrowTurnRightUpIcon:()=>U,ArrowTurnUpLeftIcon:()=>$,ArrowTurnUpRightIcon:()=>W,ArrowUpCircleIcon:()=>G,ArrowUpIcon:()=>ee,ArrowUpLeftIcon:()=>K,ArrowUpOnSquareIcon:()=>X,ArrowUpOnSquareStackIcon:()=>Y,ArrowUpRightIcon:()=>J,ArrowUpTrayIcon:()=>Q,ArrowUturnDownIcon:()=>te,ArrowUturnLeftIcon:()=>ne,ArrowUturnRightIcon:()=>re,ArrowUturnUpIcon:()=>oe,ArrowsPointingInIcon:()=>ie,ArrowsPointingOutIcon:()=>ae,ArrowsRightLeftIcon:()=>le,ArrowsUpDownIcon:()=>se,AtSymbolIcon:()=>ce,BackspaceIcon:()=>ue,BackwardIcon:()=>de,BanknotesIcon:()=>he,Bars2Icon:()=>pe,Bars3BottomLeftIcon:()=>fe,Bars3BottomRightIcon:()=>me,Bars3CenterLeftIcon:()=>ve,Bars3Icon:()=>ge,Bars4Icon:()=>we,BarsArrowDownIcon:()=>ye,BarsArrowUpIcon:()=>be,Battery0Icon:()=>xe,Battery100Icon:()=>ke,Battery50Icon:()=>Ee,BeakerIcon:()=>Ae,BellAlertIcon:()=>Ce,BellIcon:()=>_e,BellSlashIcon:()=>Be,BellSnoozeIcon:()=>Me,BoldIcon:()=>Se,BoltIcon:()=>Ve,BoltSlashIcon:()=>Ne,BookOpenIcon:()=>Le,BookmarkIcon:()=>Ze,BookmarkSlashIcon:()=>Te,BookmarkSquareIcon:()=>Ie,BriefcaseIcon:()=>Oe,BugAntIcon:()=>De,BuildingLibraryIcon:()=>Re,BuildingOffice2Icon:()=>He,BuildingOfficeIcon:()=>Pe,BuildingStorefrontIcon:()=>je,CakeIcon:()=>Fe,CalculatorIcon:()=>ze,CalendarDateRangeIcon:()=>qe,CalendarDaysIcon:()=>Ue,CalendarIcon:()=>$e,CameraIcon:()=>We,ChartBarIcon:()=>Ke,ChartBarSquareIcon:()=>Ge,ChartPieIcon:()=>Ye,ChatBubbleBottomCenterIcon:()=>Je,ChatBubbleBottomCenterTextIcon:()=>Xe,ChatBubbleLeftEllipsisIcon:()=>Qe,ChatBubbleLeftIcon:()=>tt,ChatBubbleLeftRightIcon:()=>et,ChatBubbleOvalLeftEllipsisIcon:()=>nt,ChatBubbleOvalLeftIcon:()=>rt,CheckBadgeIcon:()=>ot,CheckCircleIcon:()=>it,CheckIcon:()=>at,ChevronDoubleDownIcon:()=>lt,ChevronDoubleLeftIcon:()=>st,ChevronDoubleRightIcon:()=>ct,ChevronDoubleUpIcon:()=>ut,ChevronDownIcon:()=>dt,ChevronLeftIcon:()=>ht,ChevronRightIcon:()=>pt,ChevronUpDownIcon:()=>ft,ChevronUpIcon:()=>mt,CircleStackIcon:()=>vt,ClipboardDocumentCheckIcon:()=>gt,ClipboardDocumentIcon:()=>yt,ClipboardDocumentListIcon:()=>wt,ClipboardIcon:()=>bt,ClockIcon:()=>xt,CloudArrowDownIcon:()=>kt,CloudArrowUpIcon:()=>Et,CloudIcon:()=>At,CodeBracketIcon:()=>Bt,CodeBracketSquareIcon:()=>Ct,Cog6ToothIcon:()=>Mt,Cog8ToothIcon:()=>_t,CogIcon:()=>St,CommandLineIcon:()=>Nt,ComputerDesktopIcon:()=>Vt,CpuChipIcon:()=>Lt,CreditCardIcon:()=>Tt,CubeIcon:()=>Zt,CubeTransparentIcon:()=>It,CurrencyBangladeshiIcon:()=>Ot,CurrencyDollarIcon:()=>Dt,CurrencyEuroIcon:()=>Rt,CurrencyPoundIcon:()=>Ht,CurrencyRupeeIcon:()=>Pt,CurrencyYenIcon:()=>jt,CursorArrowRaysIcon:()=>Ft,CursorArrowRippleIcon:()=>zt,DevicePhoneMobileIcon:()=>qt,DeviceTabletIcon:()=>Ut,DivideIcon:()=>$t,DocumentArrowDownIcon:()=>Wt,DocumentArrowUpIcon:()=>Gt,DocumentChartBarIcon:()=>Kt,DocumentCheckIcon:()=>Yt,DocumentCurrencyBangladeshiIcon:()=>Xt,DocumentCurrencyDollarIcon:()=>Jt,DocumentCurrencyEuroIcon:()=>Qt,DocumentCurrencyPoundIcon:()=>en,DocumentCurrencyRupeeIcon:()=>tn,DocumentCurrencyYenIcon:()=>nn,DocumentDuplicateIcon:()=>rn,DocumentIcon:()=>cn,DocumentMagnifyingGlassIcon:()=>on,DocumentMinusIcon:()=>an,DocumentPlusIcon:()=>ln,DocumentTextIcon:()=>sn,EllipsisHorizontalCircleIcon:()=>un,EllipsisHorizontalIcon:()=>dn,EllipsisVerticalIcon:()=>hn,EnvelopeIcon:()=>fn,EnvelopeOpenIcon:()=>pn,EqualsIcon:()=>mn,ExclamationCircleIcon:()=>vn,ExclamationTriangleIcon:()=>gn,EyeDropperIcon:()=>wn,EyeIcon:()=>bn,EyeSlashIcon:()=>yn,FaceFrownIcon:()=>xn,FaceSmileIcon:()=>kn,FilmIcon:()=>En,FingerPrintIcon:()=>An,FireIcon:()=>Cn,FlagIcon:()=>Bn,FolderArrowDownIcon:()=>Mn,FolderIcon:()=>Vn,FolderMinusIcon:()=>_n,FolderOpenIcon:()=>Sn,FolderPlusIcon:()=>Nn,ForwardIcon:()=>Ln,FunnelIcon:()=>Tn,GifIcon:()=>In,GiftIcon:()=>On,GiftTopIcon:()=>Zn,GlobeAltIcon:()=>Dn,GlobeAmericasIcon:()=>Rn,GlobeAsiaAustraliaIcon:()=>Hn,GlobeEuropeAfricaIcon:()=>Pn,H1Icon:()=>jn,H2Icon:()=>Fn,H3Icon:()=>zn,HandRaisedIcon:()=>qn,HandThumbDownIcon:()=>Un,HandThumbUpIcon:()=>$n,HashtagIcon:()=>Wn,HeartIcon:()=>Gn,HomeIcon:()=>Yn,HomeModernIcon:()=>Kn,IdentificationIcon:()=>Xn,InboxArrowDownIcon:()=>Jn,InboxIcon:()=>er,InboxStackIcon:()=>Qn,InformationCircleIcon:()=>tr,ItalicIcon:()=>nr,KeyIcon:()=>rr,LanguageIcon:()=>or,LifebuoyIcon:()=>ir,LightBulbIcon:()=>ar,LinkIcon:()=>sr,LinkSlashIcon:()=>lr,ListBulletIcon:()=>cr,LockClosedIcon:()=>ur,LockOpenIcon:()=>dr,MagnifyingGlassCircleIcon:()=>hr,MagnifyingGlassIcon:()=>mr,MagnifyingGlassMinusIcon:()=>pr,MagnifyingGlassPlusIcon:()=>fr,MapIcon:()=>gr,MapPinIcon:()=>vr,MegaphoneIcon:()=>wr,MicrophoneIcon:()=>yr,MinusCircleIcon:()=>br,MinusIcon:()=>kr,MinusSmallIcon:()=>xr,MoonIcon:()=>Er,MusicalNoteIcon:()=>Ar,NewspaperIcon:()=>Cr,NoSymbolIcon:()=>Br,NumberedListIcon:()=>Mr,PaintBrushIcon:()=>_r,PaperAirplaneIcon:()=>Sr,PaperClipIcon:()=>Nr,PauseCircleIcon:()=>Vr,PauseIcon:()=>Lr,PencilIcon:()=>Ir,PencilSquareIcon:()=>Tr,PercentBadgeIcon:()=>Zr,PhoneArrowDownLeftIcon:()=>Or,PhoneArrowUpRightIcon:()=>Dr,PhoneIcon:()=>Hr,PhoneXMarkIcon:()=>Rr,PhotoIcon:()=>Pr,PlayCircleIcon:()=>jr,PlayIcon:()=>zr,PlayPauseIcon:()=>Fr,PlusCircleIcon:()=>qr,PlusIcon:()=>$r,PlusSmallIcon:()=>Ur,PowerIcon:()=>Wr,PresentationChartBarIcon:()=>Gr,PresentationChartLineIcon:()=>Kr,PrinterIcon:()=>Yr,PuzzlePieceIcon:()=>Xr,QrCodeIcon:()=>Jr,QuestionMarkCircleIcon:()=>Qr,QueueListIcon:()=>eo,RadioIcon:()=>to,ReceiptPercentIcon:()=>no,ReceiptRefundIcon:()=>ro,RectangleGroupIcon:()=>oo,RectangleStackIcon:()=>io,RocketLaunchIcon:()=>ao,RssIcon:()=>lo,ScaleIcon:()=>so,ScissorsIcon:()=>co,ServerIcon:()=>ho,ServerStackIcon:()=>uo,ShareIcon:()=>po,ShieldCheckIcon:()=>fo,ShieldExclamationIcon:()=>mo,ShoppingBagIcon:()=>vo,ShoppingCartIcon:()=>go,SignalIcon:()=>yo,SignalSlashIcon:()=>wo,SlashIcon:()=>bo,SparklesIcon:()=>xo,SpeakerWaveIcon:()=>ko,SpeakerXMarkIcon:()=>Eo,Square2StackIcon:()=>Ao,Square3Stack3DIcon:()=>Co,Squares2X2Icon:()=>Bo,SquaresPlusIcon:()=>Mo,StarIcon:()=>_o,StopCircleIcon:()=>So,StopIcon:()=>No,StrikethroughIcon:()=>Vo,SunIcon:()=>Lo,SwatchIcon:()=>To,TableCellsIcon:()=>Io,TagIcon:()=>Zo,TicketIcon:()=>Oo,TrashIcon:()=>Do,TrophyIcon:()=>Ro,TruckIcon:()=>Ho,TvIcon:()=>Po,UnderlineIcon:()=>jo,UserCircleIcon:()=>Fo,UserGroupIcon:()=>zo,UserIcon:()=>$o,UserMinusIcon:()=>qo,UserPlusIcon:()=>Uo,UsersIcon:()=>Wo,VariableIcon:()=>Go,VideoCameraIcon:()=>Yo,VideoCameraSlashIcon:()=>Ko,ViewColumnsIcon:()=>Xo,ViewfinderCircleIcon:()=>Jo,WalletIcon:()=>Qo,WifiIcon:()=>ei,WindowIcon:()=>ti,WrenchIcon:()=>ri,WrenchScrewdriverIcon:()=>ni,XCircleIcon:()=>oi,XMarkIcon:()=>ii});var r=n(29726);function o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.664 1.319a.75.75 0 0 1 .672 0 41.059 41.059 0 0 1 8.198 5.424.75.75 0 0 1-.254 1.285 31.372 31.372 0 0 0-7.86 3.83.75.75 0 0 1-.84 0 31.508 31.508 0 0 0-2.08-1.287V9.394c0-.244.116-.463.302-.592a35.504 35.504 0 0 1 3.305-2.033.75.75 0 0 0-.714-1.319 37 37 0 0 0-3.446 2.12A2.216 2.216 0 0 0 6 9.393v.38a31.293 31.293 0 0 0-4.28-1.746.75.75 0 0 1-.254-1.285 41.059 41.059 0 0 1 8.198-5.424ZM6 11.459a29.848 29.848 0 0 0-2.455-1.158 41.029 41.029 0 0 0-.39 3.114.75.75 0 0 0 .419.74c.528.256 1.046.53 1.554.82-.21.324-.455.63-.739.914a.75.75 0 1 0 1.06 1.06c.37-.369.69-.77.96-1.193a26.61 26.61 0 0 1 3.095 2.348.75.75 0 0 0 .992 0 26.547 26.547 0 0 1 5.93-3.95.75.75 0 0 0 .42-.739 41.053 41.053 0 0 0-.39-3.114 29.925 29.925 0 0 0-5.199 2.801 2.25 2.25 0 0 1-2.514 0c-.41-.275-.826-.541-1.25-.797a6.985 6.985 0 0 1-1.084 3.45 26.503 26.503 0 0 0-1.281-.78A5.487 5.487 0 0 0 6 12v-.54Z","clip-rule":"evenodd"})])}function i(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 3.75a2 2 0 1 0-4 0 2 2 0 0 0 4 0ZM17.25 4.5a.75.75 0 0 0 0-1.5h-5.5a.75.75 0 0 0 0 1.5h5.5ZM5 3.75a.75.75 0 0 1-.75.75h-1.5a.75.75 0 0 1 0-1.5h1.5a.75.75 0 0 1 .75.75ZM4.25 17a.75.75 0 0 0 0-1.5h-1.5a.75.75 0 0 0 0 1.5h1.5ZM17.25 17a.75.75 0 0 0 0-1.5h-5.5a.75.75 0 0 0 0 1.5h5.5ZM9 10a.75.75 0 0 1-.75.75h-5.5a.75.75 0 0 1 0-1.5h5.5A.75.75 0 0 1 9 10ZM17.25 10.75a.75.75 0 0 0 0-1.5h-1.5a.75.75 0 0 0 0 1.5h1.5ZM14 10a2 2 0 1 0-4 0 2 2 0 0 0 4 0ZM10 16.25a2 2 0 1 0-4 0 2 2 0 0 0 4 0Z"})])}function a(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M17 2.75a.75.75 0 0 0-1.5 0v5.5a.75.75 0 0 0 1.5 0v-5.5ZM17 15.75a.75.75 0 0 0-1.5 0v1.5a.75.75 0 0 0 1.5 0v-1.5ZM3.75 15a.75.75 0 0 1 .75.75v1.5a.75.75 0 0 1-1.5 0v-1.5a.75.75 0 0 1 .75-.75ZM4.5 2.75a.75.75 0 0 0-1.5 0v5.5a.75.75 0 0 0 1.5 0v-5.5ZM10 11a.75.75 0 0 1 .75.75v5.5a.75.75 0 0 1-1.5 0v-5.5A.75.75 0 0 1 10 11ZM10.75 2.75a.75.75 0 0 0-1.5 0v1.5a.75.75 0 0 0 1.5 0v-1.5ZM10 6a2 2 0 1 0 0 4 2 2 0 0 0 0-4ZM3.75 10a2 2 0 1 0 0 4 2 2 0 0 0 0-4ZM16.25 10a2 2 0 1 0 0 4 2 2 0 0 0 0-4Z"})])}function l(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3a1 1 0 0 0-1 1v1a1 1 0 0 0 1 1h16a1 1 0 0 0 1-1V4a1 1 0 0 0-1-1H2Zm0 4.5h16l-.811 7.71a2 2 0 0 1-1.99 1.79H4.802a2 2 0 0 1-1.99-1.79L2 7.5ZM10 9a.75.75 0 0 1 .75.75v2.546l.943-1.048a.75.75 0 1 1 1.114 1.004l-2.25 2.5a.75.75 0 0 1-1.114 0l-2.25-2.5a.75.75 0 1 1 1.114-1.004l.943 1.048V9.75A.75.75 0 0 1 10 9Z","clip-rule":"evenodd"})])}function s(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 3a1 1 0 0 0-1 1v1a1 1 0 0 0 1 1h16a1 1 0 0 0 1-1V4a1 1 0 0 0-1-1H2Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 7.5h16l-.811 7.71a2 2 0 0 1-1.99 1.79H4.802a2 2 0 0 1-1.99-1.79L2 7.5Zm5.22 1.72a.75.75 0 0 1 1.06 0L10 10.94l1.72-1.72a.75.75 0 1 1 1.06 1.06L11.06 12l1.72 1.72a.75.75 0 1 1-1.06 1.06L10 13.06l-1.72 1.72a.75.75 0 0 1-1.06-1.06L8.94 12l-1.72-1.72a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function c(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 3a1 1 0 0 0-1 1v1a1 1 0 0 0 1 1h16a1 1 0 0 0 1-1V4a1 1 0 0 0-1-1H2Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 7.5h16l-.811 7.71a2 2 0 0 1-1.99 1.79H4.802a2 2 0 0 1-1.99-1.79L2 7.5ZM7 11a1 1 0 0 1 1-1h4a1 1 0 1 1 0 2H8a1 1 0 0 1-1-1Z","clip-rule":"evenodd"})])}function u(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm.75-11.25a.75.75 0 0 0-1.5 0v4.59L7.3 9.24a.75.75 0 0 0-1.1 1.02l3.25 3.5a.75.75 0 0 0 1.1 0l3.25-3.5a.75.75 0 1 0-1.1-1.02l-1.95 2.1V6.75Z","clip-rule":"evenodd"})])}function d(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.78 5.22a.75.75 0 0 0-1.06 0L6.5 12.44V6.75a.75.75 0 0 0-1.5 0v7.5c0 .414.336.75.75.75h7.5a.75.75 0 0 0 0-1.5H7.56l7.22-7.22a.75.75 0 0 0 0-1.06Z","clip-rule":"evenodd"})])}function h(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a.75.75 0 0 1 .75.75V6h-1.5V1.75A.75.75 0 0 1 8 1Zm-.75 5v3.296l-.943-1.048a.75.75 0 1 0-1.114 1.004l2.25 2.5a.75.75 0 0 0 1.114 0l2.25-2.5a.75.75 0 0 0-1.114-1.004L8.75 9.296V6h2A2.25 2.25 0 0 1 13 8.25v4.5A2.25 2.25 0 0 1 10.75 15h-5.5A2.25 2.25 0 0 1 3 12.75v-4.5A2.25 2.25 0 0 1 5.25 6h2ZM7 16.75v-.25h3.75a3.75 3.75 0 0 0 3.75-3.75V10h.25A2.25 2.25 0 0 1 17 12.25v4.5A2.25 2.25 0 0 1 14.75 19h-5.5A2.25 2.25 0 0 1 7 16.75Z","clip-rule":"evenodd"})])}function p(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.75 7h-3v5.296l1.943-2.048a.75.75 0 0 1 1.114 1.004l-3.25 3.5a.75.75 0 0 1-1.114 0l-3.25-3.5a.75.75 0 1 1 1.114-1.004l1.943 2.048V7h1.5V1.75a.75.75 0 0 0-1.5 0V7h-3A2.25 2.25 0 0 0 4 9.25v7.5A2.25 2.25 0 0 0 6.25 19h7.5A2.25 2.25 0 0 0 16 16.75v-7.5A2.25 2.25 0 0 0 13.75 7Z"})])}function f(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.28 5.22a.75.75 0 0 0-1.06 1.06l7.22 7.22H6.75a.75.75 0 0 0 0 1.5h7.5a.747.747 0 0 0 .75-.75v-7.5a.75.75 0 0 0-1.5 0v5.69L6.28 5.22Z"})])}function m(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.75 2.75a.75.75 0 0 0-1.5 0v8.614L6.295 8.235a.75.75 0 1 0-1.09 1.03l4.25 4.5a.75.75 0 0 0 1.09 0l4.25-4.5a.75.75 0 0 0-1.09-1.03l-2.955 3.129V2.75Z"}),(0,r.createElementVNode)("path",{d:"M3.5 12.75a.75.75 0 0 0-1.5 0v2.5A2.75 2.75 0 0 0 4.75 18h10.5A2.75 2.75 0 0 0 18 15.25v-2.5a.75.75 0 0 0-1.5 0v2.5c0 .69-.56 1.25-1.25 1.25H4.75c-.69 0-1.25-.56-1.25-1.25v-2.5Z"})])}function v(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 3a.75.75 0 0 1 .75.75v10.638l3.96-4.158a.75.75 0 1 1 1.08 1.04l-5.25 5.5a.75.75 0 0 1-1.08 0l-5.25-5.5a.75.75 0 1 1 1.08-1.04l3.96 4.158V3.75A.75.75 0 0 1 10 3Z","clip-rule":"evenodd"})])}function g(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm3.25-7.25a.75.75 0 0 0 0-1.5H8.66l2.1-1.95a.75.75 0 1 0-1.02-1.1l-3.5 3.25a.75.75 0 0 0 0 1.1l3.5 3.25a.75.75 0 0 0 1.02-1.1l-2.1-1.95h4.59Z","clip-rule":"evenodd"})])}function w(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4.25A2.25 2.25 0 0 1 5.25 2h5.5A2.25 2.25 0 0 1 13 4.25v2a.75.75 0 0 1-1.5 0v-2a.75.75 0 0 0-.75-.75h-5.5a.75.75 0 0 0-.75.75v11.5c0 .414.336.75.75.75h5.5a.75.75 0 0 0 .75-.75v-2a.75.75 0 0 1 1.5 0v2A2.25 2.25 0 0 1 10.75 18h-5.5A2.25 2.25 0 0 1 3 15.75V4.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19 10a.75.75 0 0 0-.75-.75H8.704l1.048-.943a.75.75 0 1 0-1.004-1.114l-2.5 2.25a.75.75 0 0 0 0 1.114l2.5 2.25a.75.75 0 1 0 1.004-1.114l-1.048-.943h9.546A.75.75 0 0 0 19 10Z","clip-rule":"evenodd"})])}function y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4.25A2.25 2.25 0 0 1 5.25 2h5.5A2.25 2.25 0 0 1 13 4.25v2a.75.75 0 0 1-1.5 0v-2a.75.75 0 0 0-.75-.75h-5.5a.75.75 0 0 0-.75.75v11.5c0 .414.336.75.75.75h5.5a.75.75 0 0 0 .75-.75v-2a.75.75 0 0 1 1.5 0v2A2.25 2.25 0 0 1 10.75 18h-5.5A2.25 2.25 0 0 1 3 15.75V4.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19 10a.75.75 0 0 0-.75-.75H8.704l1.048-.943a.75.75 0 1 0-1.004-1.114l-2.5 2.25a.75.75 0 0 0 0 1.114l2.5 2.25a.75.75 0 1 0 1.004-1.114l-1.048-.943h9.546A.75.75 0 0 0 19 10Z","clip-rule":"evenodd"})])}function b(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17 4.25A2.25 2.25 0 0 0 14.75 2h-5.5A2.25 2.25 0 0 0 7 4.25v2a.75.75 0 0 0 1.5 0v-2a.75.75 0 0 1 .75-.75h5.5a.75.75 0 0 1 .75.75v11.5a.75.75 0 0 1-.75.75h-5.5a.75.75 0 0 1-.75-.75v-2a.75.75 0 0 0-1.5 0v2A2.25 2.25 0 0 0 9.25 18h5.5A2.25 2.25 0 0 0 17 15.75V4.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14 10a.75.75 0 0 0-.75-.75H3.704l1.048-.943a.75.75 0 1 0-1.004-1.114l-2.5 2.25a.75.75 0 0 0 0 1.114l2.5 2.25a.75.75 0 1 0 1.004-1.114l-1.048-.943h9.546A.75.75 0 0 0 14 10Z","clip-rule":"evenodd"})])}function x(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17 10a.75.75 0 0 1-.75.75H5.612l4.158 3.96a.75.75 0 1 1-1.04 1.08l-5.5-5.25a.75.75 0 0 1 0-1.08l5.5-5.25a.75.75 0 1 1 1.04 1.08L5.612 9.25H16.25A.75.75 0 0 1 17 10Z","clip-rule":"evenodd"})])}function k(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a.75.75 0 0 1 .75.75v12.59l1.95-2.1a.75.75 0 1 1 1.1 1.02l-3.25 3.5a.75.75 0 0 1-1.1 0l-3.25-3.5a.75.75 0 1 1 1.1-1.02l1.95 2.1V2.75A.75.75 0 0 1 10 2Z","clip-rule":"evenodd"})])}function E(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a.75.75 0 0 1-.75.75H4.66l2.1 1.95a.75.75 0 1 1-1.02 1.1l-3.5-3.25a.75.75 0 0 1 0-1.1l3.5-3.25a.75.75 0 1 1 1.02 1.1l-2.1 1.95h12.59A.75.75 0 0 1 18 10Z","clip-rule":"evenodd"})])}function A(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 10a.75.75 0 0 1 .75-.75h12.59l-2.1-1.95a.75.75 0 1 1 1.02-1.1l3.5 3.25a.75.75 0 0 1 0 1.1l-3.5 3.25a.75.75 0 1 1-1.02-1.1l2.1-1.95H2.75A.75.75 0 0 1 2 10Z","clip-rule":"evenodd"})])}function C(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a.75.75 0 0 1-.75-.75V4.66L7.3 6.76a.75.75 0 0 1-1.1-1.02l3.25-3.5a.75.75 0 0 1 1.1 0l3.25 3.5a.75.75 0 1 1-1.1 1.02l-1.95-2.1v12.59A.75.75 0 0 1 10 18Z","clip-rule":"evenodd"})])}function B(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 4.5c1.215 0 2.417.055 3.604.162a.68.68 0 0 1 .615.597c.124 1.038.208 2.088.25 3.15l-1.689-1.69a.75.75 0 0 0-1.06 1.061l2.999 3a.75.75 0 0 0 1.06 0l3.001-3a.75.75 0 1 0-1.06-1.06l-1.748 1.747a41.31 41.31 0 0 0-.264-3.386 2.18 2.18 0 0 0-1.97-1.913 41.512 41.512 0 0 0-7.477 0 2.18 2.18 0 0 0-1.969 1.913 41.16 41.16 0 0 0-.16 1.61.75.75 0 1 0 1.495.12c.041-.52.093-1.038.154-1.552a.68.68 0 0 1 .615-.597A40.012 40.012 0 0 1 10 4.5ZM5.281 9.22a.75.75 0 0 0-1.06 0l-3.001 3a.75.75 0 1 0 1.06 1.06l1.748-1.747c.042 1.141.13 2.27.264 3.386a2.18 2.18 0 0 0 1.97 1.913 41.533 41.533 0 0 0 7.477 0 2.18 2.18 0 0 0 1.969-1.913c.064-.534.117-1.071.16-1.61a.75.75 0 1 0-1.495-.12c-.041.52-.093 1.037-.154 1.552a.68.68 0 0 1-.615.597 40.013 40.013 0 0 1-7.208 0 .68.68 0 0 1-.615-.597 39.785 39.785 0 0 1-.25-3.15l1.689 1.69a.75.75 0 0 0 1.06-1.061l-2.999-3Z","clip-rule":"evenodd"})])}function M(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.312 11.424a5.5 5.5 0 0 1-9.201 2.466l-.312-.311h2.433a.75.75 0 0 0 0-1.5H3.989a.75.75 0 0 0-.75.75v4.242a.75.75 0 0 0 1.5 0v-2.43l.31.31a7 7 0 0 0 11.712-3.138.75.75 0 0 0-1.449-.39Zm1.23-3.723a.75.75 0 0 0 .219-.53V2.929a.75.75 0 0 0-1.5 0V5.36l-.31-.31A7 7 0 0 0 3.239 8.188a.75.75 0 1 0 1.448.389A5.5 5.5 0 0 1 13.89 6.11l.311.31h-2.432a.75.75 0 0 0 0 1.5h4.243a.75.75 0 0 0 .53-.219Z","clip-rule":"evenodd"})])}function _(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM6.75 9.25a.75.75 0 0 0 0 1.5h4.59l-2.1 1.95a.75.75 0 0 0 1.02 1.1l3.5-3.25a.75.75 0 0 0 0-1.1l-3.5-3.25a.75.75 0 1 0-1.02 1.1l2.1 1.95H6.75Z","clip-rule":"evenodd"})])}function S(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17 4.25A2.25 2.25 0 0 0 14.75 2h-5.5A2.25 2.25 0 0 0 7 4.25v2a.75.75 0 0 0 1.5 0v-2a.75.75 0 0 1 .75-.75h5.5a.75.75 0 0 1 .75.75v11.5a.75.75 0 0 1-.75.75h-5.5a.75.75 0 0 1-.75-.75v-2a.75.75 0 0 0-1.5 0v2A2.25 2.25 0 0 0 9.25 18h5.5A2.25 2.25 0 0 0 17 15.75V4.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 10a.75.75 0 0 1 .75-.75h9.546l-1.048-.943a.75.75 0 1 1 1.004-1.114l2.5 2.25a.75.75 0 0 1 0 1.114l-2.5 2.25a.75.75 0 1 1-1.004-1.114l1.048-.943H1.75A.75.75 0 0 1 1 10Z","clip-rule":"evenodd"})])}function N(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4.25A2.25 2.25 0 0 1 5.25 2h5.5A2.25 2.25 0 0 1 13 4.25v2a.75.75 0 0 1-1.5 0v-2a.75.75 0 0 0-.75-.75h-5.5a.75.75 0 0 0-.75.75v11.5c0 .414.336.75.75.75h5.5a.75.75 0 0 0 .75-.75v-2a.75.75 0 0 1 1.5 0v2A2.25 2.25 0 0 1 10.75 18h-5.5A2.25 2.25 0 0 1 3 15.75V4.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 10a.75.75 0 0 1 .75-.75h9.546l-1.048-.943a.75.75 0 1 1 1.004-1.114l2.5 2.25a.75.75 0 0 1 0 1.114l-2.5 2.25a.75.75 0 1 1-1.004-1.114l1.048-.943H6.75A.75.75 0 0 1 6 10Z","clip-rule":"evenodd"})])}function V(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4.25A2.25 2.25 0 0 1 5.25 2h5.5A2.25 2.25 0 0 1 13 4.25v2a.75.75 0 0 1-1.5 0v-2a.75.75 0 0 0-.75-.75h-5.5a.75.75 0 0 0-.75.75v11.5c0 .414.336.75.75.75h5.5a.75.75 0 0 0 .75-.75v-2a.75.75 0 0 1 1.5 0v2A2.25 2.25 0 0 1 10.75 18h-5.5A2.25 2.25 0 0 1 3 15.75V4.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 10a.75.75 0 0 1 .75-.75h9.546l-1.048-.943a.75.75 0 1 1 1.004-1.114l2.5 2.25a.75.75 0 0 1 0 1.114l-2.5 2.25a.75.75 0 1 1-1.004-1.114l1.048-.943H6.75A.75.75 0 0 1 6 10Z","clip-rule":"evenodd"})])}function L(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 10a.75.75 0 0 1 .75-.75h10.638L10.23 5.29a.75.75 0 1 1 1.04-1.08l5.5 5.25a.75.75 0 0 1 0 1.08l-5.5 5.25a.75.75 0 1 1-1.04-1.08l4.158-3.96H3.75A.75.75 0 0 1 3 10Z","clip-rule":"evenodd"})])}function T(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 5a.75.75 0 0 1 .75.75v6.638l1.96-2.158a.75.75 0 1 1 1.08 1.04l-3.25 3.5a.75.75 0 0 1-1.08 0l-3.25-3.5a.75.75 0 1 1 1.08-1.04l1.96 2.158V5.75A.75.75 0 0 1 10 5Z","clip-rule":"evenodd"})])}function I(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 10a.75.75 0 0 1-.75.75H7.612l2.158 1.96a.75.75 0 1 1-1.04 1.08l-3.5-3.25a.75.75 0 0 1 0-1.08l3.5-3.25a.75.75 0 1 1 1.04 1.08L7.612 9.25h6.638A.75.75 0 0 1 15 10Z","clip-rule":"evenodd"})])}function Z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 10a.75.75 0 0 1 .75-.75h6.638L10.23 7.29a.75.75 0 1 1 1.04-1.08l3.5 3.25a.75.75 0 0 1 0 1.08l-3.5 3.25a.75.75 0 1 1-1.04-1.08l2.158-1.96H5.75A.75.75 0 0 1 5 10Z","clip-rule":"evenodd"})])}function O(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 15a.75.75 0 0 1-.75-.75V7.612L7.29 9.77a.75.75 0 0 1-1.08-1.04l3.25-3.5a.75.75 0 0 1 1.08 0l3.25 3.5a.75.75 0 1 1-1.08 1.04l-1.96-2.158v6.638A.75.75 0 0 1 10 15Z","clip-rule":"evenodd"})])}function D(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.25 5.5a.75.75 0 0 0-.75.75v8.5c0 .414.336.75.75.75h8.5a.75.75 0 0 0 .75-.75v-4a.75.75 0 0 1 1.5 0v4A2.25 2.25 0 0 1 12.75 17h-8.5A2.25 2.25 0 0 1 2 14.75v-8.5A2.25 2.25 0 0 1 4.25 4h5a.75.75 0 0 1 0 1.5h-5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.194 12.753a.75.75 0 0 0 1.06.053L16.5 4.44v2.81a.75.75 0 0 0 1.5 0v-4.5a.75.75 0 0 0-.75-.75h-4.5a.75.75 0 0 0 0 1.5h2.553l-9.056 8.194a.75.75 0 0 0-.053 1.06Z","clip-rule":"evenodd"})])}function R(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.22 5.222a.75.75 0 0 1 1.06 0L7 9.942l3.768-3.769a.75.75 0 0 1 1.113.058 20.908 20.908 0 0 1 3.813 7.254l1.574-2.727a.75.75 0 0 1 1.3.75l-2.475 4.286a.75.75 0 0 1-1.025.275l-4.287-2.475a.75.75 0 0 1 .75-1.3l2.71 1.565a19.422 19.422 0 0 0-3.013-6.024L7.53 11.533a.75.75 0 0 1-1.06 0l-5.25-5.25a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function H(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.577 4.878a.75.75 0 0 1 .919-.53l4.78 1.281a.75.75 0 0 1 .531.919l-1.281 4.78a.75.75 0 0 1-1.449-.387l.81-3.022a19.407 19.407 0 0 0-5.594 5.203.75.75 0 0 1-1.139.093L7 10.06l-4.72 4.72a.75.75 0 0 1-1.06-1.061l5.25-5.25a.75.75 0 0 1 1.06 0l3.074 3.073a20.923 20.923 0 0 1 5.545-4.931l-3.042-.815a.75.75 0 0 1-.53-.919Z","clip-rule":"evenodd"})])}function P(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.25 3a.75.75 0 0 0-.75.75v7.5H4.56l1.97-1.97a.75.75 0 0 0-1.06-1.06l-3.25 3.25a.75.75 0 0 0 0 1.06l3.25 3.25a.75.75 0 0 0 1.06-1.06l-1.97-1.97h11.69A.75.75 0 0 0 17 12V3.75a.75.75 0 0 0-.75-.75Z","clip-rule":"evenodd"})])}function j(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3a.75.75 0 0 1 .75.75v7.5h10.94l-1.97-1.97a.75.75 0 0 1 1.06-1.06l3.25 3.25a.75.75 0 0 1 0 1.06l-3.25 3.25a.75.75 0 1 1-1.06-1.06l1.97-1.97H3.75A.75.75 0 0 1 3 12V3.75A.75.75 0 0 1 3.75 3Z","clip-rule":"evenodd"})])}function F(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16 3.75a.75.75 0 0 1-.75.75h-7.5v10.94l1.97-1.97a.75.75 0 1 1 1.06 1.06l-3.25 3.25a.75.75 0 0 1-1.06 0l-3.25-3.25a.75.75 0 1 1 1.06-1.06l1.97 1.97V3.75A.75.75 0 0 1 7 3h8.25a.75.75 0 0 1 .75.75Z","clip-rule":"evenodd"})])}function z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16 16.25a.75.75 0 0 0-.75-.75h-7.5V4.56l1.97 1.97a.75.75 0 1 0 1.06-1.06L7.53 2.22a.75.75 0 0 0-1.06 0L3.22 5.47a.75.75 0 0 0 1.06 1.06l1.97-1.97v11.69c0 .414.336.75.75.75h8.25a.75.75 0 0 0 .75-.75Z","clip-rule":"evenodd"})])}function q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3.75c0 .414.336.75.75.75h7.5v10.94l-1.97-1.97a.75.75 0 0 0-1.06 1.06l3.25 3.25a.75.75 0 0 0 1.06 0l3.25-3.25a.75.75 0 1 0-1.06-1.06l-1.97 1.97V3.75A.75.75 0 0 0 12 3H3.75a.75.75 0 0 0-.75.75Z","clip-rule":"evenodd"})])}function U(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 16.25a.75.75 0 0 1 .75-.75h7.5V4.56L9.28 6.53a.75.75 0 0 1-1.06-1.06l3.25-3.25a.75.75 0 0 1 1.06 0l3.25 3.25a.75.75 0 0 1-1.06 1.06l-1.97-1.97v11.69A.75.75 0 0 1 12 17H3.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function $(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.25 17a.75.75 0 0 1-.75-.75v-7.5H4.56l1.97 1.97a.75.75 0 1 1-1.06 1.06L2.22 8.53a.75.75 0 0 1 0-1.06l3.25-3.25a.75.75 0 0 1 1.06 1.06L4.56 7.25h11.69A.75.75 0 0 1 17 8v8.25a.75.75 0 0 1-.75.75Z","clip-rule":"evenodd"})])}function W(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 17a.75.75 0 0 0 .75-.75v-7.5h10.94l-1.97 1.97a.75.75 0 1 0 1.06 1.06l3.25-3.25a.75.75 0 0 0 0-1.06l-3.25-3.25a.75.75 0 1 0-1.06 1.06l1.97 1.97H3.75A.75.75 0 0 0 3 8v8.25c0 .414.336.75.75.75Z","clip-rule":"evenodd"})])}function G(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm-.75-4.75a.75.75 0 0 0 1.5 0V8.66l1.95 2.1a.75.75 0 1 0 1.1-1.02l-3.25-3.5a.75.75 0 0 0-1.1 0L6.2 9.74a.75.75 0 1 0 1.1 1.02l1.95-2.1v4.59Z","clip-rule":"evenodd"})])}function K(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.78 14.78a.75.75 0 0 1-1.06 0L6.5 7.56v5.69a.75.75 0 0 1-1.5 0v-7.5A.75.75 0 0 1 5.75 5h7.5a.75.75 0 0 1 0 1.5H7.56l7.22 7.22a.75.75 0 0 1 0 1.06Z","clip-rule":"evenodd"})])}function Y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.75 6h-2v4.25a.75.75 0 0 1-1.5 0V6h1.5V3.704l.943 1.048a.75.75 0 0 0 1.114-1.004l-2.25-2.5a.75.75 0 0 0-1.114 0l-2.25 2.5a.75.75 0 0 0 1.114 1.004l.943-1.048V6h-2A2.25 2.25 0 0 0 3 8.25v4.5A2.25 2.25 0 0 0 5.25 15h5.5A2.25 2.25 0 0 0 13 12.75v-4.5A2.25 2.25 0 0 0 10.75 6ZM7 16.75v-.25h3.75a3.75 3.75 0 0 0 3.75-3.75V10h.25A2.25 2.25 0 0 1 17 12.25v4.5A2.25 2.25 0 0 1 14.75 19h-5.5A2.25 2.25 0 0 1 7 16.75Z","clip-rule":"evenodd"})])}function X(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.75 7h-3V3.66l1.95 2.1a.75.75 0 1 0 1.1-1.02l-3.25-3.5a.75.75 0 0 0-1.1 0L6.2 4.74a.75.75 0 0 0 1.1 1.02l1.95-2.1V7h-3A2.25 2.25 0 0 0 4 9.25v7.5A2.25 2.25 0 0 0 6.25 19h7.5A2.25 2.25 0 0 0 16 16.75v-7.5A2.25 2.25 0 0 0 13.75 7Zm-3 0h-1.5v5.25a.75.75 0 0 0 1.5 0V7Z","clip-rule":"evenodd"})])}function J(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.22 14.78a.75.75 0 0 0 1.06 0l7.22-7.22v5.69a.75.75 0 0 0 1.5 0v-7.5a.75.75 0 0 0-.75-.75h-7.5a.75.75 0 0 0 0 1.5h5.69l-7.22 7.22a.75.75 0 0 0 0 1.06Z","clip-rule":"evenodd"})])}function Q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9.25 13.25a.75.75 0 0 0 1.5 0V4.636l2.955 3.129a.75.75 0 0 0 1.09-1.03l-4.25-4.5a.75.75 0 0 0-1.09 0l-4.25 4.5a.75.75 0 1 0 1.09 1.03L9.25 4.636v8.614Z"}),(0,r.createElementVNode)("path",{d:"M3.5 12.75a.75.75 0 0 0-1.5 0v2.5A2.75 2.75 0 0 0 4.75 18h10.5A2.75 2.75 0 0 0 18 15.25v-2.5a.75.75 0 0 0-1.5 0v2.5c0 .69-.56 1.25-1.25 1.25H4.75c-.69 0-1.25-.56-1.25-1.25v-2.5Z"})])}function ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 17a.75.75 0 0 1-.75-.75V5.612L5.29 9.77a.75.75 0 0 1-1.08-1.04l5.25-5.5a.75.75 0 0 1 1.08 0l5.25 5.5a.75.75 0 1 1-1.08 1.04l-3.96-4.158V16.25A.75.75 0 0 1 10 17Z","clip-rule":"evenodd"})])}function te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.232 12.207a.75.75 0 0 1 1.06.025l3.958 4.146V6.375a5.375 5.375 0 0 1 10.75 0V9.25a.75.75 0 0 1-1.5 0V6.375a3.875 3.875 0 0 0-7.75 0v10.003l3.957-4.146a.75.75 0 0 1 1.085 1.036l-5.25 5.5a.75.75 0 0 1-1.085 0l-5.25-5.5a.75.75 0 0 1 .025-1.06Z","clip-rule":"evenodd"})])}function ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.768 7.793a.75.75 0 0 1-1.06-.025L12.75 3.622v10.003a5.375 5.375 0 0 1-10.75 0V10.75a.75.75 0 0 1 1.5 0v2.875a3.875 3.875 0 0 0 7.75 0V3.622L7.293 7.768a.75.75 0 0 1-1.086-1.036l5.25-5.5a.75.75 0 0 1 1.085 0l5.25 5.5a.75.75 0 0 1-.024 1.06Z","clip-rule":"evenodd"})])}function ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.28 2.22a.75.75 0 0 0-1.06 1.06L5.44 6.5H2.75a.75.75 0 0 0 0 1.5h4.5A.75.75 0 0 0 8 7.25v-4.5a.75.75 0 0 0-1.5 0v2.69L3.28 2.22ZM13.5 2.75a.75.75 0 0 0-1.5 0v4.5c0 .414.336.75.75.75h4.5a.75.75 0 0 0 0-1.5h-2.69l3.22-3.22a.75.75 0 0 0-1.06-1.06L13.5 5.44V2.75ZM3.28 17.78l3.22-3.22v2.69a.75.75 0 0 0 1.5 0v-4.5a.75.75 0 0 0-.75-.75h-4.5a.75.75 0 0 0 0 1.5h2.69l-3.22 3.22a.75.75 0 1 0 1.06 1.06ZM13.5 14.56l3.22 3.22a.75.75 0 1 0 1.06-1.06l-3.22-3.22h2.69a.75.75 0 0 0 0-1.5h-4.5a.75.75 0 0 0-.75.75v4.5a.75.75 0 0 0 1.5 0v-2.69Z"})])}function ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m13.28 7.78 3.22-3.22v2.69a.75.75 0 0 0 1.5 0v-4.5a.75.75 0 0 0-.75-.75h-4.5a.75.75 0 0 0 0 1.5h2.69l-3.22 3.22a.75.75 0 0 0 1.06 1.06ZM2 17.25v-4.5a.75.75 0 0 1 1.5 0v2.69l3.22-3.22a.75.75 0 0 1 1.06 1.06L4.56 16.5h2.69a.75.75 0 0 1 0 1.5h-4.5a.747.747 0 0 1-.75-.75ZM12.22 13.28l3.22 3.22h-2.69a.75.75 0 0 0 0 1.5h4.5a.747.747 0 0 0 .75-.75v-4.5a.75.75 0 0 0-1.5 0v2.69l-3.22-3.22a.75.75 0 1 0-1.06 1.06ZM3.5 4.56l3.22 3.22a.75.75 0 0 0 1.06-1.06L4.56 3.5h2.69a.75.75 0 0 0 0-1.5h-4.5a.75.75 0 0 0-.75.75v4.5a.75.75 0 0 0 1.5 0V4.56Z"})])}function le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.2 2.24a.75.75 0 0 0 .04 1.06l2.1 1.95H6.75a.75.75 0 0 0 0 1.5h8.59l-2.1 1.95a.75.75 0 1 0 1.02 1.1l3.5-3.25a.75.75 0 0 0 0-1.1l-3.5-3.25a.75.75 0 0 0-1.06.04Zm-6.4 8a.75.75 0 0 0-1.06-.04l-3.5 3.25a.75.75 0 0 0 0 1.1l3.5 3.25a.75.75 0 1 0 1.02-1.1l-2.1-1.95h8.59a.75.75 0 0 0 0-1.5H4.66l2.1-1.95a.75.75 0 0 0 .04-1.06Z","clip-rule":"evenodd"})])}function se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.24 6.8a.75.75 0 0 0 1.06-.04l1.95-2.1v8.59a.75.75 0 0 0 1.5 0V4.66l1.95 2.1a.75.75 0 1 0 1.1-1.02l-3.25-3.5a.75.75 0 0 0-1.1 0L2.2 5.74a.75.75 0 0 0 .04 1.06Zm8 6.4a.75.75 0 0 0-.04 1.06l3.25 3.5a.75.75 0 0 0 1.1 0l3.25-3.5a.75.75 0 1 0-1.1-1.02l-1.95 2.1V6.75a.75.75 0 0 0-1.5 0v8.59l-1.95-2.1a.75.75 0 0 0-1.06-.04Z","clip-rule":"evenodd"})])}function ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.404 14.596A6.5 6.5 0 1 1 16.5 10a1.25 1.25 0 0 1-2.5 0 4 4 0 1 0-.571 2.06A2.75 2.75 0 0 0 18 10a8 8 0 1 0-2.343 5.657.75.75 0 0 0-1.06-1.06 6.5 6.5 0 0 1-9.193 0ZM10 7.5a2.5 2.5 0 1 0 0 5 2.5 2.5 0 0 0 0-5Z","clip-rule":"evenodd"})])}function ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.22 3.22A.75.75 0 0 1 7.75 3h9A2.25 2.25 0 0 1 19 5.25v9.5A2.25 2.25 0 0 1 16.75 17h-9a.75.75 0 0 1-.53-.22L.97 10.53a.75.75 0 0 1 0-1.06l6.25-6.25Zm3.06 4a.75.75 0 1 0-1.06 1.06L10.94 10l-1.72 1.72a.75.75 0 1 0 1.06 1.06L12 11.06l1.72 1.72a.75.75 0 1 0 1.06-1.06L13.06 10l1.72-1.72a.75.75 0 0 0-1.06-1.06L12 8.94l-1.72-1.72Z","clip-rule":"evenodd"})])}function de(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.712 4.818A1.5 1.5 0 0 1 10 6.095v2.972c.104-.13.234-.248.389-.343l6.323-3.906A1.5 1.5 0 0 1 19 6.095v7.81a1.5 1.5 0 0 1-2.288 1.276l-6.323-3.905a1.505 1.505 0 0 1-.389-.344v2.973a1.5 1.5 0 0 1-2.288 1.276l-6.323-3.905a1.5 1.5 0 0 1 0-2.552l6.323-3.906Z"})])}function he(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 4a1 1 0 0 1 1-1h16a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4Zm12 4a3 3 0 1 1-6 0 3 3 0 0 1 6 0ZM4 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2Zm13-1a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM1.75 14.5a.75.75 0 0 0 0 1.5c4.417 0 8.693.603 12.749 1.73 1.111.309 2.251-.512 2.251-1.696v-.784a.75.75 0 0 0-1.5 0v.784a.272.272 0 0 1-.35.25A49.043 49.043 0 0 0 1.75 14.5Z","clip-rule":"evenodd"})])}function pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 6.75A.75.75 0 0 1 2.75 6h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 6.75Zm0 6.5a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75A.75.75 0 0 1 2.75 4h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 4.75Zm0 10.5a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-7.5a.75.75 0 0 1-.75-.75ZM2 10a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 10Z","clip-rule":"evenodd"})])}function me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75A.75.75 0 0 1 2.75 4h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 4.75Zm7 10.5a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-7.5a.75.75 0 0 1-.75-.75ZM2 10a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 10Z","clip-rule":"evenodd"})])}function ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75A.75.75 0 0 1 2.75 4h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 4.75Zm0 10.5a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75ZM2 10a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-7.5A.75.75 0 0 1 2 10Z","clip-rule":"evenodd"})])}function ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75A.75.75 0 0 1 2.75 4h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 4.75ZM2 10a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 10Zm0 5.25a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function we(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.75A.75.75 0 0 1 2.75 3h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 3.75Zm0 4.167a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Zm0 4.166a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Zm0 4.167a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.75A.75.75 0 0 1 2.75 3h11.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 3.75ZM2 7.5a.75.75 0 0 1 .75-.75h7.508a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 7.5ZM14 7a.75.75 0 0 1 .75.75v6.59l1.95-2.1a.75.75 0 1 1 1.1 1.02l-3.25 3.5a.75.75 0 0 1-1.1 0l-3.25-3.5a.75.75 0 1 1 1.1-1.02l1.95 2.1V7.75A.75.75 0 0 1 14 7ZM2 11.25a.75.75 0 0 1 .75-.75h4.562a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.75A.75.75 0 0 1 2.75 3h11.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 3.75ZM2 7.5a.75.75 0 0 1 .75-.75h6.365a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 7.5ZM14 7a.75.75 0 0 1 .55.24l3.25 3.5a.75.75 0 1 1-1.1 1.02l-1.95-2.1v6.59a.75.75 0 0 1-1.5 0V9.66l-1.95 2.1a.75.75 0 1 1-1.1-1.02l3.25-3.5A.75.75 0 0 1 14 7ZM2 11.25a.75.75 0 0 1 .75-.75H7A.75.75 0 0 1 7 12H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 7.25A2.25 2.25 0 0 1 3.25 5h12.5A2.25 2.25 0 0 1 18 7.25v1.085a1.5 1.5 0 0 1 1 1.415v.5a1.5 1.5 0 0 1-1 1.415v1.085A2.25 2.25 0 0 1 15.75 15H3.25A2.25 2.25 0 0 1 1 12.75v-5.5Zm2.25-.75a.75.75 0 0 0-.75.75v5.5c0 .414.336.75.75.75h12.5a.75.75 0 0 0 .75-.75v-5.5a.75.75 0 0 0-.75-.75H3.25Z","clip-rule":"evenodd"})])}function ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.75 8a.75.75 0 0 0-.75.75v2.5c0 .414.336.75.75.75h9.5a.75.75 0 0 0 .75-.75v-2.5a.75.75 0 0 0-.75-.75h-9.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 7.25A2.25 2.25 0 0 1 3.25 5h12.5A2.25 2.25 0 0 1 18 7.25v1.085a1.5 1.5 0 0 1 1 1.415v.5a1.5 1.5 0 0 1-1 1.415v1.085A2.25 2.25 0 0 1 15.75 15H3.25A2.25 2.25 0 0 1 1 12.75v-5.5Zm2.25-.75a.75.75 0 0 0-.75.75v5.5c0 .414.336.75.75.75h12.5a.75.75 0 0 0 .75-.75v-5.5a.75.75 0 0 0-.75-.75H3.25Z","clip-rule":"evenodd"})])}function Ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.75 8a.75.75 0 0 0-.75.75v2.5c0 .414.336.75.75.75H9.5a.75.75 0 0 0 .75-.75v-2.5A.75.75 0 0 0 9.5 8H4.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.25 5A2.25 2.25 0 0 0 1 7.25v5.5A2.25 2.25 0 0 0 3.25 15h12.5A2.25 2.25 0 0 0 18 12.75v-1.085a1.5 1.5 0 0 0 1-1.415v-.5a1.5 1.5 0 0 0-1-1.415V7.25A2.25 2.25 0 0 0 15.75 5H3.25ZM2.5 7.25a.75.75 0 0 1 .75-.75h12.5a.75.75 0 0 1 .75.75v5.5a.75.75 0 0 1-.75.75H3.25a.75.75 0 0 1-.75-.75v-5.5Z","clip-rule":"evenodd"})])}function Ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.5 3.528v4.644c0 .729-.29 1.428-.805 1.944l-1.217 1.216a8.75 8.75 0 0 1 3.55.621l.502.201a7.25 7.25 0 0 0 4.178.365l-2.403-2.403a2.75 2.75 0 0 1-.805-1.944V3.528a40.205 40.205 0 0 0-3 0Zm4.5.084.19.015a.75.75 0 1 0 .12-1.495 41.364 41.364 0 0 0-6.62 0 .75.75 0 0 0 .12 1.495L7 3.612v4.56c0 .331-.132.649-.366.883L2.6 13.09c-1.496 1.496-.817 4.15 1.403 4.475C5.961 17.852 7.963 18 10 18s4.039-.148 5.997-.436c2.22-.325 2.9-2.979 1.403-4.475l-4.034-4.034A1.25 1.25 0 0 1 13 8.172v-4.56Z","clip-rule":"evenodd"})])}function Ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.214 3.227a.75.75 0 0 0-1.156-.955 8.97 8.97 0 0 0-1.856 3.825.75.75 0 0 0 1.466.316 7.47 7.47 0 0 1 1.546-3.186ZM16.942 2.272a.75.75 0 0 0-1.157.955 7.47 7.47 0 0 1 1.547 3.186.75.75 0 0 0 1.466-.316 8.971 8.971 0 0 0-1.856-3.825Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a6 6 0 0 0-6 6c0 1.887-.454 3.665-1.257 5.234a.75.75 0 0 0 .515 1.076 32.91 32.91 0 0 0 3.256.508 3.5 3.5 0 0 0 6.972 0 32.903 32.903 0 0 0 3.256-.508.75.75 0 0 0 .515-1.076A11.448 11.448 0 0 1 16 8a6 6 0 0 0-6-6Zm0 14.5a2 2 0 0 1-1.95-1.557 33.54 33.54 0 0 0 3.9 0A2 2 0 0 1 10 16.5Z","clip-rule":"evenodd"})])}function Be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4 8c0-.26.017-.517.049-.77l7.722 7.723a33.56 33.56 0 0 1-3.722-.01 2 2 0 0 0 3.862.15l1.134 1.134a3.5 3.5 0 0 1-6.53-1.409 32.91 32.91 0 0 1-3.257-.508.75.75 0 0 1-.515-1.076A11.448 11.448 0 0 0 4 8ZM17.266 13.9a.756.756 0 0 1-.068.116L6.389 3.207A6 6 0 0 1 16 8c.001 1.887.455 3.665 1.258 5.234a.75.75 0 0 1 .01.666ZM3.28 2.22a.75.75 0 0 0-1.06 1.06l14.5 14.5a.75.75 0 1 0 1.06-1.06L3.28 2.22Z"})])}function Me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 8a6 6 0 1 1 12 0c0 1.887.454 3.665 1.257 5.234a.75.75 0 0 1-.515 1.076 32.903 32.903 0 0 1-3.256.508 3.5 3.5 0 0 1-6.972 0 32.91 32.91 0 0 1-3.256-.508.75.75 0 0 1-.515-1.076A11.448 11.448 0 0 0 4 8Zm6 7c-.655 0-1.305-.02-1.95-.057a2 2 0 0 0 3.9 0c-.645.038-1.295.057-1.95.057ZM8.75 6a.75.75 0 0 0 0 1.5h1.043L8.14 9.814A.75.75 0 0 0 8.75 11h2.5a.75.75 0 0 0 0-1.5h-1.043l1.653-2.314A.75.75 0 0 0 11.25 6h-2.5Z","clip-rule":"evenodd"})])}function _e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a6 6 0 0 0-6 6c0 1.887-.454 3.665-1.257 5.234a.75.75 0 0 0 .515 1.076 32.91 32.91 0 0 0 3.256.508 3.5 3.5 0 0 0 6.972 0 32.903 32.903 0 0 0 3.256-.508.75.75 0 0 0 .515-1.076A11.448 11.448 0 0 1 16 8a6 6 0 0 0-6-6ZM8.05 14.943a33.54 33.54 0 0 0 3.9 0 2 2 0 0 1-3.9 0Z","clip-rule":"evenodd"})])}function Se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function Ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.22 2.22a.75.75 0 0 1 1.06 0l14.5 14.5a.75.75 0 1 1-1.06 1.06L2.22 3.28a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M4.73 7.912 2.191 10.75A.75.75 0 0 0 2.75 12h6.068L4.73 7.912ZM9.233 12.415l-1.216 5.678a.75.75 0 0 0 1.292.657l2.956-3.303-3.032-3.032ZM15.27 12.088l2.539-2.838A.75.75 0 0 0 17.25 8h-6.068l4.088 4.088ZM10.767 7.585l1.216-5.678a.75.75 0 0 0-1.292-.657L7.735 4.553l3.032 3.032Z"})])}function Ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.983 1.907a.75.75 0 0 0-1.292-.657l-8.5 9.5A.75.75 0 0 0 2.75 12h6.572l-1.305 6.093a.75.75 0 0 0 1.292.657l8.5-9.5A.75.75 0 0 0 17.25 8h-6.572l1.305-6.093Z"})])}function Le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.75 16.82A7.462 7.462 0 0 1 15 15.5c.71 0 1.396.098 2.046.282A.75.75 0 0 0 18 15.06v-11a.75.75 0 0 0-.546-.721A9.006 9.006 0 0 0 15 3a8.963 8.963 0 0 0-4.25 1.065V16.82ZM9.25 4.065A8.963 8.963 0 0 0 5 3c-.85 0-1.673.118-2.454.339A.75.75 0 0 0 2 4.06v11a.75.75 0 0 0 .954.721A7.506 7.506 0 0 1 5 15.5c1.579 0 3.042.487 4.25 1.32V4.065Z"})])}function Te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M17 4.517v9.301L5.433 2.252a41.44 41.44 0 0 1 9.637.058C16.194 2.45 17 3.414 17 4.517ZM3 17.25V6.182l10.654 10.654L10 15.082l-5.925 2.844A.75.75 0 0 1 3 17.25ZM3.28 2.22a.75.75 0 0 0-1.06 1.06l14.5 14.5a.75.75 0 1 0 1.06-1.06L3.28 2.22Z"})])}function Ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.25 2A2.25 2.25 0 0 0 2 4.25v11.5A2.25 2.25 0 0 0 4.25 18h11.5A2.25 2.25 0 0 0 18 15.75V4.25A2.25 2.25 0 0 0 15.75 2H4.25ZM6 13.25V3.5h8v9.75a.75.75 0 0 1-1.064.681L10 12.576l-2.936 1.355A.75.75 0 0 1 6 13.25Z","clip-rule":"evenodd"})])}function Ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2c-1.716 0-3.408.106-5.07.31C3.806 2.45 3 3.414 3 4.517V17.25a.75.75 0 0 0 1.075.676L10 15.082l5.925 2.844A.75.75 0 0 0 17 17.25V4.517c0-1.103-.806-2.068-1.93-2.207A41.403 41.403 0 0 0 10 2Z","clip-rule":"evenodd"})])}function Oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 3.75A2.75 2.75 0 0 1 8.75 1h2.5A2.75 2.75 0 0 1 14 3.75v.443c.572.055 1.14.122 1.706.2C17.053 4.582 18 5.75 18 7.07v3.469c0 1.126-.694 2.191-1.83 2.54-1.952.599-4.024.921-6.17.921s-4.219-.322-6.17-.921C2.694 12.73 2 11.665 2 10.539V7.07c0-1.321.947-2.489 2.294-2.676A41.047 41.047 0 0 1 6 4.193V3.75Zm6.5 0v.325a41.622 41.622 0 0 0-5 0V3.75c0-.69.56-1.25 1.25-1.25h2.5c.69 0 1.25.56 1.25 1.25ZM10 10a1 1 0 0 0-1 1v.01a1 1 0 0 0 1 1h.01a1 1 0 0 0 1-1V11a1 1 0 0 0-1-1H10Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M3 15.055v-.684c.126.053.255.1.39.142 2.092.642 4.313.987 6.61.987 2.297 0 4.518-.345 6.61-.987.135-.041.264-.089.39-.142v.684c0 1.347-.985 2.53-2.363 2.686a41.454 41.454 0 0 1-9.274 0C3.985 17.585 3 16.402 3 15.055Z"})])}function De(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.56 1.14a.75.75 0 0 1 .177 1.045 3.989 3.989 0 0 0-.464.86c.185.17.382.329.59.473A3.993 3.993 0 0 1 10 2c1.272 0 2.405.594 3.137 1.518.208-.144.405-.302.59-.473a3.989 3.989 0 0 0-.464-.86.75.75 0 0 1 1.222-.869c.369.519.65 1.105.822 1.736a.75.75 0 0 1-.174.707 7.03 7.03 0 0 1-1.299 1.098A4 4 0 0 1 14 6c0 .52-.301.963-.723 1.187a6.961 6.961 0 0 1-1.158.486c.13.208.231.436.296.679 1.413-.174 2.779-.5 4.081-.96a19.655 19.655 0 0 0-.09-2.319.75.75 0 1 1 1.493-.146 21.239 21.239 0 0 1 .08 3.028.75.75 0 0 1-.482.667 20.873 20.873 0 0 1-5.153 1.249 2.521 2.521 0 0 1-.107.247 20.945 20.945 0 0 1 5.252 1.257.75.75 0 0 1 .482.74 20.945 20.945 0 0 1-.908 5.107.75.75 0 0 1-1.433-.444c.415-1.34.69-2.743.806-4.191-.495-.173-1-.327-1.512-.46.05.284.076.575.076.873 0 1.814-.517 3.312-1.426 4.37A4.639 4.639 0 0 1 10 19a4.639 4.639 0 0 1-3.574-1.63C5.516 16.311 5 14.813 5 13c0-.298.026-.59.076-.873-.513.133-1.017.287-1.512.46.116 1.448.39 2.85.806 4.191a.75.75 0 1 1-1.433.444 20.94 20.94 0 0 1-.908-5.107.75.75 0 0 1 .482-.74 20.838 20.838 0 0 1 5.252-1.257 2.493 2.493 0 0 1-.107-.247 20.874 20.874 0 0 1-5.153-1.249.75.75 0 0 1-.482-.667 21.342 21.342 0 0 1 .08-3.028.75.75 0 1 1 1.493.146 19.745 19.745 0 0 0-.09 2.319c1.302.46 2.668.786 4.08.96.066-.243.166-.471.297-.679a6.962 6.962 0 0 1-1.158-.486A1.348 1.348 0 0 1 6 6a4 4 0 0 1 .166-1.143 7.032 7.032 0 0 1-1.3-1.098.75.75 0 0 1-.173-.707 5.48 5.48 0 0 1 .822-1.736.75.75 0 0 1 1.046-.177Z","clip-rule":"evenodd"})])}function Re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.674 2.075a.75.75 0 0 1 .652 0l7.25 3.5A.75.75 0 0 1 17 6.957V16.5h.25a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1 0-1.5H3V6.957a.75.75 0 0 1-.576-1.382l7.25-3.5ZM11 6a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM7.5 9.75a.75.75 0 0 0-1.5 0v5.5a.75.75 0 0 0 1.5 0v-5.5Zm3.25 0a.75.75 0 0 0-1.5 0v5.5a.75.75 0 0 0 1.5 0v-5.5Zm3.25 0a.75.75 0 0 0-1.5 0v5.5a.75.75 0 0 0 1.5 0v-5.5Z","clip-rule":"evenodd"})])}function He(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 2.75A.75.75 0 0 1 1.75 2h10.5a.75.75 0 0 1 0 1.5H12v13.75a.75.75 0 0 1-.75.75h-1.5a.75.75 0 0 1-.75-.75v-2.5a.75.75 0 0 0-.75-.75h-2.5a.75.75 0 0 0-.75.75v2.5a.75.75 0 0 1-.75.75h-2.5a.75.75 0 0 1 0-1.5H2v-13h-.25A.75.75 0 0 1 1 2.75ZM4 5.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1ZM4.5 9a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1ZM8 5.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1ZM8.5 9a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1ZM14.25 6a.75.75 0 0 0-.75.75V17a1 1 0 0 0 1 1h3.75a.75.75 0 0 0 0-1.5H18v-9h.25a.75.75 0 0 0 0-1.5h-4Zm.5 3.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1Zm.5 3.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1Z","clip-rule":"evenodd"})])}function Pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 16.5v-13h-.25a.75.75 0 0 1 0-1.5h12.5a.75.75 0 0 1 0 1.5H16v13h.25a.75.75 0 0 1 0 1.5h-3.5a.75.75 0 0 1-.75-.75v-2.5a.75.75 0 0 0-.75-.75h-2.5a.75.75 0 0 0-.75.75v2.5a.75.75 0 0 1-.75.75h-3.5a.75.75 0 0 1 0-1.5H4Zm3-11a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1ZM7.5 9a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1ZM11 5.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1Zm.5 3.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1Z","clip-rule":"evenodd"})])}function je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.879 7.121A3 3 0 0 0 7.5 6.66a2.997 2.997 0 0 0 2.5 1.34 2.997 2.997 0 0 0 2.5-1.34 3 3 0 1 0 4.622-3.78l-.293-.293A2 2 0 0 0 15.415 2H4.585a2 2 0 0 0-1.414.586l-.292.292a3 3 0 0 0 0 4.243ZM3 9.032a4.507 4.507 0 0 0 4.5-.29A4.48 4.48 0 0 0 10 9.5a4.48 4.48 0 0 0 2.5-.758 4.507 4.507 0 0 0 4.5.29V16.5h.25a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75v-3.5a.75.75 0 0 0-.75-.75h-2.5a.75.75 0 0 0-.75.75v3.5a.75.75 0 0 1-.75.75h-4.5a.75.75 0 0 1 0-1.5H3V9.032Z"})])}function Fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m6.75.98-.884.883a1.25 1.25 0 1 0 1.768 0L6.75.98ZM13.25.98l-.884.883a1.25 1.25 0 1 0 1.768 0L13.25.98ZM10 .98l.884.883a1.25 1.25 0 1 1-1.768 0L10 .98ZM7.5 5.75a.75.75 0 0 0-1.5 0v.464c-1.179.304-2 1.39-2 2.622v.094c.1-.02.202-.038.306-.052A42.867 42.867 0 0 1 10 8.5c1.93 0 3.83.129 5.694.378.104.014.206.032.306.052v-.094c0-1.232-.821-2.317-2-2.622V5.75a.75.75 0 0 0-1.5 0v.318a45.645 45.645 0 0 0-1.75-.062V5.75a.75.75 0 0 0-1.5 0v.256c-.586.01-1.17.03-1.75.062V5.75ZM4.505 10.365A41.36 41.36 0 0 1 10 10c1.863 0 3.697.124 5.495.365C16.967 10.562 18 11.838 18 13.28v.693a3.72 3.72 0 0 1-1.665-.393 5.222 5.222 0 0 0-4.67 0 3.722 3.722 0 0 1-3.33 0 5.222 5.222 0 0 0-4.67 0A3.72 3.72 0 0 1 2 13.972v-.693c0-1.441 1.033-2.717 2.505-2.914ZM15.665 14.92a5.22 5.22 0 0 0 2.335.552V16.5a1.5 1.5 0 0 1-1.5 1.5h-13A1.5 1.5 0 0 1 2 16.5v-1.028c.8 0 1.6-.184 2.335-.551a3.722 3.722 0 0 1 3.33 0c1.47.735 3.2.735 4.67 0a3.722 3.722 0 0 1 3.33 0Z"})])}function ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 1c-1.716 0-3.408.106-5.07.31C3.806 1.45 3 2.414 3 3.517V16.75A2.25 2.25 0 0 0 5.25 19h9.5A2.25 2.25 0 0 0 17 16.75V3.517c0-1.103-.806-2.068-1.93-2.207A41.403 41.403 0 0 0 10 1ZM5.99 8.75A.75.75 0 0 1 6.74 8h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm.75 1.417a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75v-.01a.75.75 0 0 0-.75-.75h-.01Zm-.75 2.916a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm.75 1.417a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75v-.01a.75.75 0 0 0-.75-.75h-.01Zm1.417-5.75a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm.75 1.417a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75v-.01a.75.75 0 0 0-.75-.75h-.01Zm-.75 2.916a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm.75 1.417a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75v-.01a.75.75 0 0 0-.75-.75h-.01Zm1.42-5.75a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm.75 1.417a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75v-.01a.75.75 0 0 0-.75-.75h-.01Zm-.75 2.916a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm.75 1.417a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75v-.01a.75.75 0 0 0-.75-.75h-.01ZM12.5 8.75a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm.75 1.417a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75v-.01a.75.75 0 0 0-.75-.75h-.01Zm0 2.166a.75.75 0 0 1 .75.75v2.167a.75.75 0 1 1-1.5 0v-2.167a.75.75 0 0 1 .75-.75ZM6.75 4a.75.75 0 0 0-.75.75v.5c0 .414.336.75.75.75h6.5a.75.75 0 0 0 .75-.75v-.5a.75.75 0 0 0-.75-.75h-6.5Z","clip-rule":"evenodd"})])}function qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 9.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V10a.75.75 0 0 0-.75-.75H10ZM6 13.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V14a.75.75 0 0 0-.75-.75H6ZM8 13.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V14a.75.75 0 0 0-.75-.75H8ZM9.25 14a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H10a.75.75 0 0 1-.75-.75V14ZM12 11.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V12a.75.75 0 0 0-.75-.75H12ZM12 13.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V14a.75.75 0 0 0-.75-.75H12ZM13.25 12a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H14a.75.75 0 0 1-.75-.75V12ZM11.25 10.005c0-.417.338-.755.755-.755h2a.755.755 0 1 1 0 1.51h-2a.755.755 0 0 1-.755-.755ZM6.005 11.25a.755.755 0 1 0 0 1.51h4a.755.755 0 1 0 0-1.51h-4Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.75 2a.75.75 0 0 1 .75.75V4h7V2.75a.75.75 0 0 1 1.5 0V4h.25A2.75 2.75 0 0 1 18 6.75v8.5A2.75 2.75 0 0 1 15.25 18H4.75A2.75 2.75 0 0 1 2 15.25v-8.5A2.75 2.75 0 0 1 4.75 4H5V2.75A.75.75 0 0 1 5.75 2Zm-1 5.5c-.69 0-1.25.56-1.25 1.25v6.5c0 .69.56 1.25 1.25 1.25h10.5c.69 0 1.25-.56 1.25-1.25v-6.5c0-.69-.56-1.25-1.25-1.25H4.75Z","clip-rule":"evenodd"})])}function Ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.25 12a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H6a.75.75 0 0 1-.75-.75V12ZM6 13.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V14a.75.75 0 0 0-.75-.75H6ZM7.25 12a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H8a.75.75 0 0 1-.75-.75V12ZM8 13.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V14a.75.75 0 0 0-.75-.75H8ZM9.25 10a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H10a.75.75 0 0 1-.75-.75V10ZM10 11.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V12a.75.75 0 0 0-.75-.75H10ZM9.25 14a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H10a.75.75 0 0 1-.75-.75V14ZM12 9.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V10a.75.75 0 0 0-.75-.75H12ZM11.25 12a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H12a.75.75 0 0 1-.75-.75V12ZM12 13.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V14a.75.75 0 0 0-.75-.75H12ZM13.25 10a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H14a.75.75 0 0 1-.75-.75V10ZM14 11.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V12a.75.75 0 0 0-.75-.75H14Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.75 2a.75.75 0 0 1 .75.75V4h7V2.75a.75.75 0 0 1 1.5 0V4h.25A2.75 2.75 0 0 1 18 6.75v8.5A2.75 2.75 0 0 1 15.25 18H4.75A2.75 2.75 0 0 1 2 15.25v-8.5A2.75 2.75 0 0 1 4.75 4H5V2.75A.75.75 0 0 1 5.75 2Zm-1 5.5c-.69 0-1.25.56-1.25 1.25v6.5c0 .69.56 1.25 1.25 1.25h10.5c.69 0 1.25-.56 1.25-1.25v-6.5c0-.69-.56-1.25-1.25-1.25H4.75Z","clip-rule":"evenodd"})])}function $e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.75 2a.75.75 0 0 1 .75.75V4h7V2.75a.75.75 0 0 1 1.5 0V4h.25A2.75 2.75 0 0 1 18 6.75v8.5A2.75 2.75 0 0 1 15.25 18H4.75A2.75 2.75 0 0 1 2 15.25v-8.5A2.75 2.75 0 0 1 4.75 4H5V2.75A.75.75 0 0 1 5.75 2Zm-1 5.5c-.69 0-1.25.56-1.25 1.25v6.5c0 .69.56 1.25 1.25 1.25h10.5c.69 0 1.25-.56 1.25-1.25v-6.5c0-.69-.56-1.25-1.25-1.25H4.75Z","clip-rule":"evenodd"})])}function We(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 8a2 2 0 0 1 2-2h.93a2 2 0 0 0 1.664-.89l.812-1.22A2 2 0 0 1 8.07 3h3.86a2 2 0 0 1 1.664.89l.812 1.22A2 2 0 0 0 16.07 6H17a2 2 0 0 1 2 2v7a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V8Zm13.5 3a4.5 4.5 0 1 1-9 0 4.5 4.5 0 0 1 9 0ZM10 14a3 3 0 1 0 0-6 3 3 0 0 0 0 6Z","clip-rule":"evenodd"})])}function Ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.25 2A2.25 2.25 0 0 0 2 4.25v11.5A2.25 2.25 0 0 0 4.25 18h11.5A2.25 2.25 0 0 0 18 15.75V4.25A2.25 2.25 0 0 0 15.75 2H4.25ZM15 5.75a.75.75 0 0 0-1.5 0v8.5a.75.75 0 0 0 1.5 0v-8.5Zm-8.5 6a.75.75 0 0 0-1.5 0v2.5a.75.75 0 0 0 1.5 0v-2.5ZM8.584 9a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0v-4.5a.75.75 0 0 1 .75-.75Zm3.58-1.25a.75.75 0 0 0-1.5 0v6.5a.75.75 0 0 0 1.5 0v-6.5Z","clip-rule":"evenodd"})])}function Ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M15.5 2A1.5 1.5 0 0 0 14 3.5v13a1.5 1.5 0 0 0 1.5 1.5h1a1.5 1.5 0 0 0 1.5-1.5v-13A1.5 1.5 0 0 0 16.5 2h-1ZM9.5 6A1.5 1.5 0 0 0 8 7.5v9A1.5 1.5 0 0 0 9.5 18h1a1.5 1.5 0 0 0 1.5-1.5v-9A1.5 1.5 0 0 0 10.5 6h-1ZM3.5 10A1.5 1.5 0 0 0 2 11.5v5A1.5 1.5 0 0 0 3.5 18h1A1.5 1.5 0 0 0 6 16.5v-5A1.5 1.5 0 0 0 4.5 10h-1Z"})])}function Ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 9a1 1 0 0 1-1-1V3c0-.552.45-1.007.997-.93a7.004 7.004 0 0 1 5.933 5.933c.078.547-.378.997-.93.997h-5Z"}),(0,r.createElementVNode)("path",{d:"M8.003 4.07C8.55 3.994 9 4.449 9 5v5a1 1 0 0 0 1 1h5c.552 0 1.008.45.93.997A7.001 7.001 0 0 1 2 11a7.002 7.002 0 0 1 6.003-6.93Z"})])}function Xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function Je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.43 2.524A41.29 41.29 0 0 1 10 2c2.236 0 4.43.18 6.57.524 1.437.231 2.43 1.49 2.43 2.902v5.148c0 1.413-.993 2.67-2.43 2.902a41.102 41.102 0 0 1-3.55.414c-.28.02-.521.18-.643.413l-1.712 3.293a.75.75 0 0 1-1.33 0l-1.713-3.293a.783.783 0 0 0-.642-.413 41.108 41.108 0 0 1-3.55-.414C1.993 13.245 1 11.986 1 10.574V5.426c0-1.413.993-2.67 2.43-2.902Z","clip-rule":"evenodd"})])}function Qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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.848.137 1.705.248 2.57.331v3.443a.75.75 0 0 0 1.28.53l3.58-3.579a.78.78 0 0 1 .527-.224 41.202 41.202 0 0 0 5.183-.5c1.437-.232 2.43-1.49 2.43-2.903V5.426c0-1.413-.993-2.67-2.43-2.902A41.289 41.289 0 0 0 10 2Zm0 7a1 1 0 1 0 0-2 1 1 0 0 0 0 2ZM8 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0Zm5 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.505 2.365A41.369 41.369 0 0 1 9 2c1.863 0 3.697.124 5.495.365 1.247.167 2.18 1.108 2.435 2.268a4.45 4.45 0 0 0-.577-.069 43.141 43.141 0 0 0-4.706 0C9.229 4.696 7.5 6.727 7.5 8.998v2.24c0 1.413.67 2.735 1.76 3.562l-2.98 2.98A.75.75 0 0 1 5 17.25v-3.443c-.501-.048-1-.106-1.495-.172C2.033 13.438 1 12.162 1 10.72V5.28c0-1.441 1.033-2.717 2.505-2.914Z"}),(0,r.createElementVNode)("path",{d:"M14 6c-.762 0-1.52.02-2.271.062C10.157 6.148 9 7.472 9 8.998v2.24c0 1.519 1.147 2.839 2.71 2.935.214.013.428.024.642.034.2.009.385.09.518.224l2.35 2.35a.75.75 0 0 0 1.28-.531v-2.07c1.453-.195 2.5-1.463 2.5-2.915V8.998c0-1.526-1.157-2.85-2.729-2.936A41.645 41.645 0 0 0 14 6Z"})])}function tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.43 2.524A41.29 41.29 0 0 1 10 2c2.236 0 4.43.18 6.57.524 1.437.231 2.43 1.49 2.43 2.902v5.148c0 1.413-.993 2.67-2.43 2.902a41.202 41.202 0 0 1-5.183.501.78.78 0 0 0-.528.224l-3.579 3.58A.75.75 0 0 1 6 17.25v-3.443a41.033 41.033 0 0 1-2.57-.33C1.993 13.244 1 11.986 1 10.573V5.426c0-1.413.993-2.67 2.43-2.902Z","clip-rule":"evenodd"})])}function nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 3c-4.31 0-8 3.033-8 7 0 2.024.978 3.825 2.499 5.085a3.478 3.478 0 0 1-.522 1.756.75.75 0 0 0 .584 1.143 5.976 5.976 0 0 0 3.936-1.108c.487.082.99.124 1.503.124 4.31 0 8-3.033 8-7s-3.69-7-8-7Zm0 8a1 1 0 1 0 0-2 1 1 0 0 0 0 2Zm-2-1a1 1 0 1 1-2 0 1 1 0 0 1 2 0Zm5 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 10c0-3.967 3.69-7 8-7 4.31 0 8 3.033 8 7s-3.69 7-8 7a9.165 9.165 0 0 1-1.504-.123 5.976 5.976 0 0 1-3.935 1.107.75.75 0 0 1-.584-1.143 3.478 3.478 0 0 0 .522-1.756C2.979 13.825 2 12.025 2 10Z","clip-rule":"evenodd"})])}function ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.403 12.652a3 3 0 0 0 0-5.304 3 3 0 0 0-3.75-3.751 3 3 0 0 0-5.305 0 3 3 0 0 0-3.751 3.75 3 3 0 0 0 0 5.305 3 3 0 0 0 3.75 3.751 3 3 0 0 0 5.305 0 3 3 0 0 0 3.751-3.75Zm-2.546-4.46a.75.75 0 0 0-1.214-.883l-3.483 4.79-1.88-1.88a.75.75 0 1 0-1.06 1.061l2.5 2.5a.75.75 0 0 0 1.137-.089l4-5.5Z","clip-rule":"evenodd"})])}function it(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm3.857-9.809a.75.75 0 0 0-1.214-.882l-3.483 4.79-1.88-1.88a.75.75 0 1 0-1.06 1.061l2.5 2.5a.75.75 0 0 0 1.137-.089l4-5.5Z","clip-rule":"evenodd"})])}function at(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.704 4.153a.75.75 0 0 1 .143 1.052l-8 10.5a.75.75 0 0 1-1.127.075l-4.5-4.5a.75.75 0 0 1 1.06-1.06l3.894 3.893 7.48-9.817a.75.75 0 0 1 1.05-.143Z","clip-rule":"evenodd"})])}function lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.47 15.28a.75.75 0 0 0 1.06 0l4.25-4.25a.75.75 0 1 0-1.06-1.06L10 13.69 6.28 9.97a.75.75 0 0 0-1.06 1.06l4.25 4.25ZM5.22 6.03l4.25 4.25a.75.75 0 0 0 1.06 0l4.25-4.25a.75.75 0 0 0-1.06-1.06L10 8.69 6.28 4.97a.75.75 0 0 0-1.06 1.06Z","clip-rule":"evenodd"})])}function st(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.72 9.47a.75.75 0 0 0 0 1.06l4.25 4.25a.75.75 0 1 0 1.06-1.06L6.31 10l3.72-3.72a.75.75 0 1 0-1.06-1.06L4.72 9.47Zm9.25-4.25L9.72 9.47a.75.75 0 0 0 0 1.06l4.25 4.25a.75.75 0 1 0 1.06-1.06L11.31 10l3.72-3.72a.75.75 0 0 0-1.06-1.06Z","clip-rule":"evenodd"})])}function ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.28 9.47a.75.75 0 0 1 0 1.06l-4.25 4.25a.75.75 0 1 1-1.06-1.06L13.69 10 9.97 6.28a.75.75 0 0 1 1.06-1.06l4.25 4.25ZM6.03 5.22l4.25 4.25a.75.75 0 0 1 0 1.06l-4.25 4.25a.75.75 0 0 1-1.06-1.06L8.69 10 4.97 6.28a.75.75 0 0 1 1.06-1.06Z","clip-rule":"evenodd"})])}function ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.47 4.72a.75.75 0 0 1 1.06 0l4.25 4.25a.75.75 0 1 1-1.06 1.06L10 6.31l-3.72 3.72a.75.75 0 1 1-1.06-1.06l4.25-4.25Zm-4.25 9.25 4.25-4.25a.75.75 0 0 1 1.06 0l4.25 4.25a.75.75 0 1 1-1.06 1.06L10 11.31l-3.72 3.72a.75.75 0 0 1-1.06-1.06Z","clip-rule":"evenodd"})])}function dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.22 8.22a.75.75 0 0 1 1.06 0L10 11.94l3.72-3.72a.75.75 0 1 1 1.06 1.06l-4.25 4.25a.75.75 0 0 1-1.06 0L5.22 9.28a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.78 5.22a.75.75 0 0 1 0 1.06L8.06 10l3.72 3.72a.75.75 0 1 1-1.06 1.06l-4.25-4.25a.75.75 0 0 1 0-1.06l4.25-4.25a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.22 5.22a.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.06L11.94 10 8.22 6.28a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.53 3.47a.75.75 0 0 0-1.06 0L6.22 6.72a.75.75 0 0 0 1.06 1.06L10 5.06l2.72 2.72a.75.75 0 1 0 1.06-1.06l-3.25-3.25Zm-4.31 9.81 3.25 3.25a.75.75 0 0 0 1.06 0l3.25-3.25a.75.75 0 1 0-1.06-1.06L10 14.94l-2.72-2.72a.75.75 0 0 0-1.06 1.06Z","clip-rule":"evenodd"})])}function mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.47 6.47a.75.75 0 0 1 1.06 0l4.25 4.25a.75.75 0 1 1-1.06 1.06L10 8.06l-3.72 3.72a.75.75 0 0 1-1.06-1.06l4.25-4.25Z","clip-rule":"evenodd"})])}function vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 1c3.866 0 7 1.79 7 4s-3.134 4-7 4-7-1.79-7-4 3.134-4 7-4Zm5.694 8.13c.464-.264.91-.583 1.306-.952V10c0 2.21-3.134 4-7 4s-7-1.79-7-4V8.178c.396.37.842.688 1.306.953C5.838 10.006 7.854 10.5 10 10.5s4.162-.494 5.694-1.37ZM3 13.179V15c0 2.21 3.134 4 7 4s7-1.79 7-4v-1.822c-.396.37-.842.688-1.306.953-1.532.875-3.548 1.369-5.694 1.369s-4.162-.494-5.694-1.37A7.009 7.009 0 0 1 3 13.179Z","clip-rule":"evenodd"})])}function gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 5.25a2.25 2.25 0 0 0-2.012-2.238A2.25 2.25 0 0 0 13.75 1h-1.5a2.25 2.25 0 0 0-2.238 2.012c-.875.092-1.6.686-1.884 1.488H11A2.5 2.5 0 0 1 13.5 7v7h2.25A2.25 2.25 0 0 0 18 11.75v-6.5ZM12.25 2.5a.75.75 0 0 0-.75.75v.25h3v-.25a.75.75 0 0 0-.75-.75h-1.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6a1 1 0 0 0-1 1v10a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V7a1 1 0 0 0-1-1H3Zm6.874 4.166a.75.75 0 1 0-1.248-.832l-2.493 3.739-.853-.853a.75.75 0 0 0-1.06 1.06l1.5 1.5a.75.75 0 0 0 1.154-.114l3-4.5Z","clip-rule":"evenodd"})])}function wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.988 3.012A2.25 2.25 0 0 1 18 5.25v6.5A2.25 2.25 0 0 1 15.75 14H13.5V7A2.5 2.5 0 0 0 11 4.5H8.128a2.252 2.252 0 0 1 1.884-1.488A2.25 2.25 0 0 1 12.25 1h1.5a2.25 2.25 0 0 1 2.238 2.012ZM11.5 3.25a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 .75.75v.25h-3v-.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 7a1 1 0 0 1 1-1h8a1 1 0 0 1 1 1v10a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V7Zm2 3.25a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75Zm0 3.5a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.988 3.012A2.25 2.25 0 0 1 18 5.25v6.5A2.25 2.25 0 0 1 15.75 14H13.5v-3.379a3 3 0 0 0-.879-2.121l-3.12-3.121a3 3 0 0 0-1.402-.791 2.252 2.252 0 0 1 1.913-1.576A2.25 2.25 0 0 1 12.25 1h1.5a2.25 2.25 0 0 1 2.238 2.012ZM11.5 3.25a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 .75.75v.25h-3v-.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M3.5 6A1.5 1.5 0 0 0 2 7.5v9A1.5 1.5 0 0 0 3.5 18h7a1.5 1.5 0 0 0 1.5-1.5v-5.879a1.5 1.5 0 0 0-.44-1.06L8.44 6.439A1.5 1.5 0 0 0 7.378 6H3.5Z"})])}function bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.887 3.182c.396.037.79.08 1.183.128C16.194 3.45 17 4.414 17 5.517V16.75A2.25 2.25 0 0 1 14.75 19h-9.5A2.25 2.25 0 0 1 3 16.75V5.517c0-1.103.806-2.068 1.93-2.207.393-.048.787-.09 1.183-.128A3.001 3.001 0 0 1 9 1h2c1.373 0 2.531.923 2.887 2.182ZM7.5 4A1.5 1.5 0 0 1 9 2.5h2A1.5 1.5 0 0 1 12.5 4v.5h-5V4Z","clip-rule":"evenodd"})])}function xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm.75-13a.75.75 0 0 0-1.5 0v5c0 .414.336.75.75.75h4a.75.75 0 0 0 0-1.5h-3.25V5Z","clip-rule":"evenodd"})])}function kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.5 17a4.5 4.5 0 0 1-1.44-8.765 4.5 4.5 0 0 1 8.302-3.046 3.5 3.5 0 0 1 4.504 4.272A4 4 0 0 1 15 17H5.5Zm5.25-9.25a.75.75 0 0 0-1.5 0v4.59l-1.95-2.1a.75.75 0 1 0-1.1 1.02l3.25 3.5a.75.75 0 0 0 1.1 0l3.25-3.5a.75.75 0 1 0-1.1-1.02l-1.95 2.1V7.75Z","clip-rule":"evenodd"})])}function Et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.5 17a4.5 4.5 0 0 1-1.44-8.765 4.5 4.5 0 0 1 8.302-3.046 3.5 3.5 0 0 1 4.504 4.272A4 4 0 0 1 15 17H5.5Zm3.75-2.75a.75.75 0 0 0 1.5 0V9.66l1.95 2.1a.75.75 0 1 0 1.1-1.02l-3.25-3.5a.75.75 0 0 0-1.1 0l-3.25 3.5a.75.75 0 1 0 1.1 1.02l1.95-2.1v4.59Z","clip-rule":"evenodd"})])}function At(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 12.5A4.5 4.5 0 0 0 5.5 17H15a4 4 0 0 0 1.866-7.539 3.504 3.504 0 0 0-4.504-4.272A4.5 4.5 0 0 0 4.06 8.235 4.502 4.502 0 0 0 1 12.5Z"})])}function Ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.25 2A2.25 2.25 0 0 0 2 4.25v11.5A2.25 2.25 0 0 0 4.25 18h11.5A2.25 2.25 0 0 0 18 15.75V4.25A2.25 2.25 0 0 0 15.75 2H4.25Zm4.03 6.28a.75.75 0 0 0-1.06-1.06L4.97 9.47a.75.75 0 0 0 0 1.06l2.25 2.25a.75.75 0 0 0 1.06-1.06L6.56 10l1.72-1.72Zm4.5-1.06a.75.75 0 1 0-1.06 1.06L13.44 10l-1.72 1.72a.75.75 0 1 0 1.06 1.06l2.25-2.25a.75.75 0 0 0 0-1.06l-2.25-2.25Z","clip-rule":"evenodd"})])}function Bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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.06ZM11.377 2.011a.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"})])}function Mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.84 1.804A1 1 0 0 1 8.82 1h2.36a1 1 0 0 1 .98.804l.331 1.652a6.993 6.993 0 0 1 1.929 1.115l1.598-.54a1 1 0 0 1 1.186.447l1.18 2.044a1 1 0 0 1-.205 1.251l-1.267 1.113a7.047 7.047 0 0 1 0 2.228l1.267 1.113a1 1 0 0 1 .206 1.25l-1.18 2.045a1 1 0 0 1-1.187.447l-1.598-.54a6.993 6.993 0 0 1-1.929 1.115l-.33 1.652a1 1 0 0 1-.98.804H8.82a1 1 0 0 1-.98-.804l-.331-1.652a6.993 6.993 0 0 1-1.929-1.115l-1.598.54a1 1 0 0 1-1.186-.447l-1.18-2.044a1 1 0 0 1 .205-1.251l1.267-1.114a7.05 7.05 0 0 1 0-2.227L1.821 7.773a1 1 0 0 1-.206-1.25l1.18-2.045a1 1 0 0 1 1.187-.447l1.598.54A6.992 6.992 0 0 1 7.51 3.456l.33-1.652ZM10 13a3 3 0 1 0 0-6 3 3 0 0 0 0 6Z","clip-rule":"evenodd"})])}function _t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.34 1.804A1 1 0 0 1 9.32 1h1.36a1 1 0 0 1 .98.804l.295 1.473c.497.144.971.342 1.416.587l1.25-.834a1 1 0 0 1 1.262.125l.962.962a1 1 0 0 1 .125 1.262l-.834 1.25c.245.445.443.919.587 1.416l1.473.294a1 1 0 0 1 .804.98v1.361a1 1 0 0 1-.804.98l-1.473.295a6.95 6.95 0 0 1-.587 1.416l.834 1.25a1 1 0 0 1-.125 1.262l-.962.962a1 1 0 0 1-1.262.125l-1.25-.834a6.953 6.953 0 0 1-1.416.587l-.294 1.473a1 1 0 0 1-.98.804H9.32a1 1 0 0 1-.98-.804l-.295-1.473a6.957 6.957 0 0 1-1.416-.587l-1.25.834a1 1 0 0 1-1.262-.125l-.962-.962a1 1 0 0 1-.125-1.262l.834-1.25a6.957 6.957 0 0 1-.587-1.416l-1.473-.294A1 1 0 0 1 1 10.68V9.32a1 1 0 0 1 .804-.98l1.473-.295c.144-.497.342-.971.587-1.416l-.834-1.25a1 1 0 0 1 .125-1.262l.962-.962A1 1 0 0 1 5.38 3.03l1.25.834a6.957 6.957 0 0 1 1.416-.587l.294-1.473ZM13 10a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z","clip-rule":"evenodd"})])}function St(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.024 9.25c.47 0 .827-.433.637-.863a4 4 0 0 0-4.094-2.364c-.468.05-.665.576-.43.984l1.08 1.868a.75.75 0 0 0 .649.375h2.158ZM7.84 7.758c-.236-.408-.79-.5-1.068-.12A3.982 3.982 0 0 0 6 10c0 .884.287 1.7.772 2.363.278.38.832.287 1.068-.12l1.078-1.868a.75.75 0 0 0 0-.75L7.839 7.758ZM9.138 12.993c-.235.408-.039.934.43.984a4 4 0 0 0 4.094-2.364c.19-.43-.168-.863-.638-.863h-2.158a.75.75 0 0 0-.65.375l-1.078 1.868Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m14.13 4.347.644-1.117a.75.75 0 0 0-1.299-.75l-.644 1.116a6.954 6.954 0 0 0-2.081-.556V1.75a.75.75 0 0 0-1.5 0v1.29a6.954 6.954 0 0 0-2.081.556L6.525 2.48a.75.75 0 1 0-1.3.75l.645 1.117A7.04 7.04 0 0 0 4.347 5.87L3.23 5.225a.75.75 0 1 0-.75 1.3l1.116.644A6.954 6.954 0 0 0 3.04 9.25H1.75a.75.75 0 0 0 0 1.5h1.29c.078.733.27 1.433.556 2.081l-1.116.645a.75.75 0 1 0 .75 1.298l1.117-.644a7.04 7.04 0 0 0 1.523 1.523l-.645 1.117a.75.75 0 1 0 1.3.75l.644-1.116a6.954 6.954 0 0 0 2.081.556v1.29a.75.75 0 0 0 1.5 0v-1.29a6.954 6.954 0 0 0 2.081-.556l.645 1.116a.75.75 0 0 0 1.299-.75l-.645-1.117a7.042 7.042 0 0 0 1.523-1.523l1.117.644a.75.75 0 0 0 .75-1.298l-1.116-.645a6.954 6.954 0 0 0 .556-2.081h1.29a.75.75 0 0 0 0-1.5h-1.29a6.954 6.954 0 0 0-.556-2.081l1.116-.644a.75.75 0 0 0-.75-1.3l-1.117.645a7.04 7.04 0 0 0-1.524-1.523ZM10 4.5a5.475 5.475 0 0 0-2.781.754A5.527 5.527 0 0 0 5.22 7.277 5.475 5.475 0 0 0 4.5 10a5.475 5.475 0 0 0 .752 2.777 5.527 5.527 0 0 0 2.028 2.004c.802.458 1.73.719 2.72.719a5.474 5.474 0 0 0 2.78-.753 5.527 5.527 0 0 0 2.001-2.027c.458-.802.719-1.73.719-2.72a5.475 5.475 0 0 0-.753-2.78 5.528 5.528 0 0 0-2.028-2.002A5.475 5.475 0 0 0 10 4.5Z","clip-rule":"evenodd"})])}function Nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.25 3A2.25 2.25 0 0 0 1 5.25v9.5A2.25 2.25 0 0 0 3.25 17h13.5A2.25 2.25 0 0 0 19 14.75v-9.5A2.25 2.25 0 0 0 16.75 3H3.25Zm.943 8.752a.75.75 0 0 1 .055-1.06L6.128 9l-1.88-1.693a.75.75 0 1 1 1.004-1.114l2.5 2.25a.75.75 0 0 1 0 1.114l-2.5 2.25a.75.75 0 0 1-1.06-.055ZM9.75 10.25a.75.75 0 0 0 0 1.5h2.5a.75.75 0 0 0 0-1.5h-2.5Z","clip-rule":"evenodd"})])}function Vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.25A2.25 2.25 0 0 1 4.25 2h11.5A2.25 2.25 0 0 1 18 4.25v8.5A2.25 2.25 0 0 1 15.75 15h-3.105a3.501 3.501 0 0 0 1.1 1.677A.75.75 0 0 1 13.26 18H6.74a.75.75 0 0 1-.484-1.323A3.501 3.501 0 0 0 7.355 15H4.25A2.25 2.25 0 0 1 2 12.75v-8.5Zm1.5 0a.75.75 0 0 1 .75-.75h11.5a.75.75 0 0 1 .75.75v7.5a.75.75 0 0 1-.75.75H4.25a.75.75 0 0 1-.75-.75v-7.5Z","clip-rule":"evenodd"})])}function Lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M14 6H6v8h8V6Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.25 3V1.75a.75.75 0 0 1 1.5 0V3h1.5V1.75a.75.75 0 0 1 1.5 0V3h.5A2.75 2.75 0 0 1 17 5.75v.5h1.25a.75.75 0 0 1 0 1.5H17v1.5h1.25a.75.75 0 0 1 0 1.5H17v1.5h1.25a.75.75 0 0 1 0 1.5H17v.5A2.75 2.75 0 0 1 14.25 17h-.5v1.25a.75.75 0 0 1-1.5 0V17h-1.5v1.25a.75.75 0 0 1-1.5 0V17h-1.5v1.25a.75.75 0 0 1-1.5 0V17h-.5A2.75 2.75 0 0 1 3 14.25v-.5H1.75a.75.75 0 0 1 0-1.5H3v-1.5H1.75a.75.75 0 0 1 0-1.5H3v-1.5H1.75a.75.75 0 0 1 0-1.5H3v-.5A2.75 2.75 0 0 1 5.75 3h.5V1.75a.75.75 0 0 1 1.5 0V3h1.5ZM4.5 5.75c0-.69.56-1.25 1.25-1.25h8.5c.69 0 1.25.56 1.25 1.25v8.5c0 .69-.56 1.25-1.25 1.25h-8.5c-.69 0-1.25-.56-1.25-1.25v-8.5Z","clip-rule":"evenodd"})])}function Tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 4A1.5 1.5 0 0 0 1 5.5V6h18v-.5A1.5 1.5 0 0 0 17.5 4h-15ZM19 8.5H1v6A1.5 1.5 0 0 0 2.5 16h15a1.5 1.5 0 0 0 1.5-1.5v-6ZM3 13.25a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 0 1.5h-1.5a.75.75 0 0 1-.75-.75Zm4.75-.75a.75.75 0 0 0 0 1.5h3.5a.75.75 0 0 0 0-1.5h-3.5Z","clip-rule":"evenodd"})])}function It(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.638 1.093a.75.75 0 0 1 .724 0l2 1.104a.75.75 0 1 1-.724 1.313L10 2.607l-1.638.903a.75.75 0 1 1-.724-1.313l2-1.104ZM5.403 4.287a.75.75 0 0 1-.295 1.019l-.805.444.805.444a.75.75 0 0 1-.724 1.314L3.5 7.02v.73a.75.75 0 0 1-1.5 0v-2a.75.75 0 0 1 .388-.657l1.996-1.1a.75.75 0 0 1 1.019.294Zm9.194 0a.75.75 0 0 1 1.02-.295l1.995 1.101A.75.75 0 0 1 18 5.75v2a.75.75 0 0 1-1.5 0v-.73l-.884.488a.75.75 0 1 1-.724-1.314l.806-.444-.806-.444a.75.75 0 0 1-.295-1.02ZM7.343 8.284a.75.75 0 0 1 1.02-.294L10 8.893l1.638-.903a.75.75 0 1 1 .724 1.313l-1.612.89v1.557a.75.75 0 0 1-1.5 0v-1.557l-1.612-.89a.75.75 0 0 1-.295-1.019ZM2.75 11.5a.75.75 0 0 1 .75.75v1.557l1.608.887a.75.75 0 0 1-.724 1.314l-1.996-1.101A.75.75 0 0 1 2 14.25v-2a.75.75 0 0 1 .75-.75Zm14.5 0a.75.75 0 0 1 .75.75v2a.75.75 0 0 1-.388.657l-1.996 1.1a.75.75 0 1 1-.724-1.313l1.608-.887V12.25a.75.75 0 0 1 .75-.75Zm-7.25 4a.75.75 0 0 1 .75.75v.73l.888-.49a.75.75 0 0 1 .724 1.313l-2 1.104a.75.75 0 0 1-.724 0l-2-1.104a.75.75 0 1 1 .724-1.313l.888.49v-.73a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function Zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.362 1.093a.75.75 0 0 0-.724 0L2.523 5.018 10 9.143l7.477-4.125-7.115-3.925ZM18 6.443l-7.25 4v8.25l6.862-3.786A.75.75 0 0 0 18 14.25V6.443ZM9.25 18.693v-8.25l-7.25-4v7.807a.75.75 0 0 0 .388.657l6.862 3.786Z"})])}function Ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a8 8 0 1 0 0 16 8 8 0 0 0 0-16ZM5.94 5.5c.944-.945 2.56-.276 2.56 1.06V8h5.75a.75.75 0 0 1 0 1.5H8.5v4.275c0 .296.144.455.26.499a3.5 3.5 0 0 0 4.402-1.77h-.412a.75.75 0 0 1 0-1.5h.537c.462 0 .887.21 1.156.556.278.355.383.852.184 1.337a5.001 5.001 0 0 1-6.4 2.78C7.376 15.353 7 14.512 7 13.774V9.5H5.75a.75.75 0 0 1 0-1.5H7V6.56l-.22.22a.75.75 0 1 1-1.06-1.06l.22-.22Z","clip-rule":"evenodd"})])}function Dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.75 10.818v2.614A3.13 3.13 0 0 0 11.888 13c.482-.315.612-.648.612-.875 0-.227-.13-.56-.612-.875a3.13 3.13 0 0 0-1.138-.432ZM8.33 8.62c.053.055.115.11.184.164.208.16.46.284.736.363V6.603a2.45 2.45 0 0 0-.35.13c-.14.065-.27.143-.386.233-.377.292-.514.627-.514.909 0 .184.058.39.202.592.037.051.08.102.128.152Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0Zm-8-6a.75.75 0 0 1 .75.75v.316a3.78 3.78 0 0 1 1.653.713c.426.33.744.74.925 1.2a.75.75 0 0 1-1.395.55 1.35 1.35 0 0 0-.447-.563 2.187 2.187 0 0 0-.736-.363V9.3c.698.093 1.383.32 1.959.696.787.514 1.29 1.27 1.29 2.13 0 .86-.504 1.616-1.29 2.13-.576.377-1.261.603-1.96.696v.299a.75.75 0 1 1-1.5 0v-.3c-.697-.092-1.382-.318-1.958-.695-.482-.315-.857-.717-1.078-1.188a.75.75 0 1 1 1.359-.636c.08.173.245.376.54.569.313.205.706.353 1.138.432v-2.748a3.782 3.782 0 0 1-1.653-.713C6.9 9.433 6.5 8.681 6.5 7.875c0-.805.4-1.558 1.097-2.096a3.78 3.78 0 0 1 1.653-.713V4.75A.75.75 0 0 1 10 4Z","clip-rule":"evenodd"})])}function Rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM8.798 7.45c.512-.67 1.135-.95 1.702-.95s1.19.28 1.702.95a.75.75 0 0 0 1.192-.91C12.637 5.55 11.596 5 10.5 5s-2.137.55-2.894 1.54A5.205 5.205 0 0 0 6.83 8H5.75a.75.75 0 0 0 0 1.5h.77a6.333 6.333 0 0 0 0 1h-.77a.75.75 0 0 0 0 1.5h1.08c.183.528.442 1.023.776 1.46.757.99 1.798 1.54 2.894 1.54s2.137-.55 2.894-1.54a.75.75 0 0 0-1.192-.91c-.512.67-1.135.95-1.702.95s-1.19-.28-1.702-.95a3.505 3.505 0 0 1-.343-.55h1.795a.75.75 0 0 0 0-1.5H8.026a4.835 4.835 0 0 1 0-1h2.224a.75.75 0 0 0 0-1.5H8.455c.098-.195.212-.38.343-.55Z","clip-rule":"evenodd"})])}function Ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM8.732 6.232a2.5 2.5 0 0 1 3.536 0 .75.75 0 1 0 1.06-1.06A4 4 0 0 0 6.5 8v.165c0 .364.034.728.1 1.085h-.35a.75.75 0 0 0 0 1.5h.737a5.25 5.25 0 0 1-.367 3.072l-.055.123a.75.75 0 0 0 .848 1.037l1.272-.283a3.493 3.493 0 0 1 1.604.021 4.992 4.992 0 0 0 2.422 0l.97-.242a.75.75 0 0 0-.363-1.456l-.971.243a3.491 3.491 0 0 1-1.694 0 4.992 4.992 0 0 0-2.258-.038c.19-.811.227-1.651.111-2.477H9.75a.75.75 0 0 0 0-1.5H8.136A4.397 4.397 0 0 1 8 8.165V8c0-.641.244-1.28.732-1.768Z","clip-rule":"evenodd"})])}function Pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM6 5.75A.75.75 0 0 1 6.75 5h6.5a.75.75 0 0 1 0 1.5h-2.127c.4.5.683 1.096.807 1.75h1.32a.75.75 0 0 1 0 1.5h-1.32a4.003 4.003 0 0 1-3.404 3.216l1.754 1.754a.75.75 0 0 1-1.06 1.06l-3-3a.75.75 0 0 1 .53-1.28H8c1.12 0 2.067-.736 2.386-1.75H6.75a.75.75 0 0 1 0-1.5h3.636A2.501 2.501 0 0 0 8 6.5H6.75A.75.75 0 0 1 6 5.75Z","clip-rule":"evenodd"})])}function jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM7.346 5.294a.75.75 0 0 0-1.192.912L9.056 10H6.75a.75.75 0 0 0 0 1.5h2.5v1h-2.5a.75.75 0 0 0 0 1.5h2.5v1.25a.75.75 0 0 0 1.5 0V14h2.5a.75.75 0 1 0 0-1.5h-2.5v-1h2.5a.75.75 0 1 0 0-1.5h-2.306l2.902-3.794a.75.75 0 1 0-1.192-.912L10 8.765l-2.654-3.47Z","clip-rule":"evenodd"})])}function Ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 1a.75.75 0 0 1 .75.75v1.5a.75.75 0 0 1-1.5 0v-1.5A.75.75 0 0 1 10 1ZM5.05 3.05a.75.75 0 0 1 1.06 0l1.062 1.06A.75.75 0 1 1 6.11 5.173L5.05 4.11a.75.75 0 0 1 0-1.06ZM14.95 3.05a.75.75 0 0 1 0 1.06l-1.06 1.062a.75.75 0 0 1-1.062-1.061l1.061-1.06a.75.75 0 0 1 1.06 0ZM3 8a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 0 1.5h-1.5A.75.75 0 0 1 3 8ZM14 8a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 0 1.5h-1.5A.75.75 0 0 1 14 8ZM7.172 10.828a.75.75 0 0 1 0 1.061L6.11 12.95a.75.75 0 0 1-1.06-1.06l1.06-1.06a.75.75 0 0 1 1.06 0ZM10.766 7.51a.75.75 0 0 0-1.37.365l-.492 6.861a.75.75 0 0 0 1.204.65l1.043-.799.985 3.678a.75.75 0 0 0 1.45-.388l-.978-3.646 1.292.204a.75.75 0 0 0 .74-1.16l-3.874-5.764Z"})])}function zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.111 11.89A5.5 5.5 0 1 1 15.501 8 .75.75 0 0 0 17 8a7 7 0 1 0-11.95 4.95.75.75 0 0 0 1.06-1.06Z"}),(0,r.createElementVNode)("path",{d:"M8.232 6.232a2.5 2.5 0 0 0 0 3.536.75.75 0 1 1-1.06 1.06A4 4 0 1 1 14 8a.75.75 0 0 1-1.5 0 2.5 2.5 0 0 0-4.268-1.768Z"}),(0,r.createElementVNode)("path",{d:"M10.766 7.51a.75.75 0 0 0-1.37.365l-.492 6.861a.75.75 0 0 0 1.204.65l1.043-.799.985 3.678a.75.75 0 0 0 1.45-.388l-.978-3.646 1.292.204a.75.75 0 0 0 .74-1.16l-3.874-5.764Z"})])}function qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 16.25a.75.75 0 0 1 .75-.75h2.5a.75.75 0 0 1 0 1.5h-2.5a.75.75 0 0 1-.75-.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 4a3 3 0 0 1 3-3h6a3 3 0 0 1 3 3v12a3 3 0 0 1-3 3H7a3 3 0 0 1-3-3V4Zm4-1.5v.75c0 .414.336.75.75.75h2.5a.75.75 0 0 0 .75-.75V2.5h1A1.5 1.5 0 0 1 14.5 4v12a1.5 1.5 0 0 1-1.5 1.5H7A1.5 1.5 0 0 1 5.5 16V4A1.5 1.5 0 0 1 7 2.5h1Z","clip-rule":"evenodd"})])}function Ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 1a3 3 0 0 0-3 3v12a3 3 0 0 0 3 3h10a3 3 0 0 0 3-3V4a3 3 0 0 0-3-3H5ZM3.5 4A1.5 1.5 0 0 1 5 2.5h10A1.5 1.5 0 0 1 16.5 4v12a1.5 1.5 0 0 1-1.5 1.5H5A1.5 1.5 0 0 1 3.5 16V4Zm5.25 11.5a.75.75 0 0 0 0 1.5h2.5a.75.75 0 0 0 0-1.5h-2.5Z","clip-rule":"evenodd"})])}function $t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.25 4a1.25 1.25 0 1 1-2.5 0 1.25 1.25 0 0 1 2.5 0ZM3 10a.75.75 0 0 1 .75-.75h12.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 10ZM10 17.25a1.25 1.25 0 1 0 0-2.5 1.25 1.25 0 0 0 0 2.5Z"})])}function Wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm4.75 6.75a.75.75 0 0 1 1.5 0v2.546l.943-1.048a.75.75 0 0 1 1.114 1.004l-2.25 2.5a.75.75 0 0 1-1.114 0l-2.25-2.5a.75.75 0 1 1 1.114-1.004l.943 1.048V8.75Z","clip-rule":"evenodd"})])}function Gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm4.75 11.25a.75.75 0 0 0 1.5 0v-2.546l.943 1.048a.75.75 0 1 0 1.114-1.004l-2.25-2.5a.75.75 0 0 0-1.114 0l-2.25 2.5a.75.75 0 1 0 1.114 1.004l.943-1.048v2.546Z","clip-rule":"evenodd"})])}function Kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3.5A1.5 1.5 0 0 1 4.5 2h6.879a1.5 1.5 0 0 1 1.06.44l4.122 4.12A1.5 1.5 0 0 1 17 7.622V16.5a1.5 1.5 0 0 1-1.5 1.5h-11A1.5 1.5 0 0 1 3 16.5v-13ZM13.25 9a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0v-4.5a.75.75 0 0 1 .75-.75Zm-6.5 4a.75.75 0 0 1 .75.75v.5a.75.75 0 0 1-1.5 0v-.5a.75.75 0 0 1 .75-.75Zm4-1.25a.75.75 0 0 0-1.5 0v2.5a.75.75 0 0 0 1.5 0v-2.5Z","clip-rule":"evenodd"})])}function Yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3.5A1.5 1.5 0 0 1 4.5 2h6.879a1.5 1.5 0 0 1 1.06.44l4.122 4.12A1.5 1.5 0 0 1 17 7.622V16.5a1.5 1.5 0 0 1-1.5 1.5h-11A1.5 1.5 0 0 1 3 16.5v-13Zm10.857 5.691a.75.75 0 0 0-1.214-.882l-3.483 4.79-1.88-1.88a.75.75 0 0 0-1.06 1.061l2.5 2.5a.75.75 0 0 0 1.137-.089l4-5.5Z","clip-rule":"evenodd"})])}function Xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm1.97 4.53a.75.75 0 0 0 .78.178V8h-1.5a.75.75 0 1 0 0 1.5h1.5v3.098c0 .98.571 2.18 1.837 2.356a4.751 4.751 0 0 0 5.066-2.92.75.75 0 0 0-.695-1.031H11.75a.75.75 0 0 0 0 1.5h.343a3.241 3.241 0 0 1-2.798.966c-.25-.035-.545-.322-.545-.87V9.5h5.5a.75.75 0 0 0 0-1.5h-5.5V6.415c0-1.19-1.439-1.786-2.28-.945a.75.75 0 0 0 0 1.06Z","clip-rule":"evenodd"})])}function Jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm6.25 3.75a.75.75 0 0 0-1.5 0v.272c-.418.024-.831.069-1.238.132-.962.15-1.807.882-1.95 1.928-.04.3-.062.607-.062.918 0 1.044.83 1.759 1.708 1.898l1.542.243v2.334a11.214 11.214 0 0 1-2.297-.392.75.75 0 0 0-.405 1.444c.867.243 1.772.397 2.702.451v.272a.75.75 0 0 0 1.5 0v-.272c.419-.024.832-.069 1.239-.132.961-.15 1.807-.882 1.95-1.928.04-.3.061-.607.061-.918 0-1.044-.83-1.759-1.708-1.898L10.75 9.86V7.525c.792.052 1.56.185 2.297.392a.75.75 0 0 0 .406-1.444 12.723 12.723 0 0 0-2.703-.451V5.75ZM8.244 7.636c.33-.052.666-.09 1.006-.111v2.097l-1.308-.206C7.635 9.367 7.5 9.156 7.5 9c0-.243.017-.482.049-.716.042-.309.305-.587.695-.648Zm2.506 5.84v-2.098l1.308.206c.307.049.442.26.442.416 0 .243-.016.482-.048.716-.042.309-.306.587-.695.648-.331.052-.667.09-1.007.111Z","clip-rule":"evenodd"})])}function Qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm4.298 6.45c.512-.67 1.135-.95 1.702-.95s1.19.28 1.702.95a.75.75 0 0 0 1.192-.91C12.637 6.55 11.596 6 10.5 6s-2.137.55-2.894 1.54A5.205 5.205 0 0 0 6.83 9H5.75a.75.75 0 0 0 0 1.5h.77a6.333 6.333 0 0 0 0 1h-.77a.75.75 0 0 0 0 1.5h1.08c.183.528.442 1.023.776 1.46.757.99 1.798 1.54 2.894 1.54s2.137-.55 2.894-1.54a.75.75 0 0 0-1.192-.91c-.512.67-1.135.95-1.702.95s-1.19-.28-1.702-.95a3.505 3.505 0 0 1-.343-.55h1.795a.75.75 0 0 0 0-1.5H8.026a4.835 4.835 0 0 1 0-1h2.224a.75.75 0 0 0 0-1.5H8.455c.098-.195.212-.38.343-.55Z","clip-rule":"evenodd"})])}function en(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm5 7a1.5 1.5 0 0 1 2.56-1.06.75.75 0 1 0 1.062-1.061A3 3 0 0 0 8 9v1.25H6.75a.75.75 0 0 0 0 1.5H8v1a.75.75 0 0 1-.75.75h-.5a.75.75 0 0 0 0 1.5h6.5a.75.75 0 1 0 0-1.5H9.372c.083-.235.128-.487.128-.75v-1h1.25a.75.75 0 0 0 0-1.5H9.5V9Z","clip-rule":"evenodd"})])}function tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5ZM6 5.75A.75.75 0 0 1 6.75 5h6.5a.75.75 0 0 1 0 1.5h-2.127c.4.5.683 1.096.807 1.75h1.32a.75.75 0 0 1 0 1.5h-1.32a4.003 4.003 0 0 1-3.404 3.216l1.754 1.754a.75.75 0 0 1-1.06 1.06l-3-3a.75.75 0 0 1 .53-1.28H8c1.12 0 2.067-.736 2.386-1.75H6.75a.75.75 0 0 1 0-1.5h3.636A2.501 2.501 0 0 0 8 6.5H6.75A.75.75 0 0 1 6 5.75Z","clip-rule":"evenodd"})])}function nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm3.846 4.294a.75.75 0 0 0-1.192.912L9.056 10H6.75a.75.75 0 0 0 0 1.5h2.5v1h-2.5a.75.75 0 0 0 0 1.5h2.5v1.25a.75.75 0 1 0 1.5 0V14h2.5a.75.75 0 1 0 0-1.5h-2.5v-1h2.5a.75.75 0 1 0 0-1.5h-2.306l1.902-2.794a.75.75 0 0 0-1.192-.912L10 8.765l-1.654-2.47Z","clip-rule":"evenodd"})])}function rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7 3.5A1.5 1.5 0 0 1 8.5 2h3.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12A1.5 1.5 0 0 1 17 6.622V12.5a1.5 1.5 0 0 1-1.5 1.5h-1v-3.379a3 3 0 0 0-.879-2.121L10.5 5.379A3 3 0 0 0 8.379 4.5H7v-1Z"}),(0,r.createElementVNode)("path",{d:"M4.5 6A1.5 1.5 0 0 0 3 7.5v9A1.5 1.5 0 0 0 4.5 18h7a1.5 1.5 0 0 0 1.5-1.5v-5.879a1.5 1.5 0 0 0-.44-1.06L9.44 6.439A1.5 1.5 0 0 0 8.378 6H4.5Z"})])}function on(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 10a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm5 5a3 3 0 1 0 1.524 5.585l1.196 1.195a.75.75 0 1 0 1.06-1.06l-1.195-1.196A3 3 0 0 0 9.5 7Z","clip-rule":"evenodd"})])}function an(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm7.75 9.75a.75.75 0 0 0 0-1.5h-4.5a.75.75 0 0 0 0 1.5h4.5Z","clip-rule":"evenodd"})])}function ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5ZM10 8a.75.75 0 0 1 .75.75v1.5h1.5a.75.75 0 0 1 0 1.5h-1.5v1.5a.75.75 0 0 1-1.5 0v-1.5h-1.5a.75.75 0 0 1 0-1.5h1.5v-1.5A.75.75 0 0 1 10 8Z","clip-rule":"evenodd"})])}function sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm2.25 8.5a.75.75 0 0 0 0 1.5h6.5a.75.75 0 0 0 0-1.5h-6.5Zm0 3a.75.75 0 0 0 0 1.5h6.5a.75.75 0 0 0 0-1.5h-6.5Z","clip-rule":"evenodd"})])}function cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 3.5A1.5 1.5 0 0 1 4.5 2h6.879a1.5 1.5 0 0 1 1.06.44l4.122 4.12A1.5 1.5 0 0 1 17 7.622V16.5a1.5 1.5 0 0 1-1.5 1.5h-11A1.5 1.5 0 0 1 3 16.5v-13Z"})])}function un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 10a8 8 0 1 1 16 0 8 8 0 0 1-16 0Zm8 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2Zm-3-1a1 1 0 1 1-2 0 1 1 0 0 1 2 0Zm7 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 10a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0ZM8.5 10a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0ZM15.5 8.5a1.5 1.5 0 1 0 0 3 1.5 1.5 0 0 0 0-3Z"})])}function hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 3a1.5 1.5 0 1 1 0 3 1.5 1.5 0 0 1 0-3ZM10 8.5a1.5 1.5 0 1 1 0 3 1.5 1.5 0 0 1 0-3ZM11.5 15.5a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0Z"})])}function pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.106 6.447A2 2 0 0 0 1 8.237V16a2 2 0 0 0 2 2h14a2 2 0 0 0 2-2V8.236a2 2 0 0 0-1.106-1.789l-7-3.5a2 2 0 0 0-1.788 0l-7 3.5Zm1.48 4.007a.75.75 0 0 0-.671 1.342l5.855 2.928a2.75 2.75 0 0 0 2.46 0l5.852-2.927a.75.75 0 1 0-.67-1.341l-5.853 2.926a1.25 1.25 0 0 1-1.118 0l-5.856-2.928Z","clip-rule":"evenodd"})])}function fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 4a2 2 0 0 0-2 2v1.161l8.441 4.221a1.25 1.25 0 0 0 1.118 0L19 7.162V6a2 2 0 0 0-2-2H3Z"}),(0,r.createElementVNode)("path",{d:"m19 8.839-7.77 3.885a2.75 2.75 0 0 1-2.46 0L1 8.839V14a2 2 0 0 0 2 2h14a2 2 0 0 0 2-2V8.839Z"})])}function mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.75 6a.75.75 0 0 0 0 1.5h12.5a.75.75 0 0 0 0-1.5H3.75ZM3.75 13.5a.75.75 0 0 0 0 1.5h12.5a.75.75 0 0 0 0-1.5H3.75Z"})])}function vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0Zm-8-5a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0v-4.5A.75.75 0 0 1 10 5Zm0 10a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.485 2.495c.673-1.167 2.357-1.167 3.03 0l6.28 10.875c.673 1.167-.17 2.625-1.516 2.625H3.72c-1.347 0-2.189-1.458-1.515-2.625L8.485 2.495ZM10 5a.75.75 0 0 1 .75.75v3.5a.75.75 0 0 1-1.5 0v-3.5A.75.75 0 0 1 10 5Zm0 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.1 3.667a3.502 3.502 0 1 1 6.782 1.738 3.487 3.487 0 0 1-.907 1.57 3.495 3.495 0 0 1-1.617.919L16 7.99V10a.75.75 0 0 1-.22.53l-.25.25a.75.75 0 0 1-1.06 0l-.845-.844L7.22 16.34A2.25 2.25 0 0 1 5.629 17H5.12a.75.75 0 0 0-.53.22l-1.56 1.56a.75.75 0 0 1-1.061 0l-.75-.75a.75.75 0 0 1 0-1.06l1.56-1.561a.75.75 0 0 0 .22-.53v-.508c0-.596.237-1.169.659-1.59l6.405-6.406-.844-.845a.75.75 0 0 1 0-1.06l.25-.25A.75.75 0 0 1 10 4h2.01l.09-.333ZM4.72 13.84l6.405-6.405 1.44 1.439-6.406 6.405a.75.75 0 0 1-.53.22H5.12c-.258 0-.511.044-.75.129a2.25 2.25 0 0 0 .129-.75v-.508a.75.75 0 0 1 .22-.53Z","clip-rule":"evenodd"})])}function yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.28 2.22a.75.75 0 0 0-1.06 1.06l14.5 14.5a.75.75 0 1 0 1.06-1.06l-1.745-1.745a10.029 10.029 0 0 0 3.3-4.38 1.651 1.651 0 0 0 0-1.185A10.004 10.004 0 0 0 9.999 3a9.956 9.956 0 0 0-4.744 1.194L3.28 2.22ZM7.752 6.69l1.092 1.092a2.5 2.5 0 0 1 3.374 3.373l1.091 1.092a4 4 0 0 0-5.557-5.557Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"m10.748 13.93 2.523 2.523a9.987 9.987 0 0 1-3.27.547c-4.258 0-7.894-2.66-9.337-6.41a1.651 1.651 0 0 1 0-1.186A10.007 10.007 0 0 1 2.839 6.02L6.07 9.252a4 4 0 0 0 4.678 4.678Z"})])}function bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 12.5a2.5 2.5 0 1 0 0-5 2.5 2.5 0 0 0 0 5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M.664 10.59a1.651 1.651 0 0 1 0-1.186A10.004 10.004 0 0 1 10 3c4.257 0 7.893 2.66 9.336 6.41.147.381.146.804 0 1.186A10.004 10.004 0 0 1 10 17c-4.257 0-7.893-2.66-9.336-6.41ZM14 10a4 4 0 1 1-8 0 4 4 0 0 1 8 0Z","clip-rule":"evenodd"})])}function xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm-3.536-3.475a.75.75 0 0 0 1.061 0 3.5 3.5 0 0 1 4.95 0 .75.75 0 1 0 1.06-1.06 5 5 0 0 0-7.07 0 .75.75 0 0 0 0 1.06ZM9 8.5c0 .828-.448 1.5-1 1.5s-1-.672-1-1.5S7.448 7 8 7s1 .672 1 1.5Zm3 1.5c.552 0 1-.672 1-1.5S12.552 7 12 7s-1 .672-1 1.5.448 1.5 1 1.5Z","clip-rule":"evenodd"})])}function kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm3.536-4.464a.75.75 0 1 0-1.061-1.061 3.5 3.5 0 0 1-4.95 0 .75.75 0 0 0-1.06 1.06 5 5 0 0 0 7.07 0ZM9 8.5c0 .828-.448 1.5-1 1.5s-1-.672-1-1.5S7.448 7 8 7s1 .672 1 1.5Zm3 1.5c.552 0 1-.672 1-1.5S12.552 7 12 7s-1 .672-1 1.5.448 1.5 1 1.5Z","clip-rule":"evenodd"})])}function En(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 4.75C1 3.784 1.784 3 2.75 3h14.5c.966 0 1.75.784 1.75 1.75v10.515a1.75 1.75 0 0 1-1.75 1.75h-1.5c-.078 0-.155-.005-.23-.015H4.48c-.075.01-.152.015-.23.015h-1.5A1.75 1.75 0 0 1 1 15.265V4.75Zm16.5 7.385V11.01a.25.25 0 0 0-.25-.25h-1.5a.25.25 0 0 0-.25.25v1.125c0 .138.112.25.25.25h1.5a.25.25 0 0 0 .25-.25Zm0 2.005a.25.25 0 0 0-.25-.25h-1.5a.25.25 0 0 0-.25.25v1.125c0 .108.069.2.165.235h1.585a.25.25 0 0 0 .25-.25v-1.11Zm-15 1.11v-1.11a.25.25 0 0 1 .25-.25h1.5a.25.25 0 0 1 .25.25v1.125a.25.25 0 0 1-.164.235H2.75a.25.25 0 0 1-.25-.25Zm2-4.24v1.125a.25.25 0 0 1-.25.25h-1.5a.25.25 0 0 1-.25-.25V11.01a.25.25 0 0 1 .25-.25h1.5a.25.25 0 0 1 .25.25Zm13-2.005V7.88a.25.25 0 0 0-.25-.25h-1.5a.25.25 0 0 0-.25.25v1.125c0 .138.112.25.25.25h1.5a.25.25 0 0 0 .25-.25ZM4.25 7.63a.25.25 0 0 1 .25.25v1.125a.25.25 0 0 1-.25.25h-1.5a.25.25 0 0 1-.25-.25V7.88a.25.25 0 0 1 .25-.25h1.5Zm0-3.13a.25.25 0 0 1 .25.25v1.125a.25.25 0 0 1-.25.25h-1.5a.25.25 0 0 1-.25-.25V4.75a.25.25 0 0 1 .25-.25h1.5Zm11.5 1.625a.25.25 0 0 1-.25-.25V4.75a.25.25 0 0 1 .25-.25h1.5a.25.25 0 0 1 .25.25v1.125a.25.25 0 0 1-.25.25h-1.5Zm-9 3.125a.75.75 0 0 0 0 1.5h6.5a.75.75 0 0 0 0-1.5h-6.5Z","clip-rule":"evenodd"})])}function An(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2.5c-1.31 0-2.526.386-3.546 1.051a.75.75 0 0 1-.82-1.256A8 8 0 0 1 18 9a22.47 22.47 0 0 1-1.228 7.351.75.75 0 1 1-1.417-.49A20.97 20.97 0 0 0 16.5 9 6.5 6.5 0 0 0 10 2.5ZM4.333 4.416a.75.75 0 0 1 .218 1.038A6.466 6.466 0 0 0 3.5 9a7.966 7.966 0 0 1-1.293 4.362.75.75 0 0 1-1.257-.819A6.466 6.466 0 0 0 2 9c0-1.61.476-3.11 1.295-4.365a.75.75 0 0 1 1.038-.219ZM10 6.12a3 3 0 0 0-3.001 3.041 11.455 11.455 0 0 1-2.697 7.24.75.75 0 0 1-1.148-.965A9.957 9.957 0 0 0 5.5 9c0-.028.002-.055.004-.082a4.5 4.5 0 0 1 8.996.084V9.15l-.005.297a.75.75 0 1 1-1.5-.034c.003-.11.004-.219.005-.328a3 3 0 0 0-3-2.965Zm0 2.13a.75.75 0 0 1 .75.75c0 3.51-1.187 6.745-3.181 9.323a.75.75 0 1 1-1.186-.918A13.687 13.687 0 0 0 9.25 9a.75.75 0 0 1 .75-.75Zm3.529 3.698a.75.75 0 0 1 .584.885 18.883 18.883 0 0 1-2.257 5.84.75.75 0 1 1-1.29-.764 17.386 17.386 0 0 0 2.078-5.377.75.75 0 0 1 .885-.584Z","clip-rule":"evenodd"})])}function Cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.5 4.938a7 7 0 1 1-9.006 1.737c.202-.257.59-.218.793.039.278.352.594.672.943.954.332.269.786-.049.773-.476a5.977 5.977 0 0 1 .572-2.759 6.026 6.026 0 0 1 2.486-2.665c.247-.14.55-.016.677.238A6.967 6.967 0 0 0 13.5 4.938ZM14 12a4 4 0 0 1-4 4c-1.913 0-3.52-1.398-3.91-3.182-.093-.429.44-.643.814-.413a4.043 4.043 0 0 0 1.601.564c.303.038.531-.24.51-.544a5.975 5.975 0 0 1 1.315-4.192.447.447 0 0 1 .431-.16A4.001 4.001 0 0 1 14 12Z","clip-rule":"evenodd"})])}function Bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.5 2.75a.75.75 0 0 0-1.5 0v14.5a.75.75 0 0 0 1.5 0v-4.392l1.657-.348a6.449 6.449 0 0 1 4.271.572 7.948 7.948 0 0 0 5.965.524l2.078-.64A.75.75 0 0 0 18 12.25v-8.5a.75.75 0 0 0-.904-.734l-2.38.501a7.25 7.25 0 0 1-4.186-.363l-.502-.2a8.75 8.75 0 0 0-5.053-.439l-1.475.31V2.75Z"})])}function Mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75C2 3.784 2.784 3 3.75 3h4.836c.464 0 .909.184 1.237.513l1.414 1.414a.25.25 0 0 0 .177.073h4.836c.966 0 1.75.784 1.75 1.75v8.5A1.75 1.75 0 0 1 16.25 17H3.75A1.75 1.75 0 0 1 2 15.25V4.75Zm8.75 4a.75.75 0 0 0-1.5 0v2.546l-.943-1.048a.75.75 0 1 0-1.114 1.004l2.25 2.5a.75.75 0 0 0 1.114 0l2.25-2.5a.75.75 0 1 0-1.114-1.004l-.943 1.048V8.75Z","clip-rule":"evenodd"})])}function _n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75C2 3.784 2.784 3 3.75 3h4.836c.464 0 .909.184 1.237.513l1.414 1.414a.25.25 0 0 0 .177.073h4.836c.966 0 1.75.784 1.75 1.75v8.5A1.75 1.75 0 0 1 16.25 17H3.75A1.75 1.75 0 0 1 2 15.25V4.75Zm10.25 7a.75.75 0 0 0 0-1.5h-4.5a.75.75 0 0 0 0 1.5h4.5Z","clip-rule":"evenodd"})])}function Sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.75 3A1.75 1.75 0 0 0 3 4.75v2.752l.104-.002h13.792c.035 0 .07 0 .104.002V6.75A1.75 1.75 0 0 0 15.25 5h-3.836a.25.25 0 0 1-.177-.073L9.823 3.513A1.75 1.75 0 0 0 8.586 3H4.75ZM3.104 9a1.75 1.75 0 0 0-1.673 2.265l1.385 4.5A1.75 1.75 0 0 0 4.488 17h11.023a1.75 1.75 0 0 0 1.673-1.235l1.384-4.5A1.75 1.75 0 0 0 16.896 9H3.104Z"})])}function Nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3A1.75 1.75 0 0 0 2 4.75v10.5c0 .966.784 1.75 1.75 1.75h12.5A1.75 1.75 0 0 0 18 15.25v-8.5A1.75 1.75 0 0 0 16.25 5h-4.836a.25.25 0 0 1-.177-.073L9.823 3.513A1.75 1.75 0 0 0 8.586 3H3.75ZM10 8a.75.75 0 0 1 .75.75v1.5h1.5a.75.75 0 0 1 0 1.5h-1.5v1.5a.75.75 0 0 1-1.5 0v-1.5h-1.5a.75.75 0 0 1 0-1.5h1.5v-1.5A.75.75 0 0 1 10 8Z","clip-rule":"evenodd"})])}function Vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.75 3A1.75 1.75 0 0 0 2 4.75v3.26a3.235 3.235 0 0 1 1.75-.51h12.5c.644 0 1.245.188 1.75.51V6.75A1.75 1.75 0 0 0 16.25 5h-4.836a.25.25 0 0 1-.177-.073L9.823 3.513A1.75 1.75 0 0 0 8.586 3H3.75ZM3.75 9A1.75 1.75 0 0 0 2 10.75v4.5c0 .966.784 1.75 1.75 1.75h12.5A1.75 1.75 0 0 0 18 15.25v-4.5A1.75 1.75 0 0 0 16.25 9H3.75Z"})])}function Ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.288 4.818A1.5 1.5 0 0 0 1 6.095v7.81a1.5 1.5 0 0 0 2.288 1.276l6.323-3.905c.155-.096.285-.213.389-.344v2.973a1.5 1.5 0 0 0 2.288 1.276l6.323-3.905a1.5 1.5 0 0 0 0-2.552l-6.323-3.906A1.5 1.5 0 0 0 10 6.095v2.972a1.506 1.506 0 0 0-.389-.343L3.288 4.818Z"})])}function Tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.628 1.601C5.028 1.206 7.49 1 10 1s4.973.206 7.372.601a.75.75 0 0 1 .628.74v2.288a2.25 2.25 0 0 1-.659 1.59l-4.682 4.683a2.25 2.25 0 0 0-.659 1.59v3.037c0 .684-.31 1.33-.844 1.757l-1.937 1.55A.75.75 0 0 1 8 18.25v-5.757a2.25 2.25 0 0 0-.659-1.591L2.659 6.22A2.25 2.25 0 0 1 2 4.629V2.34a.75.75 0 0 1 .628-.74Z","clip-rule":"evenodd"})])}function In(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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.5Zm4.026 2.879C5.356 7.65 5.72 7.5 6 7.5s.643.15.974.629a.75.75 0 0 0 1.234-.854C7.66 6.484 6.873 6 6 6c-.873 0-1.66.484-2.208 1.275C3.25 8.059 3 9.048 3 10c0 .952.25 1.941.792 2.725C4.34 13.516 5.127 14 6 14c.873 0 1.66-.484 2.208-1.275a.75.75 0 0 0 .133-.427V10a.75.75 0 0 0-.75-.75H6.25a.75.75 0 0 0 0 1.5h.591v1.295c-.293.342-.6.455-.841.455-.279 0-.643-.15-.974-.629C4.69 11.386 4.5 10.711 4.5 10c0-.711.19-1.386.526-1.871ZM10.75 6a.75.75 0 0 1 .75.75v6.5a.75.75 0 0 1-1.5 0v-6.5a.75.75 0 0 1 .75-.75Zm3 0h2.5a.75.75 0 0 1 0 1.5H14.5v1.75h.75a.75.75 0 0 1 0 1.5h-.75v2.5a.75.75 0 0 1-1.5 0v-6.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function Zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.25 3H3.5A1.5 1.5 0 0 0 2 4.5v4.75h3.365A2.75 2.75 0 0 1 9.25 5.362V3ZM2 10.75v4.75A1.5 1.5 0 0 0 3.5 17h5.75v-4.876A4.75 4.75 0 0 1 5 14.75a.75.75 0 0 1 0-1.5 3.251 3.251 0 0 0 3.163-2.5H2ZM10.75 17h5.75a1.5 1.5 0 0 0 1.5-1.5v-4.75h-6.163A3.251 3.251 0 0 0 15 13.25a.75.75 0 0 1 0 1.5 4.75 4.75 0 0 1-4.25-2.626V17ZM18 9.25V4.5A1.5 1.5 0 0 0 16.5 3h-5.75v2.362a2.75 2.75 0 0 1 3.885 3.888H18Zm-4.496-2.755a1.25 1.25 0 0 0-1.768 0c-.36.359-.526.999-.559 1.697-.01.228-.006.443.004.626.183.01.398.014.626.003.698-.033 1.338-.2 1.697-.559a1.25 1.25 0 0 0 0-1.767Zm-5.24 0a1.25 1.25 0 0 0-1.768 1.767c.36.36 1 .526 1.697.56.228.01.443.006.626-.004.01-.183.015-.398.004-.626-.033-.698-.2-1.338-.56-1.697Z","clip-rule":"evenodd"})])}function On(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14 6a2.5 2.5 0 0 0-4-3 2.5 2.5 0 0 0-4 3H3.25C2.56 6 2 6.56 2 7.25v.5C2 8.44 2.56 9 3.25 9h6V6h1.5v3h6C17.44 9 18 8.44 18 7.75v-.5C18 6.56 17.44 6 16.75 6H14Zm-1-1.5a1 1 0 0 1-1 1h-1v-1a1 1 0 1 1 2 0Zm-6 0a1 1 0 0 0 1 1h1v-1a1 1 0 0 0-2 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M9.25 10.5H3v4.75A2.75 2.75 0 0 0 5.75 18h3.5v-7.5ZM10.75 18v-7.5H17v4.75A2.75 2.75 0 0 1 14.25 18h-3.5Z"})])}function Dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M16.555 5.412a8.028 8.028 0 0 0-3.503-2.81 14.899 14.899 0 0 1 1.663 4.472 8.547 8.547 0 0 0 1.84-1.662ZM13.326 7.825a13.43 13.43 0 0 0-2.413-5.773 8.087 8.087 0 0 0-1.826 0 13.43 13.43 0 0 0-2.413 5.773A8.473 8.473 0 0 0 10 8.5c1.18 0 2.304-.24 3.326-.675ZM6.514 9.376A9.98 9.98 0 0 0 10 10c1.226 0 2.4-.22 3.486-.624a13.54 13.54 0 0 1-.351 3.759A13.54 13.54 0 0 1 10 13.5c-1.079 0-2.128-.127-3.134-.366a13.538 13.538 0 0 1-.352-3.758ZM5.285 7.074a14.9 14.9 0 0 1 1.663-4.471 8.028 8.028 0 0 0-3.503 2.81c.529.638 1.149 1.199 1.84 1.66ZM17.334 6.798a7.973 7.973 0 0 1 .614 4.115 13.47 13.47 0 0 1-3.178 1.72 15.093 15.093 0 0 0 .174-3.939 10.043 10.043 0 0 0 2.39-1.896ZM2.666 6.798a10.042 10.042 0 0 0 2.39 1.896 15.196 15.196 0 0 0 .174 3.94 13.472 13.472 0 0 1-3.178-1.72 7.973 7.973 0 0 1 .615-4.115ZM10 15c.898 0 1.778-.079 2.633-.23a13.473 13.473 0 0 1-1.72 3.178 8.099 8.099 0 0 1-1.826 0 13.47 13.47 0 0 1-1.72-3.178c.855.151 1.735.23 2.633.23ZM14.357 14.357a14.912 14.912 0 0 1-1.305 3.04 8.027 8.027 0 0 0 4.345-4.345c-.953.542-1.971.981-3.04 1.305ZM6.948 17.397a8.027 8.027 0 0 1-4.345-4.345c.953.542 1.971.981 3.04 1.305a14.912 14.912 0 0 0 1.305 3.04Z"})])}function Rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0Zm-1.5 0a6.5 6.5 0 1 1-11-4.69v.447a3.5 3.5 0 0 0 1.025 2.475L8.293 10 8 10.293a1 1 0 0 0 0 1.414l1.06 1.06a1.5 1.5 0 0 1 .44 1.061v.363a1 1 0 0 0 .553.894l.276.139a1 1 0 0 0 1.342-.448l1.454-2.908a1.5 1.5 0 0 0-.281-1.731l-.772-.772a1 1 0 0 0-1.023-.242l-.384.128a.5.5 0 0 1-.606-.25l-.296-.592a.481.481 0 0 1 .646-.646l.262.131a1 1 0 0 0 .447.106h.188a1 1 0 0 0 .949-1.316l-.068-.204a.5.5 0 0 1 .149-.538l1.44-1.234A6.492 6.492 0 0 1 16.5 10Z","clip-rule":"evenodd"})])}function Hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0Zm-6.5 6.326a6.52 6.52 0 0 1-1.5.174 6.487 6.487 0 0 1-5.011-2.36l.49-.98a.423.423 0 0 1 .614-.164l.294.196a.992.992 0 0 0 1.491-1.139l-.197-.593a.252.252 0 0 1 .126-.304l1.973-.987a.938.938 0 0 0 .361-1.359.375.375 0 0 1 .239-.576l.125-.025A2.421 2.421 0 0 0 12.327 6.6l.05-.149a1 1 0 0 0-.242-1.023l-1.489-1.489a.5.5 0 0 1-.146-.353v-.067a6.5 6.5 0 0 1 5.392 9.23 1.398 1.398 0 0 0-.68-.244l-.566-.566a1.5 1.5 0 0 0-1.06-.439h-.172a1.5 1.5 0 0 0-1.06.44l-.593.592a.501.501 0 0 1-.13.093l-1.578.79a1 1 0 0 0-.553.894v.191a1 1 0 0 0 1 1h.5a.5.5 0 0 1 .5.5v.326Z","clip-rule":"evenodd"})])}function Pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0Zm-1.503.204A6.5 6.5 0 1 1 7.95 3.83L6.927 5.62a1.453 1.453 0 0 0 1.91 2.02l.175-.087a.5.5 0 0 1 .224-.053h.146a.5.5 0 0 1 .447.724l-.028.055a.4.4 0 0 1-.357.221h-.502a2.26 2.26 0 0 0-1.88 1.006l-.044.066a2.099 2.099 0 0 0 1.085 3.156.58.58 0 0 1 .397.547v1.05a1.175 1.175 0 0 0 2.093.734l1.611-2.014c.192-.24.296-.536.296-.842 0-.316.128-.624.353-.85a1.363 1.363 0 0 0 .173-1.716l-.464-.696a.369.369 0 0 1 .527-.499l.343.257c.316.237.738.275 1.091.098a.586.586 0 0 1 .677.11l1.297 1.297Z","clip-rule":"evenodd"})])}function jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function Fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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 4ZM15 9.5c-.729 0-1.445.051-2.146.15a.75.75 0 0 1-.208-1.486 16.887 16.887 0 0 1 3.824-.1c.855.074 1.512.78 1.527 1.637a17.476 17.476 0 0 1-.009.931 1.713 1.713 0 0 1-1.18 1.556l-2.453.818a1.25 1.25 0 0 0-.855 1.185v.309h3.75a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75v-1.059a2.75 2.75 0 0 1 1.88-2.608l2.454-.818c.102-.034.153-.117.155-.188a15.556 15.556 0 0 0 .009-.85.171.171 0 0 0-.158-.169A15.458 15.458 0 0 0 15 9.5Z","clip-rule":"evenodd"})])}function zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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 4ZM15 9.5c-.73 0-1.448.051-2.15.15a.75.75 0 1 1-.209-1.485 16.886 16.886 0 0 1 3.476-.128c.985.065 1.878.837 1.883 1.932V10a6.75 6.75 0 0 1-.301 2A6.75 6.75 0 0 1 18 14v.031c-.005 1.095-.898 1.867-1.883 1.932a17.018 17.018 0 0 1-3.467-.127.75.75 0 0 1 .209-1.485 15.377 15.377 0 0 0 3.16.115c.308-.02.48-.24.48-.441L16.5 14c0-.431-.052-.85-.15-1.25h-2.6a.75.75 0 0 1 0-1.5h2.6c.098-.4.15-.818.15-1.25v-.024c-.001-.201-.173-.422-.481-.443A15.485 15.485 0 0 0 15 9.5Z","clip-rule":"evenodd"})])}function qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11 2a1 1 0 1 0-2 0v6.5a.5.5 0 0 1-1 0V3a1 1 0 1 0-2 0v5.5a.5.5 0 0 1-1 0V5a1 1 0 1 0-2 0v7a7 7 0 1 0 14 0V8a1 1 0 1 0-2 0v3.5a.5.5 0 0 1-1 0V3a1 1 0 1 0-2 0v5.5a.5.5 0 0 1-1 0V2Z","clip-rule":"evenodd"})])}function Un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M18.905 12.75a1.25 1.25 0 1 1-2.5 0v-7.5a1.25 1.25 0 0 1 2.5 0v7.5ZM8.905 17v1.3c0 .268-.14.526-.395.607A2 2 0 0 1 5.905 17c0-.995.182-1.948.514-2.826.204-.54-.166-1.174-.744-1.174h-2.52c-1.243 0-2.261-1.01-2.146-2.247.193-2.08.651-4.082 1.341-5.974C2.752 3.678 3.833 3 5.005 3h3.192a3 3 0 0 1 1.341.317l2.734 1.366A3 3 0 0 0 13.613 5h1.292v7h-.963c-.685 0-1.258.482-1.612 1.068a4.01 4.01 0 0 1-2.166 1.73c-.432.143-.853.386-1.011.814-.16.432-.248.9-.248 1.388Z"})])}function $n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 8.25a1.25 1.25 0 1 1 2.5 0v7.5a1.25 1.25 0 1 1-2.5 0v-7.5ZM11 3V1.7c0-.268.14-.526.395-.607A2 2 0 0 1 14 3c0 .995-.182 1.948-.514 2.826-.204.54.166 1.174.744 1.174h2.52c1.243 0 2.261 1.01 2.146 2.247a23.864 23.864 0 0 1-1.341 5.974C17.153 16.323 16.072 17 14.9 17h-3.192a3 3 0 0 1-1.341-.317l-2.734-1.366A3 3 0 0 0 6.292 15H5V8h.963c.685 0 1.258-.483 1.612-1.068a4.011 4.011 0 0 1 2.166-1.73c.432-.143.853-.386 1.011-.814.16-.432.248-.9.248-1.388Z"})])}function Wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.493 2.852a.75.75 0 0 0-1.486-.204L7.545 6H4.198a.75.75 0 0 0 0 1.5h3.14l-.69 5H3.302a.75.75 0 0 0 0 1.5h3.14l-.435 3.148a.75.75 0 0 0 1.486.204L7.955 14h2.986l-.434 3.148a.75.75 0 0 0 1.486.204L12.456 14h3.346a.75.75 0 0 0 0-1.5h-3.14l.69-5h3.346a.75.75 0 0 0 0-1.5h-3.14l.435-3.148a.75.75 0 0 0-1.486-.204L12.045 6H9.059l.434-3.148ZM8.852 7.5l-.69 5h2.986l.69-5H8.852Z","clip-rule":"evenodd"})])}function Gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m9.653 16.915-.005-.003-.019-.01a20.759 20.759 0 0 1-1.162-.682 22.045 22.045 0 0 1-2.582-1.9C4.045 12.733 2 10.352 2 7.5a4.5 4.5 0 0 1 8-2.828A4.5 4.5 0 0 1 18 7.5c0 2.852-2.044 5.233-3.885 6.82a22.049 22.049 0 0 1-3.744 2.582l-.019.01-.005.003h-.002a.739.739 0 0 1-.69.001l-.002-.001Z"})])}function Kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M14.916 2.404a.75.75 0 0 1-.32 1.011l-.596.31V17a1 1 0 0 1-1 1h-2.26a.75.75 0 0 1-.75-.75v-3.5a.75.75 0 0 0-.75-.75H6.75a.75.75 0 0 0-.75.75v3.5a.75.75 0 0 1-.75.75h-3.5a.75.75 0 0 1 0-1.5H2V9.957a.75.75 0 0 1-.596-1.372L2 8.275V5.75a.75.75 0 0 1 1.5 0v1.745l10.404-5.41a.75.75 0 0 1 1.012.319ZM15.861 8.57a.75.75 0 0 1 .736-.025l1.999 1.04A.75.75 0 0 1 18 10.957V16.5h.25a.75.75 0 0 1 0 1.5h-2a.75.75 0 0 1-.75-.75V9.21a.75.75 0 0 1 .361-.64Z"})])}function Yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.293 2.293a1 1 0 0 1 1.414 0l7 7A1 1 0 0 1 17 11h-1v6a1 1 0 0 1-1 1h-2a1 1 0 0 1-1-1v-3a1 1 0 0 0-1-1H9a1 1 0 0 0-1 1v3a1 1 0 0 1-1 1H5a1 1 0 0 1-1-1v-6H3a1 1 0 0 1-.707-1.707l7-7Z","clip-rule":"evenodd"})])}function Xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 6a3 3 0 0 1 3-3h12a3 3 0 0 1 3 3v8a3 3 0 0 1-3 3H4a3 3 0 0 1-3-3V6Zm4 1.5a2 2 0 1 1 4 0 2 2 0 0 1-4 0Zm2 3a4 4 0 0 0-3.665 2.395.75.75 0 0 0 .416 1A8.98 8.98 0 0 0 7 14.5a8.98 8.98 0 0 0 3.249-.604.75.75 0 0 0 .416-1.001A4.001 4.001 0 0 0 7 10.5Zm5-3.75a.75.75 0 0 1 .75-.75h2.5a.75.75 0 0 1 0 1.5h-2.5a.75.75 0 0 1-.75-.75Zm0 6.5a.75.75 0 0 1 .75-.75h2.5a.75.75 0 0 1 0 1.5h-2.5a.75.75 0 0 1-.75-.75Zm.75-4a.75.75 0 0 0 0 1.5h2.5a.75.75 0 0 0 0-1.5h-2.5Z","clip-rule":"evenodd"})])}function Jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 2a.75.75 0 0 1 .75.75v5.59l1.95-2.1a.75.75 0 1 1 1.1 1.02l-3.25 3.5a.75.75 0 0 1-1.1 0L6.2 7.26a.75.75 0 1 1 1.1-1.02l1.95 2.1V2.75A.75.75 0 0 1 10 2Z"}),(0,r.createElementVNode)("path",{d:"M5.273 4.5a1.25 1.25 0 0 0-1.205.918l-1.523 5.52c-.006.02-.01.041-.015.062H6a1 1 0 0 1 .894.553l.448.894a1 1 0 0 0 .894.553h3.438a1 1 0 0 0 .86-.49l.606-1.02A1 1 0 0 1 14 11h3.47a1.318 1.318 0 0 0-.015-.062l-1.523-5.52a1.25 1.25 0 0 0-1.205-.918h-.977a.75.75 0 0 1 0-1.5h.977a2.75 2.75 0 0 1 2.651 2.019l1.523 5.52c.066.239.099.485.099.732V15a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-3.73c0-.246.033-.492.099-.73l1.523-5.521A2.75 2.75 0 0 1 5.273 3h.977a.75.75 0 0 1 0 1.5h-.977Z"})])}function Qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.045 6.954a2.75 2.75 0 0 1 .217-.678L2.53 3.58A2.75 2.75 0 0 1 5.019 2h9.962a2.75 2.75 0 0 1 2.488 1.58l1.27 2.696c.101.216.174.444.216.678A1 1 0 0 1 19 7.25v1.5a2.75 2.75 0 0 1-2.75 2.75H3.75A2.75 2.75 0 0 1 1 8.75v-1.5a1 1 0 0 1 .045-.296Zm2.843-2.736A1.25 1.25 0 0 1 5.02 3.5h9.962c.484 0 .925.28 1.13.718l.957 2.032H14a1 1 0 0 0-.86.49l-.606 1.02a1 1 0 0 1-.86.49H8.236a1 1 0 0 1-.894-.553l-.448-.894A1 1 0 0 0 6 6.25H2.932l.956-2.032Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M1 14a1 1 0 0 1 1-1h4a1 1 0 0 1 .894.553l.448.894a1 1 0 0 0 .894.553h3.438a1 1 0 0 0 .86-.49l.606-1.02A1 1 0 0 1 14 13h4a1 1 0 0 1 1 1v2a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-2Z"})])}function er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 11.27c0-.246.033-.492.099-.73l1.523-5.521A2.75 2.75 0 0 1 5.273 3h9.454a2.75 2.75 0 0 1 2.651 2.019l1.523 5.52c.066.239.099.485.099.732V15a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-3.73Zm3.068-5.852A1.25 1.25 0 0 1 5.273 4.5h9.454a1.25 1.25 0 0 1 1.205.918l1.523 5.52c.006.02.01.041.015.062H14a1 1 0 0 0-.86.49l-.606 1.02a1 1 0 0 1-.86.49H8.236a1 1 0 0 1-.894-.553l-.448-.894A1 1 0 0 0 6 11H2.53l.015-.062 1.523-5.52Z","clip-rule":"evenodd"})])}function tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0Zm-7-4a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM9 9a.75.75 0 0 0 0 1.5h.253a.25.25 0 0 1 .244.304l-.459 2.066A1.75 1.75 0 0 0 10.747 15H11a.75.75 0 0 0 0-1.5h-.253a.25.25 0 0 1-.244-.304l.459-2.066A1.75 1.75 0 0 0 9.253 9H9Z","clip-rule":"evenodd"})])}function nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 7a5 5 0 1 1 3.61 4.804l-1.903 1.903A1 1 0 0 1 9 14H8v1a1 1 0 0 1-1 1H6v1a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1v-2a1 1 0 0 1 .293-.707L8.196 8.39A5.002 5.002 0 0 1 8 7Zm5-3a.75.75 0 0 0 0 1.5A1.5 1.5 0 0 1 14.5 7 .75.75 0 0 0 16 7a3 3 0 0 0-3-3Z","clip-rule":"evenodd"})])}function or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.75 2.75a.75.75 0 0 0-1.5 0v1.258a32.987 32.987 0 0 0-3.599.278.75.75 0 1 0 .198 1.487A31.545 31.545 0 0 1 8.7 5.545 19.381 19.381 0 0 1 7 9.56a19.418 19.418 0 0 1-1.002-2.05.75.75 0 0 0-1.384.577 20.935 20.935 0 0 0 1.492 2.91 19.613 19.613 0 0 1-3.828 4.154.75.75 0 1 0 .945 1.164A21.116 21.116 0 0 0 7 12.331c.095.132.192.262.29.391a.75.75 0 0 0 1.194-.91c-.204-.266-.4-.538-.59-.815a20.888 20.888 0 0 0 2.333-5.332c.31.031.618.068.924.108a.75.75 0 0 0 .198-1.487 32.832 32.832 0 0 0-3.599-.278V2.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13 8a.75.75 0 0 1 .671.415l4.25 8.5a.75.75 0 1 1-1.342.67L15.787 16h-5.573l-.793 1.585a.75.75 0 1 1-1.342-.67l4.25-8.5A.75.75 0 0 1 13 8Zm2.037 6.5L13 10.427 10.964 14.5h4.073Z","clip-rule":"evenodd"})])}function ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m7.171 4.146 1.947 2.466a3.514 3.514 0 0 1 1.764 0l1.947-2.466a6.52 6.52 0 0 0-5.658 0Zm8.683 3.025-2.466 1.947c.15.578.15 1.186 0 1.764l2.466 1.947a6.52 6.52 0 0 0 0-5.658Zm-3.025 8.683-1.947-2.466c-.578.15-1.186.15-1.764 0l-1.947 2.466a6.52 6.52 0 0 0 5.658 0ZM4.146 12.83l2.466-1.947a3.514 3.514 0 0 1 0-1.764L4.146 7.171a6.52 6.52 0 0 0 0 5.658ZM5.63 3.297a8.01 8.01 0 0 1 8.738 0 8.031 8.031 0 0 1 2.334 2.334 8.01 8.01 0 0 1 0 8.738 8.033 8.033 0 0 1-2.334 2.334 8.01 8.01 0 0 1-8.738 0 8.032 8.032 0 0 1-2.334-2.334 8.01 8.01 0 0 1 0-8.738A8.03 8.03 0 0 1 5.63 3.297Zm5.198 4.882a2.008 2.008 0 0 0-2.243.407 1.994 1.994 0 0 0-.407 2.243 1.993 1.993 0 0 0 .992.992 2.008 2.008 0 0 0 2.243-.407c.176-.175.31-.374.407-.585a2.008 2.008 0 0 0-.407-2.243 1.993 1.993 0 0 0-.585-.407Z","clip-rule":"evenodd"})])}function ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 1a6 6 0 0 0-3.815 10.631C7.237 12.5 8 13.443 8 14.456v.644a.75.75 0 0 0 .572.729 6.016 6.016 0 0 0 2.856 0A.75.75 0 0 0 12 15.1v-.644c0-1.013.762-1.957 1.815-2.825A6 6 0 0 0 10 1ZM8.863 17.414a.75.75 0 0 0-.226 1.483 9.066 9.066 0 0 0 2.726 0 .75.75 0 0 0-.226-1.483 7.553 7.553 0 0 1-2.274 0Z"})])}function lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.22 2.22a.75.75 0 0 1 1.06 0l4.46 4.46c.128-.178.272-.349.432-.508l3-3a4 4 0 0 1 5.657 5.656l-1.225 1.225a.75.75 0 1 1-1.06-1.06l1.224-1.225a2.5 2.5 0 0 0-3.536-3.536l-3 3a2.504 2.504 0 0 0-.406.533l2.59 2.59a2.49 2.49 0 0 0-.79-1.254.75.75 0 1 1 .977-1.138 3.997 3.997 0 0 1 1.306 3.886l4.871 4.87a.75.75 0 1 1-1.06 1.061l-5.177-5.177-.006-.005-4.134-4.134a.65.65 0 0 1-.005-.006L2.22 3.28a.75.75 0 0 1 0-1.06Zm3.237 7.727a.75.75 0 0 1 0 1.06l-1.225 1.225a2.5 2.5 0 0 0 3.536 3.536l1.879-1.879a.75.75 0 1 1 1.06 1.06L8.83 16.83a4 4 0 0 1-5.657-5.657l1.224-1.225a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{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"}),(0,r.createElementVNode)("path",{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"})])}function cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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-.01ZM1.99 15.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-1v-.01ZM1.99 10a1 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"})])}function ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 1a4.5 4.5 0 0 0-4.5 4.5V9H5a2 2 0 0 0-2 2v6a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2v-6a2 2 0 0 0-2-2h-.5V5.5A4.5 4.5 0 0 0 10 1Zm3 8V5.5a3 3 0 1 0-6 0V9h6Z","clip-rule":"evenodd"})])}function dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.5 1A4.5 4.5 0 0 0 10 5.5V9H3a2 2 0 0 0-2 2v6a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2v-6a2 2 0 0 0-2-2h-1.5V5.5a3 3 0 1 1 6 0v2.75a.75.75 0 0 0 1.5 0V5.5A4.5 4.5 0 0 0 14.5 1Z","clip-rule":"evenodd"})])}function hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.5 9a2.5 2.5 0 1 1 5 0 2.5 2.5 0 0 1-5 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM9 5a4 4 0 1 0 2.248 7.309l1.472 1.471a.75.75 0 1 0 1.06-1.06l-1.471-1.472A4 4 0 0 0 9 5Z","clip-rule":"evenodd"})])}function pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.75 8.25a.75.75 0 0 0 0 1.5h4.5a.75.75 0 0 0 0-1.5h-4.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9 2a7 7 0 1 0 4.391 12.452l3.329 3.328a.75.75 0 1 0 1.06-1.06l-3.328-3.329A7 7 0 0 0 9 2ZM3.5 9a5.5 5.5 0 1 1 11 0 5.5 5.5 0 0 1-11 0Z","clip-rule":"evenodd"})])}function fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9 6a.75.75 0 0 1 .75.75v1.5h1.5a.75.75 0 0 1 0 1.5h-1.5v1.5a.75.75 0 0 1-1.5 0v-1.5h-1.5a.75.75 0 0 1 0-1.5h1.5v-1.5A.75.75 0 0 1 9 6Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 9a7 7 0 1 1 12.452 4.391l3.328 3.329a.75.75 0 1 1-1.06 1.06l-3.329-3.328A7 7 0 0 1 2 9Zm7-5.5a5.5 5.5 0 1 0 0 11 5.5 5.5 0 0 0 0-11Z","clip-rule":"evenodd"})])}function mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9 3.5a5.5 5.5 0 1 0 0 11 5.5 5.5 0 0 0 0-11ZM2 9a7 7 0 1 1 12.452 4.391l3.328 3.329a.75.75 0 1 1-1.06 1.06l-3.329-3.328A7 7 0 0 1 2 9Z","clip-rule":"evenodd"})])}function vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m9.69 18.933.003.001C9.89 19.02 10 19 10 19s.11.02.308-.066l.002-.001.006-.003.018-.008a5.741 5.741 0 0 0 .281-.14c.186-.096.446-.24.757-.433.62-.384 1.445-.966 2.274-1.765C15.302 14.988 17 12.493 17 9A7 7 0 1 0 3 9c0 3.492 1.698 5.988 3.355 7.584a13.731 13.731 0 0 0 2.273 1.765 11.842 11.842 0 0 0 .976.544l.062.029.018.008.006.003ZM10 11.25a2.25 2.25 0 1 0 0-4.5 2.25 2.25 0 0 0 0 4.5Z","clip-rule":"evenodd"})])}function gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.157 2.176a1.5 1.5 0 0 0-1.147 0l-4.084 1.69A1.5 1.5 0 0 0 2 5.25v10.877a1.5 1.5 0 0 0 2.074 1.386l3.51-1.452 4.26 1.762a1.5 1.5 0 0 0 1.146 0l4.083-1.69A1.5 1.5 0 0 0 18 14.75V3.872a1.5 1.5 0 0 0-2.073-1.386l-3.51 1.452-4.26-1.762ZM7.58 5a.75.75 0 0 1 .75.75v6.5a.75.75 0 0 1-1.5 0v-6.5A.75.75 0 0 1 7.58 5Zm5.59 2.75a.75.75 0 0 0-1.5 0v6.5a.75.75 0 0 0 1.5 0v-6.5Z","clip-rule":"evenodd"})])}function wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.92 3.845a19.362 19.362 0 0 1-6.3 1.98C6.765 5.942 5.89 6 5 6a4 4 0 0 0-.504 7.969 15.97 15.97 0 0 0 1.271 3.34c.397.771 1.342 1 2.05.59l.867-.5c.726-.419.94-1.32.588-2.02-.166-.331-.315-.666-.448-1.004 1.8.357 3.511.963 5.096 1.78A17.964 17.964 0 0 0 15 10c0-2.162-.381-4.235-1.08-6.155ZM15.243 3.097A19.456 19.456 0 0 1 16.5 10c0 2.43-.445 4.758-1.257 6.904l-.03.077a.75.75 0 0 0 1.401.537 20.903 20.903 0 0 0 1.312-5.745 2 2 0 0 0 0-3.546 20.902 20.902 0 0 0-1.312-5.745.75.75 0 0 0-1.4.537l.029.078Z"})])}function yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7 4a3 3 0 0 1 6 0v6a3 3 0 1 1-6 0V4Z"}),(0,r.createElementVNode)("path",{d:"M5.5 9.643a.75.75 0 0 0-1.5 0V10c0 3.06 2.29 5.585 5.25 5.954V17.5h-1.5a.75.75 0 0 0 0 1.5h4.5a.75.75 0 0 0 0-1.5h-1.5v-1.546A6.001 6.001 0 0 0 16 10v-.357a.75.75 0 0 0-1.5 0V10a4.5 4.5 0 0 1-9 0v-.357Z"})])}function br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM6.75 9.25a.75.75 0 0 0 0 1.5h6.5a.75.75 0 0 0 0-1.5h-6.5Z","clip-rule":"evenodd"})])}function xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.75 9.25a.75.75 0 0 0 0 1.5h6.5a.75.75 0 0 0 0-1.5h-6.5Z"})])}function kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 10a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H4.75A.75.75 0 0 1 4 10Z","clip-rule":"evenodd"})])}function Er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.455 2.004a.75.75 0 0 1 .26.77 7 7 0 0 0 9.958 7.967.75.75 0 0 1 1.067.853A8.5 8.5 0 1 1 6.647 1.921a.75.75 0 0 1 .808.083Z","clip-rule":"evenodd"})])}function Ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.721 1.599a.75.75 0 0 1 .279.583v11.29a2.25 2.25 0 0 1-1.774 2.2l-2.041.44a2.216 2.216 0 0 1-.938-4.332l2.662-.577a.75.75 0 0 0 .591-.733V6.112l-8 1.73v7.684a2.25 2.25 0 0 1-1.774 2.2l-2.042.44a2.216 2.216 0 1 1-.935-4.331l2.659-.573A.75.75 0 0 0 7 12.529V4.236a.75.75 0 0 1 .591-.733l9.5-2.054a.75.75 0 0 1 .63.15Z","clip-rule":"evenodd"})])}function Cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.5A1.5 1.5 0 0 1 3.5 2h9A1.5 1.5 0 0 1 14 3.5v11.75A2.75 2.75 0 0 0 16.75 18h-12A2.75 2.75 0 0 1 2 15.25V3.5Zm3.75 7a.75.75 0 0 0 0 1.5h4.5a.75.75 0 0 0 0-1.5h-4.5Zm0 3a.75.75 0 0 0 0 1.5h4.5a.75.75 0 0 0 0-1.5h-4.5ZM5 5.75A.75.75 0 0 1 5.75 5h4.5a.75.75 0 0 1 .75.75v2.5a.75.75 0 0 1-.75.75h-4.5A.75.75 0 0 1 5 8.25v-2.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M16.5 6.5h-1v8.75a1.25 1.25 0 1 0 2.5 0V8a1.5 1.5 0 0 0-1.5-1.5Z"})])}function Br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m5.965 4.904 9.131 9.131a6.5 6.5 0 0 0-9.131-9.131Zm8.07 10.192L4.904 5.965a6.5 6.5 0 0 0 9.131 9.131ZM4.343 4.343a8 8 0 1 1 11.314 11.314A8 8 0 0 1 4.343 4.343Z","clip-rule":"evenodd"})])}function Mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{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.25H3ZM2.97 8.654a3.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.5ZM7.75 9.25a.75.75 0 0 0 0 1.5h9.5a.75.75 0 0 0 0-1.5h-9.5ZM7.75 15.5a.75.75 0 0 0 0 1.5h9.5a.75.75 0 0 0 0-1.5h-9.5ZM2.625 13.875a.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"})])}function _r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M15.993 1.385a1.87 1.87 0 0 1 2.623 2.622l-4.03 5.27a12.749 12.749 0 0 1-4.237 3.562 4.508 4.508 0 0 0-3.188-3.188 12.75 12.75 0 0 1 3.562-4.236l5.27-4.03ZM6 11a3 3 0 0 0-3 3 .5.5 0 0 1-.72.45.75.75 0 0 0-1.035.931A4.001 4.001 0 0 0 9 14.004V14a3.01 3.01 0 0 0-1.66-2.685A2.99 2.99 0 0 0 6 11Z"})])}function Sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.105 2.288a.75.75 0 0 0-.826.95l1.414 4.926A1.5 1.5 0 0 0 5.135 9.25h6.115a.75.75 0 0 1 0 1.5H5.135a1.5 1.5 0 0 0-1.442 1.086l-1.414 4.926a.75.75 0 0 0 .826.95 28.897 28.897 0 0 0 15.293-7.155.75.75 0 0 0 0-1.114A28.897 28.897 0 0 0 3.105 2.288Z"})])}function Nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.621 4.379a3 3 0 0 0-4.242 0l-7 7a3 3 0 0 0 4.241 4.243h.001l.497-.5a.75.75 0 0 1 1.064 1.057l-.498.501-.002.002a4.5 4.5 0 0 1-6.364-6.364l7-7a4.5 4.5 0 0 1 6.368 6.36l-3.455 3.553A2.625 2.625 0 1 1 9.52 9.52l3.45-3.451a.75.75 0 1 1 1.061 1.06l-3.45 3.451a1.125 1.125 0 0 0 1.587 1.595l3.454-3.553a3 3 0 0 0 0-4.242Z","clip-rule":"evenodd"})])}function Vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 10a8 8 0 1 1 16 0 8 8 0 0 1-16 0Zm5-2.25A.75.75 0 0 1 7.75 7h.5a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-.75.75h-.5a.75.75 0 0 1-.75-.75v-4.5Zm4 0a.75.75 0 0 1 .75-.75h.5a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-.75.75h-.5a.75.75 0 0 1-.75-.75v-4.5Z","clip-rule":"evenodd"})])}function Lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.75 3a.75.75 0 0 0-.75.75v12.5c0 .414.336.75.75.75h1.5a.75.75 0 0 0 .75-.75V3.75A.75.75 0 0 0 7.25 3h-1.5ZM12.75 3a.75.75 0 0 0-.75.75v12.5c0 .414.336.75.75.75h1.5a.75.75 0 0 0 .75-.75V3.75a.75.75 0 0 0-.75-.75h-1.5Z"})])}function Tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m5.433 13.917 1.262-3.155A4 4 0 0 1 7.58 9.42l6.92-6.918a2.121 2.121 0 0 1 3 3l-6.92 6.918c-.383.383-.84.685-1.343.886l-3.154 1.262a.5.5 0 0 1-.65-.65Z"}),(0,r.createElementVNode)("path",{d:"M3.5 5.75c0-.69.56-1.25 1.25-1.25H10A.75.75 0 0 0 10 3H4.75A2.75 2.75 0 0 0 2 5.75v9.5A2.75 2.75 0 0 0 4.75 18h9.5A2.75 2.75 0 0 0 17 15.25V10a.75.75 0 0 0-1.5 0v5.25c0 .69-.56 1.25-1.25 1.25h-9.5c-.69 0-1.25-.56-1.25-1.25v-9.5Z"})])}function Ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m2.695 14.762-1.262 3.155a.5.5 0 0 0 .65.65l3.155-1.262a4 4 0 0 0 1.343-.886L17.5 5.501a2.121 2.121 0 0 0-3-3L3.58 13.419a4 4 0 0 0-.885 1.343Z"})])}function Zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.597 7.348a3 3 0 0 0 0 5.304 3 3 0 0 0 3.75 3.751 3 3 0 0 0 5.305 0 3 3 0 0 0 3.751-3.75 3 3 0 0 0 0-5.305 3 3 0 0 0-3.75-3.751 3 3 0 0 0-5.305 0 3 3 0 0 0-3.751 3.75Zm9.933.182a.75.75 0 0 0-1.06-1.06l-6 6a.75.75 0 1 0 1.06 1.06l6-6Zm.47 5.22a1.25 1.25 0 1 1-2.5 0 1.25 1.25 0 0 1 2.5 0ZM7.25 8.5a1.25 1.25 0 1 0 0-2.5 1.25 1.25 0 0 0 0 2.5Z","clip-rule":"evenodd"})])}function Or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.5 2A1.5 1.5 0 0 0 2 3.5V5c0 1.149.15 2.263.43 3.326a13.022 13.022 0 0 0 9.244 9.244c1.063.28 2.177.43 3.326.43h1.5a1.5 1.5 0 0 0 1.5-1.5v-1.148a1.5 1.5 0 0 0-1.175-1.465l-3.223-.716a1.5 1.5 0 0 0-1.767 1.052l-.267.933c-.117.41-.555.643-.95.48a11.542 11.542 0 0 1-6.254-6.254c-.163-.395.07-.833.48-.95l.933-.267a1.5 1.5 0 0 0 1.052-1.767l-.716-3.223A1.5 1.5 0 0 0 4.648 2H3.5ZM16.72 2.22a.75.75 0 1 1 1.06 1.06L14.56 6.5h2.69a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75v-4.5a.75.75 0 0 1 1.5 0v2.69l3.22-3.22Z"})])}function Dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.5 2A1.5 1.5 0 0 0 2 3.5V5c0 1.149.15 2.263.43 3.326a13.022 13.022 0 0 0 9.244 9.244c1.063.28 2.177.43 3.326.43h1.5a1.5 1.5 0 0 0 1.5-1.5v-1.148a1.5 1.5 0 0 0-1.175-1.465l-3.223-.716a1.5 1.5 0 0 0-1.767 1.052l-.267.933c-.117.41-.555.643-.95.48a11.542 11.542 0 0 1-6.254-6.254c-.163-.395.07-.833.48-.95l.933-.267a1.5 1.5 0 0 0 1.052-1.767l-.716-3.223A1.5 1.5 0 0 0 4.648 2H3.5ZM16.5 4.56l-3.22 3.22a.75.75 0 1 1-1.06-1.06l3.22-3.22h-2.69a.75.75 0 0 1 0-1.5h4.5a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0V4.56Z"})])}function Rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.5 2A1.5 1.5 0 0 0 2 3.5V5c0 1.149.15 2.263.43 3.326a13.022 13.022 0 0 0 9.244 9.244c1.063.28 2.177.43 3.326.43h1.5a1.5 1.5 0 0 0 1.5-1.5v-1.148a1.5 1.5 0 0 0-1.175-1.465l-3.223-.716a1.5 1.5 0 0 0-1.767 1.052l-.267.933c-.117.41-.555.643-.95.48a11.542 11.542 0 0 1-6.254-6.254c-.163-.395.07-.833.48-.95l.933-.267a1.5 1.5 0 0 0 1.052-1.767l-.716-3.223A1.5 1.5 0 0 0 4.648 2H3.5Zm9.78.22a.75.75 0 1 0-1.06 1.06L13.94 5l-1.72 1.72a.75.75 0 0 0 1.06 1.06L15 6.06l1.72 1.72a.75.75 0 1 0 1.06-1.06L16.06 5l1.72-1.72a.75.75 0 0 0-1.06-1.06L15 3.94l-1.72-1.72Z","clip-rule":"evenodd"})])}function Hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.5A1.5 1.5 0 0 1 3.5 2h1.148a1.5 1.5 0 0 1 1.465 1.175l.716 3.223a1.5 1.5 0 0 1-1.052 1.767l-.933.267c-.41.117-.643.555-.48.95a11.542 11.542 0 0 0 6.254 6.254c.395.163.833-.07.95-.48l.267-.933a1.5 1.5 0 0 1 1.767-1.052l3.223.716A1.5 1.5 0 0 1 18 15.352V16.5a1.5 1.5 0 0 1-1.5 1.5H15c-1.149 0-2.263-.15-3.326-.43A13.022 13.022 0 0 1 2.43 8.326 13.019 13.019 0 0 1 2 5V3.5Z","clip-rule":"evenodd"})])}function Pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 10a8 8 0 1 1 16 0 8 8 0 0 1-16 0Zm6.39-2.908a.75.75 0 0 1 .766.027l3.5 2.25a.75.75 0 0 1 0 1.262l-3.5 2.25A.75.75 0 0 1 8 12.25v-4.5a.75.75 0 0 1 .39-.658Z","clip-rule":"evenodd"})])}function Fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12.75 4a.75.75 0 0 0-.75.75v10.5c0 .414.336.75.75.75h.5a.75.75 0 0 0 .75-.75V4.75a.75.75 0 0 0-.75-.75h-.5ZM17.75 4a.75.75 0 0 0-.75.75v10.5c0 .414.336.75.75.75h.5a.75.75 0 0 0 .75-.75V4.75a.75.75 0 0 0-.75-.75h-.5ZM3.288 4.819A1.5 1.5 0 0 0 1 6.095v7.81a1.5 1.5 0 0 0 2.288 1.277l6.323-3.906a1.5 1.5 0 0 0 0-2.552L3.288 4.819Z"})])}function zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.3 2.84A1.5 1.5 0 0 0 4 4.11v11.78a1.5 1.5 0 0 0 2.3 1.27l9.344-5.891a1.5 1.5 0 0 0 0-2.538L6.3 2.841Z"})])}function qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm.75-11.25a.75.75 0 0 0-1.5 0v2.5h-2.5a.75.75 0 0 0 0 1.5h2.5v2.5a.75.75 0 0 0 1.5 0v-2.5h2.5a.75.75 0 0 0 0-1.5h-2.5v-2.5Z","clip-rule":"evenodd"})])}function Ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.75 6.75a.75.75 0 0 0-1.5 0v2.5h-2.5a.75.75 0 0 0 0 1.5h2.5v2.5a.75.75 0 0 0 1.5 0v-2.5h2.5a.75.75 0 0 0 0-1.5h-2.5v-2.5Z"})])}function $r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.75 4.75a.75.75 0 0 0-1.5 0v4.5h-4.5a.75.75 0 0 0 0 1.5h4.5v4.5a.75.75 0 0 0 1.5 0v-4.5h4.5a.75.75 0 0 0 0-1.5h-4.5v-4.5Z"})])}function Wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a.75.75 0 0 1 .75.75v7.5a.75.75 0 0 1-1.5 0v-7.5A.75.75 0 0 1 10 2ZM5.404 4.343a.75.75 0 0 1 0 1.06 6.5 6.5 0 1 0 9.192 0 .75.75 0 1 1 1.06-1.06 8 8 0 1 1-11.313 0 .75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function Gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 2.75A.75.75 0 0 1 1.75 2h16.5a.75.75 0 0 1 0 1.5H18v8.75A2.75 2.75 0 0 1 15.25 15h-1.072l.798 3.06a.75.75 0 0 1-1.452.38L13.41 18H6.59l-.114.44a.75.75 0 0 1-1.452-.38L5.823 15H4.75A2.75 2.75 0 0 1 2 12.25V3.5h-.25A.75.75 0 0 1 1 2.75ZM7.373 15l-.391 1.5h6.037l-.392-1.5H7.373ZM13.25 5a.75.75 0 0 1 .75.75v5.5a.75.75 0 0 1-1.5 0v-5.5a.75.75 0 0 1 .75-.75Zm-6.5 4a.75.75 0 0 1 .75.75v1.5a.75.75 0 0 1-1.5 0v-1.5A.75.75 0 0 1 6.75 9Zm4-1.25a.75.75 0 0 0-1.5 0v3.5a.75.75 0 0 0 1.5 0v-3.5Z","clip-rule":"evenodd"})])}function Kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 2.75A.75.75 0 0 1 1.75 2h16.5a.75.75 0 0 1 0 1.5H18v8.75A2.75 2.75 0 0 1 15.25 15h-1.072l.798 3.06a.75.75 0 0 1-1.452.38L13.41 18H6.59l-.114.44a.75.75 0 0 1-1.452-.38L5.823 15H4.75A2.75 2.75 0 0 1 2 12.25V3.5h-.25A.75.75 0 0 1 1 2.75ZM7.373 15l-.391 1.5h6.037l-.392-1.5H7.373Zm7.49-8.931a.75.75 0 0 1-.175 1.046 19.326 19.326 0 0 0-3.398 3.098.75.75 0 0 1-1.097.04L8.5 8.561l-2.22 2.22A.75.75 0 1 1 5.22 9.72l2.75-2.75a.75.75 0 0 1 1.06 0l1.664 1.663a20.786 20.786 0 0 1 3.122-2.74.75.75 0 0 1 1.046.176Z","clip-rule":"evenodd"})])}function Yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 2.75C5 1.784 5.784 1 6.75 1h6.5c.966 0 1.75.784 1.75 1.75v3.552c.377.046.752.097 1.126.153A2.212 2.212 0 0 1 18 8.653v4.097A2.25 2.25 0 0 1 15.75 15h-.241l.305 1.984A1.75 1.75 0 0 1 14.084 19H5.915a1.75 1.75 0 0 1-1.73-2.016L4.492 15H4.25A2.25 2.25 0 0 1 2 12.75V8.653c0-1.082.775-2.034 1.874-2.198.374-.056.75-.107 1.127-.153L5 6.25v-3.5Zm8.5 3.397a41.533 41.533 0 0 0-7 0V2.75a.25.25 0 0 1 .25-.25h6.5a.25.25 0 0 1 .25.25v3.397ZM6.608 12.5a.25.25 0 0 0-.247.212l-.693 4.5a.25.25 0 0 0 .247.288h8.17a.25.25 0 0 0 .246-.288l-.692-4.5a.25.25 0 0 0-.247-.212H6.608Z","clip-rule":"evenodd"})])}function Xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 4.467c0-.405.262-.75.559-1.027.276-.257.441-.584.441-.94 0-.828-.895-1.5-2-1.5s-2 .672-2 1.5c0 .362.171.694.456.953.29.265.544.6.544.994a.968.968 0 0 1-1.024.974 39.655 39.655 0 0 1-3.014-.306.75.75 0 0 0-.847.847c.14.993.242 1.999.306 3.014A.968.968 0 0 1 4.447 10c-.393 0-.729-.253-.994-.544C3.194 9.17 2.862 9 2.5 9 1.672 9 1 9.895 1 11s.672 2 1.5 2c.356 0 .683-.165.94-.441.276-.297.622-.559 1.027-.559a.997.997 0 0 1 1.004 1.03 39.747 39.747 0 0 1-.319 3.734.75.75 0 0 0 .64.842c1.05.146 2.111.252 3.184.318A.97.97 0 0 0 10 16.948c0-.394-.254-.73-.545-.995C9.171 15.693 9 15.362 9 15c0-.828.895-1.5 2-1.5s2 .672 2 1.5c0 .356-.165.683-.441.94-.297.276-.559.622-.559 1.027a.998.998 0 0 0 1.03 1.005c1.337-.05 2.659-.162 3.961-.337a.75.75 0 0 0 .644-.644c.175-1.302.288-2.624.337-3.961A.998.998 0 0 0 16.967 12c-.405 0-.75.262-1.027.559-.257.276-.584.441-.94.441-.828 0-1.5-.895-1.5-2s.672-2 1.5-2c.362 0 .694.17.953.455.265.291.601.545.995.545a.97.97 0 0 0 .976-1.024 41.159 41.159 0 0 0-.318-3.184.75.75 0 0 0-.842-.64c-1.228.164-2.473.271-3.734.319A.997.997 0 0 1 12 4.467Z"})])}function Jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 2A1.75 1.75 0 0 0 2 3.75v3.5C2 8.216 2.784 9 3.75 9h3.5A1.75 1.75 0 0 0 9 7.25v-3.5A1.75 1.75 0 0 0 7.25 2h-3.5ZM3.5 3.75a.25.25 0 0 1 .25-.25h3.5a.25.25 0 0 1 .25.25v3.5a.25.25 0 0 1-.25.25h-3.5a.25.25 0 0 1-.25-.25v-3.5ZM3.75 11A1.75 1.75 0 0 0 2 12.75v3.5c0 .966.784 1.75 1.75 1.75h3.5A1.75 1.75 0 0 0 9 16.25v-3.5A1.75 1.75 0 0 0 7.25 11h-3.5Zm-.25 1.75a.25.25 0 0 1 .25-.25h3.5a.25.25 0 0 1 .25.25v3.5a.25.25 0 0 1-.25.25h-3.5a.25.25 0 0 1-.25-.25v-3.5Zm7.5-9c0-.966.784-1.75 1.75-1.75h3.5c.966 0 1.75.784 1.75 1.75v3.5A1.75 1.75 0 0 1 16.25 9h-3.5A1.75 1.75 0 0 1 11 7.25v-3.5Zm1.75-.25a.25.25 0 0 0-.25.25v3.5c0 .138.112.25.25.25h3.5a.25.25 0 0 0 .25-.25v-3.5a.25.25 0 0 0-.25-.25h-3.5Zm-7.26 1a1 1 0 0 0-1 1v.01a1 1 0 0 0 1 1h.01a1 1 0 0 0 1-1V5.5a1 1 0 0 0-1-1h-.01Zm9 0a1 1 0 0 0-1 1v.01a1 1 0 0 0 1 1h.01a1 1 0 0 0 1-1V5.5a1 1 0 0 0-1-1h-.01Zm-9 9a1 1 0 0 0-1 1v.01a1 1 0 0 0 1 1h.01a1 1 0 0 0 1-1v-.01a1 1 0 0 0-1-1h-.01Zm9 0a1 1 0 0 0-1 1v.01a1 1 0 0 0 1 1h.01a1 1 0 0 0 1-1v-.01a1 1 0 0 0-1-1h-.01Zm-3.5-1.5a1 1 0 0 1 1-1H12a1 1 0 0 1 1 1v.01a1 1 0 0 1-1 1h-.01a1 1 0 0 1-1-1V12Zm6-1a1 1 0 0 0-1 1v.01a1 1 0 0 0 1 1H17a1 1 0 0 0 1-1V12a1 1 0 0 0-1-1h-.01Zm-1 6a1 1 0 0 1 1-1H17a1 1 0 0 1 1 1v.01a1 1 0 0 1-1 1h-.01a1 1 0 0 1-1-1V17Zm-4-1a1 1 0 0 0-1 1v.01a1 1 0 0 0 1 1H12a1 1 0 0 0 1-1V17a1 1 0 0 0-1-1h-.01Z","clip-rule":"evenodd"})])}function Qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0ZM8.94 6.94a.75.75 0 1 1-1.061-1.061 3 3 0 1 1 2.871 5.026v.345a.75.75 0 0 1-1.5 0v-.5c0-.72.57-1.172 1.081-1.287A1.5 1.5 0 1 0 8.94 6.94ZM10 15a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 4.5A2.5 2.5 0 0 1 4.5 2h11a2.5 2.5 0 0 1 0 5h-11A2.5 2.5 0 0 1 2 4.5ZM2.75 9.083a.75.75 0 0 0 0 1.5h14.5a.75.75 0 0 0 0-1.5H2.75ZM2.75 12.663a.75.75 0 0 0 0 1.5h14.5a.75.75 0 0 0 0-1.5H2.75ZM2.75 16.25a.75.75 0 0 0 0 1.5h14.5a.75.75 0 1 0 0-1.5H2.75Z"})])}function to(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.45 3.473a.75.75 0 1 0-.4-1.446L5.313 5.265c-.84.096-1.671.217-2.495.362A2.212 2.212 0 0 0 1 7.816v7.934A2.25 2.25 0 0 0 3.25 18h13.5A2.25 2.25 0 0 0 19 15.75V7.816c0-1.06-.745-2-1.817-2.189a41.12 41.12 0 0 0-5.406-.59l5.673-1.564ZM16 9.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0ZM14.5 16a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3Zm-9.26-5a.75.75 0 0 1 .75-.75H6a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75V11Zm2.75-.75a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75H8a.75.75 0 0 0 .75-.75V11a.75.75 0 0 0-.75-.75h-.01Zm-1.75-1.5A.75.75 0 0 1 6.99 8H7a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm3.583.42a.75.75 0 0 0-1.06 0l-.007.007a.75.75 0 0 0 0 1.06l.007.007a.75.75 0 0 0 1.06 0l.007-.007a.75.75 0 0 0 0-1.06l-.007-.008Zm.427 2.08A.75.75 0 0 1 11 12v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75V12a.75.75 0 0 1 .75-.75h.01Zm-.42 3.583a.75.75 0 0 0 0-1.06l-.007-.007a.75.75 0 0 0-1.06 0l-.007.007a.75.75 0 0 0 0 1.06l.007.008a.75.75 0 0 0 1.06 0l.008-.008Zm-3.59.417a.75.75 0 0 1 .75-.75H7a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm-1.013-1.484a.75.75 0 0 0-1.06 0l-.008.007a.75.75 0 0 0 0 1.06l.007.008a.75.75 0 0 0 1.061 0l.007-.008a.75.75 0 0 0 0-1.06l-.007-.007ZM3.75 11.25a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75V12a.75.75 0 0 1 .75-.75h.01Zm1.484-1.013a.75.75 0 0 0 0-1.06l-.007-.007a.75.75 0 0 0-1.06 0l-.007.007a.75.75 0 0 0 0 1.06l.007.007a.75.75 0 0 0 1.06 0l.007-.007ZM7.24 13a.75.75 0 0 1 .75-.75H8a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75V13Zm-1.25-.75a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75H6a.75.75 0 0 0 .75-.75V13a.75.75 0 0 0-.75-.75h-.01Z","clip-rule":"evenodd"})])}function no(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.93 2.31a41.401 41.401 0 0 1 10.14 0C16.194 2.45 17 3.414 17 4.517V17.25a.75.75 0 0 1-1.075.676l-2.8-1.344-2.8 1.344a.75.75 0 0 1-.65 0l-2.8-1.344-2.8 1.344A.75.75 0 0 1 3 17.25V4.517c0-1.103.806-2.068 1.93-2.207Zm8.85 4.97a.75.75 0 0 0-1.06-1.06l-6.5 6.5a.75.75 0 1 0 1.06 1.06l6.5-6.5ZM9 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0Zm3 5a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.93 2.31a41.401 41.401 0 0 1 10.14 0C16.194 2.45 17 3.414 17 4.517V17.25a.75.75 0 0 1-1.075.676l-2.8-1.344-2.8 1.344a.75.75 0 0 1-.65 0l-2.8-1.344-2.8 1.344A.75.75 0 0 1 3 17.25V4.517c0-1.103.806-2.068 1.93-2.207Zm4.822 3.997a.75.75 0 1 0-1.004-1.114l-2.5 2.25a.75.75 0 0 0 0 1.114l2.5 2.25a.75.75 0 0 0 1.004-1.114L8.704 8.75h1.921a1.875 1.875 0 0 1 0 3.75.75.75 0 0 0 0 1.5 3.375 3.375 0 1 0 0-6.75h-1.92l1.047-.943Z","clip-rule":"evenodd"})])}function oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 3A1.5 1.5 0 0 0 1 4.5v4A1.5 1.5 0 0 0 2.5 10h6A1.5 1.5 0 0 0 10 8.5v-4A1.5 1.5 0 0 0 8.5 3h-6Zm11 2A1.5 1.5 0 0 0 12 6.5v7a1.5 1.5 0 0 0 1.5 1.5h4a1.5 1.5 0 0 0 1.5-1.5v-7A1.5 1.5 0 0 0 17.5 5h-4Zm-10 7A1.5 1.5 0 0 0 2 13.5v2A1.5 1.5 0 0 0 3.5 17h6a1.5 1.5 0 0 0 1.5-1.5v-2A1.5 1.5 0 0 0 9.5 12h-6Z","clip-rule":"evenodd"})])}function io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.127 3.502 5.25 3.5h9.5c.041 0 .082 0 .123.002A2.251 2.251 0 0 0 12.75 2h-5.5a2.25 2.25 0 0 0-2.123 1.502ZM1 10.25A2.25 2.25 0 0 1 3.25 8h13.5A2.25 2.25 0 0 1 19 10.25v5.5A2.25 2.25 0 0 1 16.75 18H3.25A2.25 2.25 0 0 1 1 15.75v-5.5ZM3.25 6.5c-.04 0-.082 0-.123.002A2.25 2.25 0 0 1 5.25 5h9.5c.98 0 1.814.627 2.123 1.502a3.819 3.819 0 0 0-.123-.002H3.25Z"})])}function ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.606 12.97a.75.75 0 0 1-.134 1.051 2.494 2.494 0 0 0-.93 2.437 2.494 2.494 0 0 0 2.437-.93.75.75 0 1 1 1.186.918 3.995 3.995 0 0 1-4.482 1.332.75.75 0 0 1-.461-.461 3.994 3.994 0 0 1 1.332-4.482.75.75 0 0 1 1.052.134Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.752 12A13.07 13.07 0 0 0 8 14.248v4.002c0 .414.336.75.75.75a5 5 0 0 0 4.797-6.414 12.984 12.984 0 0 0 5.45-10.848.75.75 0 0 0-.735-.735 12.984 12.984 0 0 0-10.849 5.45A5 5 0 0 0 1 11.25c.001.414.337.75.751.75h4.002ZM13 9a2 2 0 1 0 0-4 2 2 0 0 0 0 4Z","clip-rule":"evenodd"})])}function lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.75 3a.75.75 0 0 0-.75.75v.5c0 .414.336.75.75.75H4c6.075 0 11 4.925 11 11v.25c0 .414.336.75.75.75h.5a.75.75 0 0 0 .75-.75V16C17 8.82 11.18 3 4 3h-.25Z"}),(0,r.createElementVNode)("path",{d:"M3 8.75A.75.75 0 0 1 3.75 8H4a8 8 0 0 1 8 8v.25a.75.75 0 0 1-.75.75h-.5a.75.75 0 0 1-.75-.75V16a6 6 0 0 0-6-6h-.25A.75.75 0 0 1 3 9.25v-.5ZM7 15a2 2 0 1 1-4 0 2 2 0 0 1 4 0Z"})])}function so(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a.75.75 0 0 1 .75.75v.258a33.186 33.186 0 0 1 6.668.83.75.75 0 0 1-.336 1.461 31.28 31.28 0 0 0-1.103-.232l1.702 7.545a.75.75 0 0 1-.387.832A4.981 4.981 0 0 1 15 14c-.825 0-1.606-.2-2.294-.556a.75.75 0 0 1-.387-.832l1.77-7.849a31.743 31.743 0 0 0-3.339-.254v11.505a20.01 20.01 0 0 1 3.78.501.75.75 0 1 1-.339 1.462A18.558 18.558 0 0 0 10 17.5c-1.442 0-2.845.165-4.191.477a.75.75 0 0 1-.338-1.462 20.01 20.01 0 0 1 3.779-.501V4.509c-1.129.026-2.243.112-3.34.254l1.771 7.85a.75.75 0 0 1-.387.83A4.98 4.98 0 0 1 5 14a4.98 4.98 0 0 1-2.294-.556.75.75 0 0 1-.387-.832L4.02 5.067c-.37.07-.738.148-1.103.232a.75.75 0 0 1-.336-1.462 32.845 32.845 0 0 1 6.668-.829V2.75A.75.75 0 0 1 10 2ZM5 7.543 3.92 12.33a3.499 3.499 0 0 0 2.16 0L5 7.543Zm10 0-1.08 4.787a3.498 3.498 0 0 0 2.16 0L15 7.543Z","clip-rule":"evenodd"})])}function co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.469 3.75a3.5 3.5 0 0 0 5.617 4.11l.883.51c.025.092.147.116.21.043.15-.176.318-.338.5-.484.286-.23.3-.709-.018-.892l-.825-.477A3.501 3.501 0 0 0 1.47 3.75Zm2.03 3.482a2 2 0 1 1 2-3.464 2 2 0 0 1-2 3.464ZM9.956 8.322a2.75 2.75 0 0 0-1.588 1.822L7.97 11.63l-.884.51A3.501 3.501 0 0 0 1.47 16.25a3.5 3.5 0 0 0 6.367-2.81l10.68-6.166a.75.75 0 0 0-.182-1.373l-.703-.189a2.75 2.75 0 0 0-1.78.123L9.955 8.322ZM2.768 15.5a2 2 0 1 1 3.464-2 2 2 0 0 1-3.464 2Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M12.52 11.89a.5.5 0 0 0 .056.894l3.274 1.381a2.75 2.75 0 0 0 1.78.123l.704-.189a.75.75 0 0 0 .18-1.373l-3.47-2.004a.5.5 0 0 0-.5 0L12.52 11.89Z"})])}function uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.464 3.162A2 2 0 0 1 6.28 2h7.44a2 2 0 0 1 1.816 1.162l1.154 2.5c.067.145.115.291.145.438A3.508 3.508 0 0 0 16 6H4c-.288 0-.568.035-.835.1.03-.147.078-.293.145-.438l1.154-2.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 9.5a2 2 0 0 1 2-2h12a2 2 0 1 1 0 4H4a2 2 0 0 1-2-2Zm13.24 0a.75.75 0 0 1 .75-.75H16a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75V9.5Zm-2.25-.75a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75H13a.75.75 0 0 0 .75-.75V9.5a.75.75 0 0 0-.75-.75h-.01ZM2 15a2 2 0 0 1 2-2h12a2 2 0 1 1 0 4H4a2 2 0 0 1-2-2Zm13.24 0a.75.75 0 0 1 .75-.75H16a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75V15Zm-2.25-.75a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75H13a.75.75 0 0 0 .75-.75V15a.75.75 0 0 0-.75-.75h-.01Z","clip-rule":"evenodd"})])}function ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.632 3.533A2 2 0 0 1 6.577 2h6.846a2 2 0 0 1 1.945 1.533l1.976 8.234A3.489 3.489 0 0 0 16 11.5H4c-.476 0-.93.095-1.344.267l1.976-8.234Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 13a2 2 0 1 0 0 4h12a2 2 0 1 0 0-4H4Zm11.24 2a.75.75 0 0 1 .75-.75H16a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75V15Zm-2.25-.75a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75H13a.75.75 0 0 0 .75-.75V15a.75.75 0 0 0-.75-.75h-.01Z","clip-rule":"evenodd"})])}function po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13 4.5a2.5 2.5 0 1 1 .702 1.737L6.97 9.604a2.518 2.518 0 0 1 0 .792l6.733 3.367a2.5 2.5 0 1 1-.671 1.341l-6.733-3.367a2.5 2.5 0 1 1 0-3.475l6.733-3.366A2.52 2.52 0 0 1 13 4.5Z"})])}function fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.661 2.237a.531.531 0 0 1 .678 0 11.947 11.947 0 0 0 7.078 2.749.5.5 0 0 1 .479.425c.069.52.104 1.05.104 1.59 0 5.162-3.26 9.563-7.834 11.256a.48.48 0 0 1-.332 0C5.26 16.564 2 12.163 2 7c0-.538.035-1.069.104-1.589a.5.5 0 0 1 .48-.425 11.947 11.947 0 0 0 7.077-2.75Zm4.196 5.954a.75.75 0 0 0-1.214-.882l-3.483 4.79-1.88-1.88a.75.75 0 1 0-1.06 1.061l2.5 2.5a.75.75 0 0 0 1.137-.089l4-5.5Z","clip-rule":"evenodd"})])}function mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.339 2.237a.531.531 0 0 0-.678 0 11.947 11.947 0 0 1-7.078 2.75.5.5 0 0 0-.479.425A12.11 12.11 0 0 0 2 7c0 5.163 3.26 9.564 7.834 11.257a.48.48 0 0 0 .332 0C14.74 16.564 18 12.163 18 7c0-.538-.035-1.069-.104-1.589a.5.5 0 0 0-.48-.425 11.947 11.947 0 0 1-7.077-2.75ZM10 6a.75.75 0 0 1 .75.75v3.5a.75.75 0 0 1-1.5 0v-3.5A.75.75 0 0 1 10 6Zm0 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 5v1H4.667a1.75 1.75 0 0 0-1.743 1.598l-.826 9.5A1.75 1.75 0 0 0 3.84 19H16.16a1.75 1.75 0 0 0 1.743-1.902l-.826-9.5A1.75 1.75 0 0 0 15.333 6H14V5a4 4 0 0 0-8 0Zm4-2.5A2.5 2.5 0 0 0 7.5 5v1h5V5A2.5 2.5 0 0 0 10 2.5ZM7.5 10a2.5 2.5 0 0 0 5 0V8.75a.75.75 0 0 1 1.5 0V10a4 4 0 0 1-8 0V8.75a.75.75 0 0 1 1.5 0V10Z","clip-rule":"evenodd"})])}function go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 1.75A.75.75 0 0 1 1.75 1h1.628a1.75 1.75 0 0 1 1.734 1.51L5.18 3a65.25 65.25 0 0 1 13.36 1.412.75.75 0 0 1 .58.875 48.645 48.645 0 0 1-1.618 6.2.75.75 0 0 1-.712.513H6a2.503 2.503 0 0 0-2.292 1.5H17.25a.75.75 0 0 1 0 1.5H2.76a.75.75 0 0 1-.748-.807 4.002 4.002 0 0 1 2.716-3.486L3.626 2.716a.25.25 0 0 0-.248-.216H1.75A.75.75 0 0 1 1 1.75ZM6 17.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0ZM15.5 19a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3Z"})])}function wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.22 2.22a.75.75 0 0 1 1.06 0l6.783 6.782a1 1 0 0 1 .935.935l6.782 6.783a.75.75 0 1 1-1.06 1.06l-6.783-6.782a1 1 0 0 1-.935-.935L2.22 3.28a.75.75 0 0 1 0-1.06ZM3.636 16.364a9.004 9.004 0 0 1-1.39-10.936L3.349 6.53a7.503 7.503 0 0 0 1.348 8.773.75.75 0 0 1-1.061 1.061ZM6.464 13.536a5 5 0 0 1-1.213-5.103l1.262 1.262a3.493 3.493 0 0 0 1.012 2.78.75.75 0 0 1-1.06 1.06ZM16.364 3.636a9.004 9.004 0 0 1 1.39 10.937l-1.103-1.104a7.503 7.503 0 0 0-1.348-8.772.75.75 0 1 1 1.061-1.061ZM13.536 6.464a5 5 0 0 1 1.213 5.103l-1.262-1.262a3.493 3.493 0 0 0-1.012-2.78.75.75 0 0 1 1.06-1.06Z"})])}function yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M16.364 3.636a.75.75 0 0 0-1.06 1.06 7.5 7.5 0 0 1 0 10.607.75.75 0 0 0 1.06 1.061 9 9 0 0 0 0-12.728ZM4.697 4.697a.75.75 0 0 0-1.061-1.061 9 9 0 0 0 0 12.728.75.75 0 1 0 1.06-1.06 7.5 7.5 0 0 1 0-10.607Z"}),(0,r.createElementVNode)("path",{d:"M12.475 6.464a.75.75 0 0 1 1.06 0 5 5 0 0 1 0 7.072.75.75 0 0 1-1.06-1.061 3.5 3.5 0 0 0 0-4.95.75.75 0 0 1 0-1.06ZM7.525 6.464a.75.75 0 0 1 0 1.061 3.5 3.5 0 0 0 0 4.95.75.75 0 0 1-1.06 1.06 5 5 0 0 1 0-7.07.75.75 0 0 1 1.06 0ZM11 10a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z"})])}function bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.528 3.047a.75.75 0 0 1 .449.961L8.433 16.504a.75.75 0 1 1-1.41-.512l4.544-12.496a.75.75 0 0 1 .961-.449Z","clip-rule":"evenodd"})])}function xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M15.98 1.804a1 1 0 0 0-1.96 0l-.24 1.192a1 1 0 0 1-.784.785l-1.192.238a1 1 0 0 0 0 1.962l1.192.238a1 1 0 0 1 .785.785l.238 1.192a1 1 0 0 0 1.962 0l.238-1.192a1 1 0 0 1 .785-.785l1.192-.238a1 1 0 0 0 0-1.962l-1.192-.238a1 1 0 0 1-.785-.785l-.238-1.192ZM6.949 5.684a1 1 0 0 0-1.898 0l-.683 2.051a1 1 0 0 1-.633.633l-2.051.683a1 1 0 0 0 0 1.898l2.051.684a1 1 0 0 1 .633.632l.683 2.051a1 1 0 0 0 1.898 0l.683-2.051a1 1 0 0 1 .633-.633l2.051-.683a1 1 0 0 0 0-1.898l-2.051-.683a1 1 0 0 1-.633-.633L6.95 5.684ZM13.949 13.684a1 1 0 0 0-1.898 0l-.184.551a1 1 0 0 1-.632.633l-.551.183a1 1 0 0 0 0 1.898l.551.183a1 1 0 0 1 .633.633l.183.551a1 1 0 0 0 1.898 0l.184-.551a1 1 0 0 1 .632-.633l.551-.183a1 1 0 0 0 0-1.898l-.551-.184a1 1 0 0 1-.633-.632l-.183-.551Z"})])}function ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.5 3.75a.75.75 0 0 0-1.264-.546L5.203 7H2.667a.75.75 0 0 0-.7.48A6.985 6.985 0 0 0 1.5 10c0 .887.165 1.737.468 2.52.111.29.39.48.7.48h2.535l4.033 3.796a.75.75 0 0 0 1.264-.546V3.75ZM16.45 5.05a.75.75 0 0 0-1.06 1.061 5.5 5.5 0 0 1 0 7.778.75.75 0 0 0 1.06 1.06 7 7 0 0 0 0-9.899Z"}),(0,r.createElementVNode)("path",{d:"M14.329 7.172a.75.75 0 0 0-1.061 1.06 2.5 2.5 0 0 1 0 3.536.75.75 0 0 0 1.06 1.06 4 4 0 0 0 0-5.656Z"})])}function Eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.047 3.062a.75.75 0 0 1 .453.688v12.5a.75.75 0 0 1-1.264.546L5.203 13H2.667a.75.75 0 0 1-.7-.48A6.985 6.985 0 0 1 1.5 10c0-.887.165-1.737.468-2.52a.75.75 0 0 1 .7-.48h2.535l4.033-3.796a.75.75 0 0 1 .811-.142ZM13.78 7.22a.75.75 0 1 0-1.06 1.06L14.44 10l-1.72 1.72a.75.75 0 0 0 1.06 1.06l1.72-1.72 1.72 1.72a.75.75 0 1 0 1.06-1.06L16.56 10l1.72-1.72a.75.75 0 0 0-1.06-1.06L15.5 8.94l-1.72-1.72Z"})])}function Ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 4.25A2.25 2.25 0 0 1 4.25 2h6.5A2.25 2.25 0 0 1 13 4.25V5.5H9.25A3.75 3.75 0 0 0 5.5 9.25V13H4.25A2.25 2.25 0 0 1 2 10.75v-6.5Z"}),(0,r.createElementVNode)("path",{d:"M9.25 7A2.25 2.25 0 0 0 7 9.25v6.5A2.25 2.25 0 0 0 9.25 18h6.5A2.25 2.25 0 0 0 18 15.75v-6.5A2.25 2.25 0 0 0 15.75 7h-6.5Z"})])}function Co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m3.196 12.87-.825.483a.75.75 0 0 0 0 1.294l7.25 4.25a.75.75 0 0 0 .758 0l7.25-4.25a.75.75 0 0 0 0-1.294l-.825-.484-5.666 3.322a2.25 2.25 0 0 1-2.276 0L3.196 12.87Z"}),(0,r.createElementVNode)("path",{d:"m3.196 8.87-.825.483a.75.75 0 0 0 0 1.294l7.25 4.25a.75.75 0 0 0 .758 0l7.25-4.25a.75.75 0 0 0 0-1.294l-.825-.484-5.666 3.322a2.25 2.25 0 0 1-2.276 0L3.196 8.87Z"}),(0,r.createElementVNode)("path",{d:"M10.38 1.103a.75.75 0 0 0-.76 0l-7.25 4.25a.75.75 0 0 0 0 1.294l7.25 4.25a.75.75 0 0 0 .76 0l7.25-4.25a.75.75 0 0 0 0-1.294l-7.25-4.25Z"})])}function Bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.25 2A2.25 2.25 0 0 0 2 4.25v2.5A2.25 2.25 0 0 0 4.25 9h2.5A2.25 2.25 0 0 0 9 6.75v-2.5A2.25 2.25 0 0 0 6.75 2h-2.5Zm0 9A2.25 2.25 0 0 0 2 13.25v2.5A2.25 2.25 0 0 0 4.25 18h2.5A2.25 2.25 0 0 0 9 15.75v-2.5A2.25 2.25 0 0 0 6.75 11h-2.5Zm9-9A2.25 2.25 0 0 0 11 4.25v2.5A2.25 2.25 0 0 0 13.25 9h2.5A2.25 2.25 0 0 0 18 6.75v-2.5A2.25 2.25 0 0 0 15.75 2h-2.5Zm0 9A2.25 2.25 0 0 0 11 13.25v2.5A2.25 2.25 0 0 0 13.25 18h2.5A2.25 2.25 0 0 0 18 15.75v-2.5A2.25 2.25 0 0 0 15.75 11h-2.5Z","clip-rule":"evenodd"})])}function Mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 4.25A2.25 2.25 0 0 1 4.25 2h2.5A2.25 2.25 0 0 1 9 4.25v2.5A2.25 2.25 0 0 1 6.75 9h-2.5A2.25 2.25 0 0 1 2 6.75v-2.5ZM2 13.25A2.25 2.25 0 0 1 4.25 11h2.5A2.25 2.25 0 0 1 9 13.25v2.5A2.25 2.25 0 0 1 6.75 18h-2.5A2.25 2.25 0 0 1 2 15.75v-2.5ZM11 4.25A2.25 2.25 0 0 1 13.25 2h2.5A2.25 2.25 0 0 1 18 4.25v2.5A2.25 2.25 0 0 1 15.75 9h-2.5A2.25 2.25 0 0 1 11 6.75v-2.5ZM15.25 11.75a.75.75 0 0 0-1.5 0v2h-2a.75.75 0 0 0 0 1.5h2v2a.75.75 0 0 0 1.5 0v-2h2a.75.75 0 0 0 0-1.5h-2v-2Z"})])}function _o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.868 2.884c-.321-.772-1.415-.772-1.736 0l-1.83 4.401-4.753.381c-.833.067-1.171 1.107-.536 1.651l3.62 3.102-1.106 4.637c-.194.813.691 1.456 1.405 1.02L10 15.591l4.069 2.485c.713.436 1.598-.207 1.404-1.02l-1.106-4.637 3.62-3.102c.635-.544.297-1.584-.536-1.65l-4.752-.382-1.831-4.401Z","clip-rule":"evenodd"})])}function So(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 10a8 8 0 1 1 16 0 8 8 0 0 1-16 0Zm5-2.25A.75.75 0 0 1 7.75 7h4.5a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-.75.75h-4.5a.75.75 0 0 1-.75-.75v-4.5Z","clip-rule":"evenodd"})])}function No(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.25 3A2.25 2.25 0 0 0 3 5.25v9.5A2.25 2.25 0 0 0 5.25 17h9.5A2.25 2.25 0 0 0 17 14.75v-9.5A2.25 2.25 0 0 0 14.75 3h-9.5Z"})])}function Vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function Lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 2a.75.75 0 0 1 .75.75v1.5a.75.75 0 0 1-1.5 0v-1.5A.75.75 0 0 1 10 2ZM10 15a.75.75 0 0 1 .75.75v1.5a.75.75 0 0 1-1.5 0v-1.5A.75.75 0 0 1 10 15ZM10 7a3 3 0 1 0 0 6 3 3 0 0 0 0-6ZM15.657 5.404a.75.75 0 1 0-1.06-1.06l-1.061 1.06a.75.75 0 0 0 1.06 1.06l1.06-1.06ZM6.464 14.596a.75.75 0 1 0-1.06-1.06l-1.06 1.06a.75.75 0 0 0 1.06 1.06l1.06-1.06ZM18 10a.75.75 0 0 1-.75.75h-1.5a.75.75 0 0 1 0-1.5h1.5A.75.75 0 0 1 18 10ZM5 10a.75.75 0 0 1-.75.75h-1.5a.75.75 0 0 1 0-1.5h1.5A.75.75 0 0 1 5 10ZM14.596 15.657a.75.75 0 0 0 1.06-1.06l-1.06-1.061a.75.75 0 1 0-1.06 1.06l1.06 1.06ZM5.404 6.464a.75.75 0 0 0 1.06-1.06l-1.06-1.06a.75.75 0 1 0-1.061 1.06l1.06 1.06Z"})])}function To(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.5 2A1.5 1.5 0 0 0 2 3.5V15a3 3 0 1 0 6 0V3.5A1.5 1.5 0 0 0 6.5 2h-3Zm11.753 6.99L9.5 14.743V6.257l1.51-1.51a1.5 1.5 0 0 1 2.122 0l2.121 2.121a1.5 1.5 0 0 1 0 2.122ZM8.364 18H16.5a1.5 1.5 0 0 0 1.5-1.5v-3a1.5 1.5 0 0 0-1.5-1.5h-2.136l-6 6ZM5 16a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function Io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function Zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A2.5 2.5 0 0 0 2 4.5v3.879a2.5 2.5 0 0 0 .732 1.767l7.5 7.5a2.5 2.5 0 0 0 3.536 0l3.878-3.878a2.5 2.5 0 0 0 0-3.536l-7.5-7.5A2.5 2.5 0 0 0 8.38 2H4.5ZM5 6a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function Oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.75 3A2.25 2.25 0 0 1 18 5.25v1.214c0 .423-.277.788-.633 1.019A2.997 2.997 0 0 0 16 10c0 1.055.544 1.982 1.367 2.517.356.231.633.596.633 1.02v1.213A2.25 2.25 0 0 1 15.75 17H4.25A2.25 2.25 0 0 1 2 14.75v-1.213c0-.424.277-.789.633-1.02A2.998 2.998 0 0 0 4 10a2.997 2.997 0 0 0-1.367-2.517C2.277 7.252 2 6.887 2 6.463V5.25A2.25 2.25 0 0 1 4.25 3h11.5ZM13.5 7.396a.75.75 0 0 0-1.5 0v1.042a.75.75 0 0 0 1.5 0V7.396Zm0 4.167a.75.75 0 0 0-1.5 0v1.041a.75.75 0 0 0 1.5 0v-1.041Z","clip-rule":"evenodd"})])}function Do(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.75 1A2.75 2.75 0 0 0 6 3.75v.443c-.795.077-1.584.176-2.365.298a.75.75 0 1 0 .23 1.482l.149-.022.841 10.518A2.75 2.75 0 0 0 7.596 19h4.807a2.75 2.75 0 0 0 2.742-2.53l.841-10.52.149.023a.75.75 0 0 0 .23-1.482A41.03 41.03 0 0 0 14 4.193V3.75A2.75 2.75 0 0 0 11.25 1h-2.5ZM10 4c.84 0 1.673.025 2.5.075V3.75c0-.69-.56-1.25-1.25-1.25h-2.5c-.69 0-1.25.56-1.25 1.25v.325C8.327 4.025 9.16 4 10 4ZM8.58 7.72a.75.75 0 0 0-1.5.06l.3 7.5a.75.75 0 1 0 1.5-.06l-.3-7.5Zm4.34.06a.75.75 0 1 0-1.5-.06l-.3 7.5a.75.75 0 1 0 1.5.06l.3-7.5Z","clip-rule":"evenodd"})])}function Ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 1c-1.828 0-3.623.149-5.371.435a.75.75 0 0 0-.629.74v.387c-.827.157-1.642.345-2.445.564a.75.75 0 0 0-.552.698 5 5 0 0 0 4.503 5.152 6 6 0 0 0 2.946 1.822A6.451 6.451 0 0 1 7.768 13H7.5A1.5 1.5 0 0 0 6 14.5V17h-.75C4.56 17 4 17.56 4 18.25c0 .414.336.75.75.75h10.5a.75.75 0 0 0 .75-.75c0-.69-.56-1.25-1.25-1.25H14v-2.5a1.5 1.5 0 0 0-1.5-1.5h-.268a6.453 6.453 0 0 1-.684-2.202 6 6 0 0 0 2.946-1.822 5 5 0 0 0 4.503-5.152.75.75 0 0 0-.552-.698A31.804 31.804 0 0 0 16 2.562v-.387a.75.75 0 0 0-.629-.74A33.227 33.227 0 0 0 10 1ZM2.525 4.422C3.012 4.3 3.504 4.19 4 4.09V5c0 .74.134 1.448.38 2.103a3.503 3.503 0 0 1-1.855-2.68Zm14.95 0a3.503 3.503 0 0 1-1.854 2.68C15.866 6.449 16 5.74 16 5v-.91c.496.099.988.21 1.475.332Z","clip-rule":"evenodd"})])}function Ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.5 3c-1.051 0-2.093.04-3.125.117A1.49 1.49 0 0 0 2 4.607V10.5h9V4.606c0-.771-.59-1.43-1.375-1.489A41.568 41.568 0 0 0 6.5 3ZM2 12v2.5A1.5 1.5 0 0 0 3.5 16h.041a3 3 0 0 1 5.918 0h.791a.75.75 0 0 0 .75-.75V12H2Z"}),(0,r.createElementVNode)("path",{d:"M6.5 18a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3ZM13.25 5a.75.75 0 0 0-.75.75v8.514a3.001 3.001 0 0 1 4.893 1.44c.37-.275.61-.719.595-1.227a24.905 24.905 0 0 0-1.784-8.549A1.486 1.486 0 0 0 14.823 5H13.25ZM14.5 18a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3Z"})])}function Po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4 5h12v7H4V5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 3.5A1.5 1.5 0 0 1 2.5 2h15A1.5 1.5 0 0 1 19 3.5v10a1.5 1.5 0 0 1-1.5 1.5H12v1.5h3.25a.75.75 0 0 1 0 1.5H4.75a.75.75 0 0 1 0-1.5H8V15H2.5A1.5 1.5 0 0 1 1 13.5v-10Zm16.5 0h-15v10h15v-10Z","clip-rule":"evenodd"})])}function jo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.75 2a.75.75 0 0 1 .75.75V9a4.5 4.5 0 1 0 9 0V2.75a.75.75 0 0 1 1.5 0V9A6 6 0 0 1 4 9V2.75A.75.75 0 0 1 4.75 2ZM2 17.25a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function Fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0Zm-5.5-2.5a2.5 2.5 0 1 1-5 0 2.5 2.5 0 0 1 5 0ZM10 12a5.99 5.99 0 0 0-4.793 2.39A6.483 6.483 0 0 0 10 16.5a6.483 6.483 0 0 0 4.793-2.11A5.99 5.99 0 0 0 10 12Z","clip-rule":"evenodd"})])}function zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 9a3 3 0 1 0 0-6 3 3 0 0 0 0 6ZM6 8a2 2 0 1 1-4 0 2 2 0 0 1 4 0ZM1.49 15.326a.78.78 0 0 1-.358-.442 3 3 0 0 1 4.308-3.516 6.484 6.484 0 0 0-1.905 3.959c-.023.222-.014.442.025.654a4.97 4.97 0 0 1-2.07-.655ZM16.44 15.98a4.97 4.97 0 0 0 2.07-.654.78.78 0 0 0 .357-.442 3 3 0 0 0-4.308-3.517 6.484 6.484 0 0 1 1.907 3.96 2.32 2.32 0 0 1-.026.654ZM18 8a2 2 0 1 1-4 0 2 2 0 0 1 4 0ZM5.304 16.19a.844.844 0 0 1-.277-.71 5 5 0 0 1 9.947 0 .843.843 0 0 1-.277.71A6.975 6.975 0 0 1 10 18a6.974 6.974 0 0 1-4.696-1.81Z"})])}function qo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11 5a3 3 0 1 1-6 0 3 3 0 0 1 6 0ZM2.046 15.253c-.058.468.172.92.57 1.175A9.953 9.953 0 0 0 8 18c1.982 0 3.83-.578 5.384-1.573.398-.254.628-.707.57-1.175a6.001 6.001 0 0 0-11.908 0ZM12.75 7.75a.75.75 0 0 0 0 1.5h5.5a.75.75 0 0 0 0-1.5h-5.5Z"})])}function Uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 5a3 3 0 1 1-6 0 3 3 0 0 1 6 0ZM1.615 16.428a1.224 1.224 0 0 1-.569-1.175 6.002 6.002 0 0 1 11.908 0c.058.467-.172.92-.57 1.174A9.953 9.953 0 0 1 7 18a9.953 9.953 0 0 1-5.385-1.572ZM16.25 5.75a.75.75 0 0 0-1.5 0v2h-2a.75.75 0 0 0 0 1.5h2v2a.75.75 0 0 0 1.5 0v-2h2a.75.75 0 0 0 0-1.5h-2v-2Z"})])}function $o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 8a3 3 0 1 0 0-6 3 3 0 0 0 0 6ZM3.465 14.493a1.23 1.23 0 0 0 .41 1.412A9.957 9.957 0 0 0 10 18c2.31 0 4.438-.784 6.131-2.1.43-.333.604-.903.408-1.41a7.002 7.002 0 0 0-13.074.003Z"})])}function Wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7 8a3 3 0 1 0 0-6 3 3 0 0 0 0 6ZM14.5 9a2.5 2.5 0 1 0 0-5 2.5 2.5 0 0 0 0 5ZM1.615 16.428a1.224 1.224 0 0 1-.569-1.175 6.002 6.002 0 0 1 11.908 0c.058.467-.172.92-.57 1.174A9.953 9.953 0 0 1 7 18a9.953 9.953 0 0 1-5.385-1.572ZM14.5 16h-.106c.07-.297.088-.611.048-.933a7.47 7.47 0 0 0-1.588-3.755 4.502 4.502 0 0 1 5.874 2.636.818.818 0 0 1-.36.98A7.465 7.465 0 0 1 14.5 16Z"})])}function Go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.212 2.079a.75.75 0 0 1 1.006.336A16.932 16.932 0 0 1 18 10c0 2.724-.641 5.3-1.782 7.585a.75.75 0 1 1-1.342-.67A15.432 15.432 0 0 0 16.5 10c0-2.486-.585-4.834-1.624-6.915a.75.75 0 0 1 .336-1.006Zm-10.424 0a.75.75 0 0 1 .336 1.006A15.433 15.433 0 0 0 3.5 10c0 2.486.585 4.834 1.624 6.915a.75.75 0 1 1-1.342.67A16.933 16.933 0 0 1 2 10c0-2.724.641-5.3 1.782-7.585a.75.75 0 0 1 1.006-.336Zm2.285 3.554a1.5 1.5 0 0 1 2.219.677l.856 2.08 1.146-1.77a2.25 2.25 0 0 1 3.137-.65l.235.156a.75.75 0 1 1-.832 1.248l-.235-.156a.75.75 0 0 0-1.045.216l-1.71 2.644 1.251 3.04.739-.492a.75.75 0 1 1 .832 1.248l-.739.493a1.5 1.5 0 0 1-2.219-.677l-.856-2.08-1.146 1.77a2.25 2.25 0 0 1-3.137.65l-.235-.156a.75.75 0 0 1 .832-1.248l.235.157a.75.75 0 0 0 1.045-.217l1.71-2.644-1.251-3.04-.739.492a.75.75 0 0 1-.832-1.248l.739-.493Z","clip-rule":"evenodd"})])}function Ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 13.75V7.182L9.818 16H3.25A2.25 2.25 0 0 1 1 13.75ZM13 6.25v6.568L4.182 4h6.568A2.25 2.25 0 0 1 13 6.25ZM19 4.75a.75.75 0 0 0-1.28-.53l-3 3a.75.75 0 0 0-.22.53v4.5c0 .199.079.39.22.53l3 3a.75.75 0 0 0 1.28-.53V4.75ZM2.28 4.22a.75.75 0 0 0-1.06 1.06l10.5 10.5a.75.75 0 1 0 1.06-1.06L2.28 4.22Z"})])}function Yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.25 4A2.25 2.25 0 0 0 1 6.25v7.5A2.25 2.25 0 0 0 3.25 16h7.5A2.25 2.25 0 0 0 13 13.75v-7.5A2.25 2.25 0 0 0 10.75 4h-7.5ZM19 4.75a.75.75 0 0 0-1.28-.53l-3 3a.75.75 0 0 0-.22.53v4.5c0 .199.079.39.22.53l3 3a.75.75 0 0 0 1.28-.53V4.75Z"})])}function Xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M14 17h2.75A2.25 2.25 0 0 0 19 14.75v-9.5A2.25 2.25 0 0 0 16.75 3H14v14ZM12.5 3h-5v14h5V3ZM3.25 3H6v14H3.25A2.25 2.25 0 0 1 1 14.75v-9.5A2.25 2.25 0 0 1 3.25 3Z"})])}function Jo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.25 2A2.25 2.25 0 0 0 2 4.25v2a.75.75 0 0 0 1.5 0v-2a.75.75 0 0 1 .75-.75h2a.75.75 0 0 0 0-1.5h-2ZM13.75 2a.75.75 0 0 0 0 1.5h2a.75.75 0 0 1 .75.75v2a.75.75 0 0 0 1.5 0v-2A2.25 2.25 0 0 0 15.75 2h-2ZM3.5 13.75a.75.75 0 0 0-1.5 0v2A2.25 2.25 0 0 0 4.25 18h2a.75.75 0 0 0 0-1.5h-2a.75.75 0 0 1-.75-.75v-2ZM18 13.75a.75.75 0 0 0-1.5 0v2a.75.75 0 0 1-.75.75h-2a.75.75 0 0 0 0 1.5h2A2.25 2.25 0 0 0 18 15.75v-2ZM7 10a3 3 0 1 1 6 0 3 3 0 0 1-6 0Z"})])}function Qo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 4.25a3.733 3.733 0 0 1 2.25-.75h13.5c.844 0 1.623.279 2.25.75A2.25 2.25 0 0 0 16.75 2H3.25A2.25 2.25 0 0 0 1 4.25ZM1 7.25a3.733 3.733 0 0 1 2.25-.75h13.5c.844 0 1.623.279 2.25.75A2.25 2.25 0 0 0 16.75 5H3.25A2.25 2.25 0 0 0 1 7.25ZM7 8a1 1 0 0 1 1 1 2 2 0 1 0 4 0 1 1 0 0 1 1-1h3.75A2.25 2.25 0 0 1 19 10.25v5.5A2.25 2.25 0 0 1 16.75 18H3.25A2.25 2.25 0 0 1 1 15.75v-5.5A2.25 2.25 0 0 1 3.25 8H7Z"})])}function ei(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M.676 6.941A12.964 12.964 0 0 1 10 3c3.657 0 6.963 1.511 9.324 3.941a.75.75 0 0 1-.008 1.053l-.353.354a.75.75 0 0 1-1.069-.008C15.894 6.28 13.097 5 10 5 6.903 5 4.106 6.28 2.106 8.34a.75.75 0 0 1-1.069.008l-.353-.354a.75.75 0 0 1-.008-1.053Zm2.825 2.833A8.976 8.976 0 0 1 10 7a8.976 8.976 0 0 1 6.499 2.774.75.75 0 0 1-.011 1.049l-.354.354a.75.75 0 0 1-1.072-.012A6.978 6.978 0 0 0 10 9c-1.99 0-3.786.83-5.061 2.165a.75.75 0 0 1-1.073.012l-.354-.354a.75.75 0 0 1-.01-1.05Zm2.82 2.84A4.989 4.989 0 0 1 10 11c1.456 0 2.767.623 3.68 1.614a.75.75 0 0 1-.022 1.039l-.354.354a.75.75 0 0 1-1.085-.026A2.99 2.99 0 0 0 10 13c-.88 0-1.67.377-2.22.981a.75.75 0 0 1-1.084.026l-.354-.354a.75.75 0 0 1-.021-1.039Zm2.795 2.752a1.248 1.248 0 0 1 1.768 0 .75.75 0 0 1 0 1.06l-.354.354a.75.75 0 0 1-1.06 0l-.354-.353a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function ti(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.25 2A2.25 2.25 0 0 0 2 4.25v11.5A2.25 2.25 0 0 0 4.25 18h11.5A2.25 2.25 0 0 0 18 15.75V4.25A2.25 2.25 0 0 0 15.75 2H4.25ZM3.5 8v7.75c0 .414.336.75.75.75h11.5a.75.75 0 0 0 .75-.75V8h-13ZM5 4.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V5a.75.75 0 0 0-.75-.75H5ZM7.25 5A.75.75 0 0 1 8 4.25h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H8a.75.75 0 0 1-.75-.75V5ZM11 4.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V5a.75.75 0 0 0-.75-.75H11Z","clip-rule":"evenodd"})])}function ni(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.5 10a4.5 4.5 0 0 0 4.284-5.882c-.105-.324-.51-.391-.752-.15L15.34 6.66a.454.454 0 0 1-.493.11 3.01 3.01 0 0 1-1.618-1.616.455.455 0 0 1 .11-.494l2.694-2.692c.24-.241.174-.647-.15-.752a4.5 4.5 0 0 0-5.873 4.575c.055.873-.128 1.808-.8 2.368l-7.23 6.024a2.724 2.724 0 1 0 3.837 3.837l6.024-7.23c.56-.672 1.495-.855 2.368-.8.096.007.193.01.291.01ZM5 16a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.5 11.5c.173 0 .345-.007.514-.022l3.754 3.754a2.5 2.5 0 0 1-3.536 3.536l-4.41-4.41 2.172-2.607c.052-.063.147-.138.342-.196.202-.06.469-.087.777-.067.128.008.257.012.387.012ZM6 4.586l2.33 2.33a.452.452 0 0 1-.08.09L6.8 8.214 4.586 6H3.309a.5.5 0 0 1-.447-.276l-1.7-3.402a.5.5 0 0 1 .093-.577l.49-.49a.5.5 0 0 1 .577-.094l3.402 1.7A.5.5 0 0 1 6 3.31v1.277Z"})])}function ri(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19 5.5a4.5 4.5 0 0 1-4.791 4.49c-.873-.055-1.808.128-2.368.8l-6.024 7.23a2.724 2.724 0 1 1-3.837-3.837L9.21 8.16c.672-.56.855-1.495.8-2.368a4.5 4.5 0 0 1 5.873-4.575c.324.105.39.51.15.752L13.34 4.66a.455.455 0 0 0-.11.494 3.01 3.01 0 0 0 1.617 1.617c.17.07.363.02.493-.111l2.692-2.692c.241-.241.647-.174.752.15.14.435.216.9.216 1.382ZM4 17a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function oi(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM8.28 7.22a.75.75 0 0 0-1.06 1.06L8.94 10l-1.72 1.72a.75.75 0 1 0 1.06 1.06L10 11.06l1.72 1.72a.75.75 0 1 0 1.06-1.06L11.06 10l1.72-1.72a.75.75 0 0 0-1.06-1.06L10 8.94 8.28 7.22Z","clip-rule":"evenodd"})])}function ii(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.28 5.22a.75.75 0 0 0-1.06 1.06L8.94 10l-3.72 3.72a.75.75 0 1 0 1.06 1.06L10 11.06l3.72 3.72a.75.75 0 1 0 1.06-1.06L11.06 10l3.72-3.72a.75.75 0 0 0-1.06-1.06L10 8.94 6.28 5.22Z"})])}},11982:(e,t,n)=>{"use strict";n.r(t),n.d(t,{AcademicCapIcon:()=>o,AdjustmentsHorizontalIcon:()=>i,AdjustmentsVerticalIcon:()=>a,ArchiveBoxArrowDownIcon:()=>l,ArchiveBoxIcon:()=>c,ArchiveBoxXMarkIcon:()=>s,ArrowDownCircleIcon:()=>u,ArrowDownIcon:()=>v,ArrowDownLeftIcon:()=>d,ArrowDownOnSquareIcon:()=>p,ArrowDownOnSquareStackIcon:()=>h,ArrowDownRightIcon:()=>f,ArrowDownTrayIcon:()=>m,ArrowLeftCircleIcon:()=>g,ArrowLeftEndOnRectangleIcon:()=>w,ArrowLeftIcon:()=>x,ArrowLeftOnRectangleIcon:()=>y,ArrowLeftStartOnRectangleIcon:()=>b,ArrowLongDownIcon:()=>k,ArrowLongLeftIcon:()=>E,ArrowLongRightIcon:()=>A,ArrowLongUpIcon:()=>C,ArrowPathIcon:()=>M,ArrowPathRoundedSquareIcon:()=>B,ArrowRightCircleIcon:()=>_,ArrowRightEndOnRectangleIcon:()=>S,ArrowRightIcon:()=>L,ArrowRightOnRectangleIcon:()=>N,ArrowRightStartOnRectangleIcon:()=>V,ArrowSmallDownIcon:()=>T,ArrowSmallLeftIcon:()=>I,ArrowSmallRightIcon:()=>Z,ArrowSmallUpIcon:()=>O,ArrowTopRightOnSquareIcon:()=>D,ArrowTrendingDownIcon:()=>R,ArrowTrendingUpIcon:()=>H,ArrowTurnDownLeftIcon:()=>P,ArrowTurnDownRightIcon:()=>j,ArrowTurnLeftDownIcon:()=>F,ArrowTurnLeftUpIcon:()=>z,ArrowTurnRightDownIcon:()=>q,ArrowTurnRightUpIcon:()=>U,ArrowTurnUpLeftIcon:()=>$,ArrowTurnUpRightIcon:()=>W,ArrowUpCircleIcon:()=>G,ArrowUpIcon:()=>ee,ArrowUpLeftIcon:()=>K,ArrowUpOnSquareIcon:()=>X,ArrowUpOnSquareStackIcon:()=>Y,ArrowUpRightIcon:()=>J,ArrowUpTrayIcon:()=>Q,ArrowUturnDownIcon:()=>te,ArrowUturnLeftIcon:()=>ne,ArrowUturnRightIcon:()=>re,ArrowUturnUpIcon:()=>oe,ArrowsPointingInIcon:()=>ie,ArrowsPointingOutIcon:()=>ae,ArrowsRightLeftIcon:()=>le,ArrowsUpDownIcon:()=>se,AtSymbolIcon:()=>ce,BackspaceIcon:()=>ue,BackwardIcon:()=>de,BanknotesIcon:()=>he,Bars2Icon:()=>pe,Bars3BottomLeftIcon:()=>fe,Bars3BottomRightIcon:()=>me,Bars3CenterLeftIcon:()=>ve,Bars3Icon:()=>ge,Bars4Icon:()=>we,BarsArrowDownIcon:()=>ye,BarsArrowUpIcon:()=>be,Battery0Icon:()=>xe,Battery100Icon:()=>ke,Battery50Icon:()=>Ee,BeakerIcon:()=>Ae,BellAlertIcon:()=>Ce,BellIcon:()=>_e,BellSlashIcon:()=>Be,BellSnoozeIcon:()=>Me,BoldIcon:()=>Se,BoltIcon:()=>Ve,BoltSlashIcon:()=>Ne,BookOpenIcon:()=>Le,BookmarkIcon:()=>Ze,BookmarkSlashIcon:()=>Te,BookmarkSquareIcon:()=>Ie,BriefcaseIcon:()=>Oe,BugAntIcon:()=>De,BuildingLibraryIcon:()=>Re,BuildingOffice2Icon:()=>He,BuildingOfficeIcon:()=>Pe,BuildingStorefrontIcon:()=>je,CakeIcon:()=>Fe,CalculatorIcon:()=>ze,CalendarDateRangeIcon:()=>qe,CalendarDaysIcon:()=>Ue,CalendarIcon:()=>$e,CameraIcon:()=>We,ChartBarIcon:()=>Ke,ChartBarSquareIcon:()=>Ge,ChartPieIcon:()=>Ye,ChatBubbleBottomCenterIcon:()=>Je,ChatBubbleBottomCenterTextIcon:()=>Xe,ChatBubbleLeftEllipsisIcon:()=>Qe,ChatBubbleLeftIcon:()=>tt,ChatBubbleLeftRightIcon:()=>et,ChatBubbleOvalLeftEllipsisIcon:()=>nt,ChatBubbleOvalLeftIcon:()=>rt,CheckBadgeIcon:()=>ot,CheckCircleIcon:()=>it,CheckIcon:()=>at,ChevronDoubleDownIcon:()=>lt,ChevronDoubleLeftIcon:()=>st,ChevronDoubleRightIcon:()=>ct,ChevronDoubleUpIcon:()=>ut,ChevronDownIcon:()=>dt,ChevronLeftIcon:()=>ht,ChevronRightIcon:()=>pt,ChevronUpDownIcon:()=>ft,ChevronUpIcon:()=>mt,CircleStackIcon:()=>vt,ClipboardDocumentCheckIcon:()=>gt,ClipboardDocumentIcon:()=>yt,ClipboardDocumentListIcon:()=>wt,ClipboardIcon:()=>bt,ClockIcon:()=>xt,CloudArrowDownIcon:()=>kt,CloudArrowUpIcon:()=>Et,CloudIcon:()=>At,CodeBracketIcon:()=>Bt,CodeBracketSquareIcon:()=>Ct,Cog6ToothIcon:()=>Mt,Cog8ToothIcon:()=>_t,CogIcon:()=>St,CommandLineIcon:()=>Nt,ComputerDesktopIcon:()=>Vt,CpuChipIcon:()=>Lt,CreditCardIcon:()=>Tt,CubeIcon:()=>Zt,CubeTransparentIcon:()=>It,CurrencyBangladeshiIcon:()=>Ot,CurrencyDollarIcon:()=>Dt,CurrencyEuroIcon:()=>Rt,CurrencyPoundIcon:()=>Ht,CurrencyRupeeIcon:()=>Pt,CurrencyYenIcon:()=>jt,CursorArrowRaysIcon:()=>Ft,CursorArrowRippleIcon:()=>zt,DevicePhoneMobileIcon:()=>qt,DeviceTabletIcon:()=>Ut,DivideIcon:()=>$t,DocumentArrowDownIcon:()=>Wt,DocumentArrowUpIcon:()=>Gt,DocumentChartBarIcon:()=>Kt,DocumentCheckIcon:()=>Yt,DocumentCurrencyBangladeshiIcon:()=>Xt,DocumentCurrencyDollarIcon:()=>Jt,DocumentCurrencyEuroIcon:()=>Qt,DocumentCurrencyPoundIcon:()=>en,DocumentCurrencyRupeeIcon:()=>tn,DocumentCurrencyYenIcon:()=>nn,DocumentDuplicateIcon:()=>rn,DocumentIcon:()=>cn,DocumentMagnifyingGlassIcon:()=>on,DocumentMinusIcon:()=>an,DocumentPlusIcon:()=>ln,DocumentTextIcon:()=>sn,EllipsisHorizontalCircleIcon:()=>un,EllipsisHorizontalIcon:()=>dn,EllipsisVerticalIcon:()=>hn,EnvelopeIcon:()=>fn,EnvelopeOpenIcon:()=>pn,EqualsIcon:()=>mn,ExclamationCircleIcon:()=>vn,ExclamationTriangleIcon:()=>gn,EyeDropperIcon:()=>wn,EyeIcon:()=>bn,EyeSlashIcon:()=>yn,FaceFrownIcon:()=>xn,FaceSmileIcon:()=>kn,FilmIcon:()=>En,FingerPrintIcon:()=>An,FireIcon:()=>Cn,FlagIcon:()=>Bn,FolderArrowDownIcon:()=>Mn,FolderIcon:()=>Vn,FolderMinusIcon:()=>_n,FolderOpenIcon:()=>Sn,FolderPlusIcon:()=>Nn,ForwardIcon:()=>Ln,FunnelIcon:()=>Tn,GifIcon:()=>In,GiftIcon:()=>On,GiftTopIcon:()=>Zn,GlobeAltIcon:()=>Dn,GlobeAmericasIcon:()=>Rn,GlobeAsiaAustraliaIcon:()=>Hn,GlobeEuropeAfricaIcon:()=>Pn,H1Icon:()=>jn,H2Icon:()=>Fn,H3Icon:()=>zn,HandRaisedIcon:()=>qn,HandThumbDownIcon:()=>Un,HandThumbUpIcon:()=>$n,HashtagIcon:()=>Wn,HeartIcon:()=>Gn,HomeIcon:()=>Yn,HomeModernIcon:()=>Kn,IdentificationIcon:()=>Xn,InboxArrowDownIcon:()=>Jn,InboxIcon:()=>er,InboxStackIcon:()=>Qn,InformationCircleIcon:()=>tr,ItalicIcon:()=>nr,KeyIcon:()=>rr,LanguageIcon:()=>or,LifebuoyIcon:()=>ir,LightBulbIcon:()=>ar,LinkIcon:()=>sr,LinkSlashIcon:()=>lr,ListBulletIcon:()=>cr,LockClosedIcon:()=>ur,LockOpenIcon:()=>dr,MagnifyingGlassCircleIcon:()=>hr,MagnifyingGlassIcon:()=>mr,MagnifyingGlassMinusIcon:()=>pr,MagnifyingGlassPlusIcon:()=>fr,MapIcon:()=>gr,MapPinIcon:()=>vr,MegaphoneIcon:()=>wr,MicrophoneIcon:()=>yr,MinusCircleIcon:()=>br,MinusIcon:()=>kr,MinusSmallIcon:()=>xr,MoonIcon:()=>Er,MusicalNoteIcon:()=>Ar,NewspaperIcon:()=>Cr,NoSymbolIcon:()=>Br,NumberedListIcon:()=>Mr,PaintBrushIcon:()=>_r,PaperAirplaneIcon:()=>Sr,PaperClipIcon:()=>Nr,PauseCircleIcon:()=>Vr,PauseIcon:()=>Lr,PencilIcon:()=>Ir,PencilSquareIcon:()=>Tr,PercentBadgeIcon:()=>Zr,PhoneArrowDownLeftIcon:()=>Or,PhoneArrowUpRightIcon:()=>Dr,PhoneIcon:()=>Hr,PhoneXMarkIcon:()=>Rr,PhotoIcon:()=>Pr,PlayCircleIcon:()=>jr,PlayIcon:()=>zr,PlayPauseIcon:()=>Fr,PlusCircleIcon:()=>qr,PlusIcon:()=>$r,PlusSmallIcon:()=>Ur,PowerIcon:()=>Wr,PresentationChartBarIcon:()=>Gr,PresentationChartLineIcon:()=>Kr,PrinterIcon:()=>Yr,PuzzlePieceIcon:()=>Xr,QrCodeIcon:()=>Jr,QuestionMarkCircleIcon:()=>Qr,QueueListIcon:()=>eo,RadioIcon:()=>to,ReceiptPercentIcon:()=>no,ReceiptRefundIcon:()=>ro,RectangleGroupIcon:()=>oo,RectangleStackIcon:()=>io,RocketLaunchIcon:()=>ao,RssIcon:()=>lo,ScaleIcon:()=>so,ScissorsIcon:()=>co,ServerIcon:()=>ho,ServerStackIcon:()=>uo,ShareIcon:()=>po,ShieldCheckIcon:()=>fo,ShieldExclamationIcon:()=>mo,ShoppingBagIcon:()=>vo,ShoppingCartIcon:()=>go,SignalIcon:()=>yo,SignalSlashIcon:()=>wo,SlashIcon:()=>bo,SparklesIcon:()=>xo,SpeakerWaveIcon:()=>ko,SpeakerXMarkIcon:()=>Eo,Square2StackIcon:()=>Ao,Square3Stack3DIcon:()=>Co,Squares2X2Icon:()=>Bo,SquaresPlusIcon:()=>Mo,StarIcon:()=>_o,StopCircleIcon:()=>So,StopIcon:()=>No,StrikethroughIcon:()=>Vo,SunIcon:()=>Lo,SwatchIcon:()=>To,TableCellsIcon:()=>Io,TagIcon:()=>Zo,TicketIcon:()=>Oo,TrashIcon:()=>Do,TrophyIcon:()=>Ro,TruckIcon:()=>Ho,TvIcon:()=>Po,UnderlineIcon:()=>jo,UserCircleIcon:()=>Fo,UserGroupIcon:()=>zo,UserIcon:()=>$o,UserMinusIcon:()=>qo,UserPlusIcon:()=>Uo,UsersIcon:()=>Wo,VariableIcon:()=>Go,VideoCameraIcon:()=>Yo,VideoCameraSlashIcon:()=>Ko,ViewColumnsIcon:()=>Xo,ViewfinderCircleIcon:()=>Jo,WalletIcon:()=>Qo,WifiIcon:()=>ei,WindowIcon:()=>ti,WrenchIcon:()=>ri,WrenchScrewdriverIcon:()=>ni,XCircleIcon:()=>oi,XMarkIcon:()=>ii});var r=n(29726);function o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.26 10.147a60.438 60.438 0 0 0-.491 6.347A48.62 48.62 0 0 1 12 20.904a48.62 48.62 0 0 1 8.232-4.41 60.46 60.46 0 0 0-.491-6.347m-15.482 0a50.636 50.636 0 0 0-2.658-.813A59.906 59.906 0 0 1 12 3.493a59.903 59.903 0 0 1 10.399 5.84c-.896.248-1.783.52-2.658.814m-15.482 0A50.717 50.717 0 0 1 12 13.489a50.702 50.702 0 0 1 7.74-3.342M6.75 15a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm0 0v-3.675A55.378 55.378 0 0 1 12 8.443m-7.007 11.55A5.981 5.981 0 0 0 6.75 15.75v-1.5"})])}function i(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.5 6h9.75M10.5 6a1.5 1.5 0 1 1-3 0m3 0a1.5 1.5 0 1 0-3 0M3.75 6H7.5m3 12h9.75m-9.75 0a1.5 1.5 0 0 1-3 0m3 0a1.5 1.5 0 0 0-3 0m-3.75 0H7.5m9-6h3.75m-3.75 0a1.5 1.5 0 0 1-3 0m3 0a1.5 1.5 0 0 0-3 0m-9.75 0h9.75"})])}function a(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6 13.5V3.75m0 9.75a1.5 1.5 0 0 1 0 3m0-3a1.5 1.5 0 0 0 0 3m0 3.75V16.5m12-3V3.75m0 9.75a1.5 1.5 0 0 1 0 3m0-3a1.5 1.5 0 0 0 0 3m0 3.75V16.5m-6-9V3.75m0 3.75a1.5 1.5 0 0 1 0 3m0-3a1.5 1.5 0 0 0 0 3m0 9.75V10.5"})])}function l(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m20.25 7.5-.625 10.632a2.25 2.25 0 0 1-2.247 2.118H6.622a2.25 2.25 0 0 1-2.247-2.118L3.75 7.5m8.25 3v6.75m0 0-3-3m3 3 3-3M3.375 7.5h17.25c.621 0 1.125-.504 1.125-1.125v-1.5c0-.621-.504-1.125-1.125-1.125H3.375c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125Z"})])}function s(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m20.25 7.5-.625 10.632a2.25 2.25 0 0 1-2.247 2.118H6.622a2.25 2.25 0 0 1-2.247-2.118L3.75 7.5m6 4.125 2.25 2.25m0 0 2.25 2.25M12 13.875l2.25-2.25M12 13.875l-2.25 2.25M3.375 7.5h17.25c.621 0 1.125-.504 1.125-1.125v-1.5c0-.621-.504-1.125-1.125-1.125H3.375c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125Z"})])}function c(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m20.25 7.5-.625 10.632a2.25 2.25 0 0 1-2.247 2.118H6.622a2.25 2.25 0 0 1-2.247-2.118L3.75 7.5M10 11.25h4M3.375 7.5h17.25c.621 0 1.125-.504 1.125-1.125v-1.5c0-.621-.504-1.125-1.125-1.125H3.375c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125Z"})])}function u(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9 12.75 3 3m0 0 3-3m-3 3v-7.5M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function d(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m19.5 4.5-15 15m0 0h11.25m-11.25 0V8.25"})])}function h(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.5 7.5h-.75A2.25 2.25 0 0 0 4.5 9.75v7.5a2.25 2.25 0 0 0 2.25 2.25h7.5a2.25 2.25 0 0 0 2.25-2.25v-7.5a2.25 2.25 0 0 0-2.25-2.25h-.75m-6 3.75 3 3m0 0 3-3m-3 3V1.5m6 9h.75a2.25 2.25 0 0 1 2.25 2.25v7.5a2.25 2.25 0 0 1-2.25 2.25h-7.5a2.25 2.25 0 0 1-2.25-2.25v-.75"})])}function p(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 8.25H7.5a2.25 2.25 0 0 0-2.25 2.25v9a2.25 2.25 0 0 0 2.25 2.25h9a2.25 2.25 0 0 0 2.25-2.25v-9a2.25 2.25 0 0 0-2.25-2.25H15M9 12l3 3m0 0 3-3m-3 3V2.25"})])}function f(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m4.5 4.5 15 15m0 0V8.25m0 11.25H8.25"})])}function m(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 16.5v2.25A2.25 2.25 0 0 0 5.25 21h13.5A2.25 2.25 0 0 0 21 18.75V16.5M16.5 12 12 16.5m0 0L7.5 12m4.5 4.5V3"})])}function v(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 13.5 12 21m0 0-7.5-7.5M12 21V3"})])}function g(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m11.25 9-3 3m0 0 3 3m-3-3h7.5M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function w(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 9V5.25A2.25 2.25 0 0 0 13.5 3h-6a2.25 2.25 0 0 0-2.25 2.25v13.5A2.25 2.25 0 0 0 7.5 21h6a2.25 2.25 0 0 0 2.25-2.25V15M12 9l-3 3m0 0 3 3m-3-3h12.75"})])}function y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 9V5.25A2.25 2.25 0 0 0 13.5 3h-6a2.25 2.25 0 0 0-2.25 2.25v13.5A2.25 2.25 0 0 0 7.5 21h6a2.25 2.25 0 0 0 2.25-2.25V15M12 9l-3 3m0 0 3 3m-3-3h12.75"})])}function b(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 9V5.25A2.25 2.25 0 0 1 10.5 3h6a2.25 2.25 0 0 1 2.25 2.25v13.5A2.25 2.25 0 0 1 16.5 21h-6a2.25 2.25 0 0 1-2.25-2.25V15m-3 0-3-3m0 0 3-3m-3 3H15"})])}function x(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.5 19.5 3 12m0 0 7.5-7.5M3 12h18"})])}function k(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 17.25 12 21m0 0-3.75-3.75M12 21V3"})])}function E(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.75 15.75 3 12m0 0 3.75-3.75M3 12h18"})])}function A(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M17.25 8.25 21 12m0 0-3.75 3.75M21 12H3"})])}function C(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 6.75 12 3m0 0 3.75 3.75M12 3v18"})])}function B(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 12c0-1.232-.046-2.453-.138-3.662a4.006 4.006 0 0 0-3.7-3.7 48.678 48.678 0 0 0-7.324 0 4.006 4.006 0 0 0-3.7 3.7c-.017.22-.032.441-.046.662M19.5 12l3-3m-3 3-3-3m-12 3c0 1.232.046 2.453.138 3.662a4.006 4.006 0 0 0 3.7 3.7 48.656 48.656 0 0 0 7.324 0 4.006 4.006 0 0 0 3.7-3.7c.017-.22.032-.441.046-.662M4.5 12l3 3m-3-3-3 3"})])}function M(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.023 9.348h4.992v-.001M2.985 19.644v-4.992m0 0h4.992m-4.993 0 3.181 3.183a8.25 8.25 0 0 0 13.803-3.7M4.031 9.865a8.25 8.25 0 0 1 13.803-3.7l3.181 3.182m0-4.991v4.99"})])}function _(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m12.75 15 3-3m0 0-3-3m3 3h-7.5M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function S(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 9V5.25A2.25 2.25 0 0 1 10.5 3h6a2.25 2.25 0 0 1 2.25 2.25v13.5A2.25 2.25 0 0 1 16.5 21h-6a2.25 2.25 0 0 1-2.25-2.25V15M12 9l3 3m0 0-3 3m3-3H2.25"})])}function N(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 9V5.25A2.25 2.25 0 0 0 13.5 3h-6a2.25 2.25 0 0 0-2.25 2.25v13.5A2.25 2.25 0 0 0 7.5 21h6a2.25 2.25 0 0 0 2.25-2.25V15m3 0 3-3m0 0-3-3m3 3H9"})])}function V(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 9V5.25A2.25 2.25 0 0 0 13.5 3h-6a2.25 2.25 0 0 0-2.25 2.25v13.5A2.25 2.25 0 0 0 7.5 21h6a2.25 2.25 0 0 0 2.25-2.25V15m3 0 3-3m0 0-3-3m3 3H9"})])}function L(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.5 4.5 21 12m0 0-7.5 7.5M21 12H3"})])}function T(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 4.5v15m0 0 6.75-6.75M12 19.5l-6.75-6.75"})])}function I(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 12h-15m0 0 6.75 6.75M4.5 12l6.75-6.75"})])}function Z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.5 12h15m0 0-6.75-6.75M19.5 12l-6.75 6.75"})])}function O(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 19.5v-15m0 0-6.75 6.75M12 4.5l6.75 6.75"})])}function D(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.5 6H5.25A2.25 2.25 0 0 0 3 8.25v10.5A2.25 2.25 0 0 0 5.25 21h10.5A2.25 2.25 0 0 0 18 18.75V10.5m-10.5 6L21 3m0 0h-5.25M21 3v5.25"})])}function R(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 6 9 12.75l4.286-4.286a11.948 11.948 0 0 1 4.306 6.43l.776 2.898m0 0 3.182-5.511m-3.182 5.51-5.511-3.181"})])}function H(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 18 9 11.25l4.306 4.306a11.95 11.95 0 0 1 5.814-5.518l2.74-1.22m0 0-5.94-2.281m5.94 2.28-2.28 5.941"})])}function P(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m7.49 12-3.75 3.75m0 0 3.75 3.75m-3.75-3.75h16.5V4.499"})])}function j(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m16.49 12 3.75 3.75m0 0-3.75 3.75m3.75-3.75H3.74V4.499"})])}function F(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m11.99 16.5-3.75 3.75m0 0L4.49 16.5m3.75 3.75V3.75h11.25"})])}function z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M11.99 7.5 8.24 3.75m0 0L4.49 7.5m3.75-3.75v16.499h11.25"})])}function q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m11.99 16.5 3.75 3.75m0 0 3.75-3.75m-3.75 3.75V3.75H4.49"})])}function U(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m11.99 7.5 3.75-3.75m0 0 3.75 3.75m-3.75-3.75v16.499H4.49"})])}function $(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.49 12 3.74 8.248m0 0 3.75-3.75m-3.75 3.75h16.5V19.5"})])}function W(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m16.49 12 3.75-3.751m0 0-3.75-3.75m3.75 3.75H3.74V19.5"})])}function G(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m15 11.25-3-3m0 0-3 3m3-3v7.5M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function K(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m19.5 19.5-15-15m0 0v11.25m0-11.25h11.25"})])}function Y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.5 7.5h-.75A2.25 2.25 0 0 0 4.5 9.75v7.5a2.25 2.25 0 0 0 2.25 2.25h7.5a2.25 2.25 0 0 0 2.25-2.25v-7.5a2.25 2.25 0 0 0-2.25-2.25h-.75m0-3-3-3m0 0-3 3m3-3v11.25m6-2.25h.75a2.25 2.25 0 0 1 2.25 2.25v7.5a2.25 2.25 0 0 1-2.25 2.25h-7.5a2.25 2.25 0 0 1-2.25-2.25v-.75"})])}function X(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 8.25H7.5a2.25 2.25 0 0 0-2.25 2.25v9a2.25 2.25 0 0 0 2.25 2.25h9a2.25 2.25 0 0 0 2.25-2.25v-9a2.25 2.25 0 0 0-2.25-2.25H15m0-3-3-3m0 0-3 3m3-3V15"})])}function J(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m4.5 19.5 15-15m0 0H8.25m11.25 0v11.25"})])}function Q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 16.5v2.25A2.25 2.25 0 0 0 5.25 21h13.5A2.25 2.25 0 0 0 21 18.75V16.5m-13.5-9L12 3m0 0 4.5 4.5M12 3v13.5"})])}function ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.5 10.5 12 3m0 0 7.5 7.5M12 3v18"})])}function te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m15 15-6 6m0 0-6-6m6 6V9a6 6 0 0 1 12 0v3"})])}function ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 15 3 9m0 0 6-6M3 9h12a6 6 0 0 1 0 12h-3"})])}function re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m15 15 6-6m0 0-6-6m6 6H9a6 6 0 0 0 0 12h3"})])}function oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9 9 6-6m0 0 6 6m-6-6v12a6 6 0 0 1-12 0v-3"})])}function ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 9V4.5M9 9H4.5M9 9 3.75 3.75M9 15v4.5M9 15H4.5M9 15l-5.25 5.25M15 9h4.5M15 9V4.5M15 9l5.25-5.25M15 15h4.5M15 15v4.5m0-4.5 5.25 5.25"})])}function ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 3.75v4.5m0-4.5h4.5m-4.5 0L9 9M3.75 20.25v-4.5m0 4.5h4.5m-4.5 0L9 15M20.25 3.75h-4.5m4.5 0v4.5m0-4.5L15 9m5.25 11.25h-4.5m4.5 0v-4.5m0 4.5L15 15"})])}function le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.5 21 3 16.5m0 0L7.5 12M3 16.5h13.5m0-13.5L21 7.5m0 0L16.5 12M21 7.5H7.5"})])}function se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 7.5 7.5 3m0 0L12 7.5M7.5 3v13.5m13.5 0L16.5 21m0 0L12 16.5m4.5 4.5V7.5"})])}function ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.5 12a4.5 4.5 0 1 1-9 0 4.5 4.5 0 0 1 9 0Zm0 0c0 1.657 1.007 3 2.25 3S21 13.657 21 12a9 9 0 1 0-2.636 6.364M16.5 12V8.25"})])}function ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 9.75 14.25 12m0 0 2.25 2.25M14.25 12l2.25-2.25M14.25 12 12 14.25m-2.58 4.92-6.374-6.375a1.125 1.125 0 0 1 0-1.59L9.42 4.83c.21-.211.497-.33.795-.33H19.5a2.25 2.25 0 0 1 2.25 2.25v10.5a2.25 2.25 0 0 1-2.25 2.25h-9.284c-.298 0-.585-.119-.795-.33Z"})])}function de(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 16.811c0 .864-.933 1.406-1.683.977l-7.108-4.061a1.125 1.125 0 0 1 0-1.954l7.108-4.061A1.125 1.125 0 0 1 21 8.689v8.122ZM11.25 16.811c0 .864-.933 1.406-1.683.977l-7.108-4.061a1.125 1.125 0 0 1 0-1.954l7.108-4.061a1.125 1.125 0 0 1 1.683.977v8.122Z"})])}function he(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 18.75a60.07 60.07 0 0 1 15.797 2.101c.727.198 1.453-.342 1.453-1.096V18.75M3.75 4.5v.75A.75.75 0 0 1 3 6h-.75m0 0v-.375c0-.621.504-1.125 1.125-1.125H20.25M2.25 6v9m18-10.5v.75c0 .414.336.75.75.75h.75m-1.5-1.5h.375c.621 0 1.125.504 1.125 1.125v9.75c0 .621-.504 1.125-1.125 1.125h-.375m1.5-1.5H21a.75.75 0 0 0-.75.75v.75m0 0H3.75m0 0h-.375a1.125 1.125 0 0 1-1.125-1.125V15m1.5 1.5v-.75A.75.75 0 0 0 3 15h-.75M15 10.5a3 3 0 1 1-6 0 3 3 0 0 1 6 0Zm3 0h.008v.008H18V10.5Zm-12 0h.008v.008H6V10.5Z"})])}function pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 9h16.5m-16.5 6.75h16.5"})])}function fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 6.75h16.5M3.75 12h16.5m-16.5 5.25H12"})])}function me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 6.75h16.5M3.75 12h16.5M12 17.25h8.25"})])}function ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 6.75h16.5M3.75 12H12m-8.25 5.25h16.5"})])}function ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 6.75h16.5M3.75 12h16.5m-16.5 5.25h16.5"})])}function we(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 5.25h16.5m-16.5 4.5h16.5m-16.5 4.5h16.5m-16.5 4.5h16.5"})])}function ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 4.5h14.25M3 9h9.75M3 13.5h9.75m4.5-4.5v12m0 0-3.75-3.75M17.25 21 21 17.25"})])}function be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 4.5h14.25M3 9h9.75M3 13.5h5.25m5.25-.75L17.25 9m0 0L21 12.75M17.25 9v12"})])}function xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 10.5h.375c.621 0 1.125.504 1.125 1.125v2.25c0 .621-.504 1.125-1.125 1.125H21M3.75 18h15A2.25 2.25 0 0 0 21 15.75v-6a2.25 2.25 0 0 0-2.25-2.25h-15A2.25 2.25 0 0 0 1.5 9.75v6A2.25 2.25 0 0 0 3.75 18Z"})])}function ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 10.5h.375c.621 0 1.125.504 1.125 1.125v2.25c0 .621-.504 1.125-1.125 1.125H21M4.5 10.5H18V15H4.5v-4.5ZM3.75 18h15A2.25 2.25 0 0 0 21 15.75v-6a2.25 2.25 0 0 0-2.25-2.25h-15A2.25 2.25 0 0 0 1.5 9.75v6A2.25 2.25 0 0 0 3.75 18Z"})])}function Ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 10.5h.375c.621 0 1.125.504 1.125 1.125v2.25c0 .621-.504 1.125-1.125 1.125H21M4.5 10.5h6.75V15H4.5v-4.5ZM3.75 18h15A2.25 2.25 0 0 0 21 15.75v-6a2.25 2.25 0 0 0-2.25-2.25h-15A2.25 2.25 0 0 0 1.5 9.75v6A2.25 2.25 0 0 0 3.75 18Z"})])}function Ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.75 3.104v5.714a2.25 2.25 0 0 1-.659 1.591L5 14.5M9.75 3.104c-.251.023-.501.05-.75.082m.75-.082a24.301 24.301 0 0 1 4.5 0m0 0v5.714c0 .597.237 1.17.659 1.591L19.8 15.3M14.25 3.104c.251.023.501.05.75.082M19.8 15.3l-1.57.393A9.065 9.065 0 0 1 12 15a9.065 9.065 0 0 0-6.23-.693L5 14.5m14.8.8 1.402 1.402c1.232 1.232.65 3.318-1.067 3.611A48.309 48.309 0 0 1 12 21c-2.773 0-5.491-.235-8.135-.687-1.718-.293-2.3-2.379-1.067-3.61L5 14.5"})])}function Ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.857 17.082a23.848 23.848 0 0 0 5.454-1.31A8.967 8.967 0 0 1 18 9.75V9A6 6 0 0 0 6 9v.75a8.967 8.967 0 0 1-2.312 6.022c1.733.64 3.56 1.085 5.455 1.31m5.714 0a24.255 24.255 0 0 1-5.714 0m5.714 0a3 3 0 1 1-5.714 0M3.124 7.5A8.969 8.969 0 0 1 5.292 3m13.416 0a8.969 8.969 0 0 1 2.168 4.5"})])}function Be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.143 17.082a24.248 24.248 0 0 0 3.844.148m-3.844-.148a23.856 23.856 0 0 1-5.455-1.31 8.964 8.964 0 0 0 2.3-5.542m3.155 6.852a3 3 0 0 0 5.667 1.97m1.965-2.277L21 21m-4.225-4.225a23.81 23.81 0 0 0 3.536-1.003A8.967 8.967 0 0 1 18 9.75V9A6 6 0 0 0 6.53 6.53m10.245 10.245L6.53 6.53M3 3l3.53 3.53"})])}function Me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.857 17.082a23.848 23.848 0 0 0 5.454-1.31A8.967 8.967 0 0 1 18 9.75V9A6 6 0 0 0 6 9v.75a8.967 8.967 0 0 1-2.312 6.022c1.733.64 3.56 1.085 5.455 1.31m5.714 0a24.255 24.255 0 0 1-5.714 0m5.714 0a3 3 0 1 1-5.714 0M10.5 8.25h3l-3 4.5h3"})])}function _e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.857 17.082a23.848 23.848 0 0 0 5.454-1.31A8.967 8.967 0 0 1 18 9.75V9A6 6 0 0 0 6 9v.75a8.967 8.967 0 0 1-2.312 6.022c1.733.64 3.56 1.085 5.455 1.31m5.714 0a24.255 24.255 0 0 1-5.714 0m5.714 0a3 3 0 1 1-5.714 0"})])}function Se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linejoin":"round",d:"M6.75 3.744h-.753v8.25h7.125a4.125 4.125 0 0 0 0-8.25H6.75Zm0 0v.38m0 16.122h6.747a4.5 4.5 0 0 0 0-9.001h-7.5v9h.753Zm0 0v-.37m0-15.751h6a3.75 3.75 0 1 1 0 7.5h-6m0-7.5v7.5m0 0v8.25m0-8.25h6.375a4.125 4.125 0 0 1 0 8.25H6.75m.747-15.38h4.875a3.375 3.375 0 0 1 0 6.75H7.497v-6.75Zm0 7.5h5.25a3.75 3.75 0 0 1 0 7.5h-5.25v-7.5Z"})])}function Ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M11.412 15.655 9.75 21.75l3.745-4.012M9.257 13.5H3.75l2.659-2.849m2.048-2.194L14.25 2.25 12 10.5h8.25l-4.707 5.043M8.457 8.457 3 3m5.457 5.457 7.086 7.086m0 0L21 21"})])}function Ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m3.75 13.5 10.5-11.25L12 10.5h8.25L9.75 21.75 12 13.5H3.75Z"})])}function Le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 6.042A8.967 8.967 0 0 0 6 3.75c-1.052 0-2.062.18-3 .512v14.25A8.987 8.987 0 0 1 6 18c2.305 0 4.408.867 6 2.292m0-14.25a8.966 8.966 0 0 1 6-2.292c1.052 0 2.062.18 3 .512v14.25A8.987 8.987 0 0 0 18 18a8.967 8.967 0 0 0-6 2.292m0-14.25v14.25"})])}function Te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m3 3 1.664 1.664M21 21l-1.5-1.5m-5.485-1.242L12 17.25 4.5 21V8.742m.164-4.078a2.15 2.15 0 0 1 1.743-1.342 48.507 48.507 0 0 1 11.186 0c1.1.128 1.907 1.077 1.907 2.185V19.5M4.664 4.664 19.5 19.5"})])}function Ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.5 3.75V16.5L12 14.25 7.5 16.5V3.75m9 0H18A2.25 2.25 0 0 1 20.25 6v12A2.25 2.25 0 0 1 18 20.25H6A2.25 2.25 0 0 1 3.75 18V6A2.25 2.25 0 0 1 6 3.75h1.5m9 0h-9"})])}function Ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M17.593 3.322c1.1.128 1.907 1.077 1.907 2.185V21L12 17.25 4.5 21V5.507c0-1.108.806-2.057 1.907-2.185a48.507 48.507 0 0 1 11.186 0Z"})])}function Oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M20.25 14.15v4.25c0 1.094-.787 2.036-1.872 2.18-2.087.277-4.216.42-6.378.42s-4.291-.143-6.378-.42c-1.085-.144-1.872-1.086-1.872-2.18v-4.25m16.5 0a2.18 2.18 0 0 0 .75-1.661V8.706c0-1.081-.768-2.015-1.837-2.175a48.114 48.114 0 0 0-3.413-.387m4.5 8.006c-.194.165-.42.295-.673.38A23.978 23.978 0 0 1 12 15.75c-2.648 0-5.195-.429-7.577-1.22a2.016 2.016 0 0 1-.673-.38m0 0A2.18 2.18 0 0 1 3 12.489V8.706c0-1.081.768-2.015 1.837-2.175a48.111 48.111 0 0 1 3.413-.387m7.5 0V5.25A2.25 2.25 0 0 0 13.5 3h-3a2.25 2.25 0 0 0-2.25 2.25v.894m7.5 0a48.667 48.667 0 0 0-7.5 0M12 12.75h.008v.008H12v-.008Z"})])}function De(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 12.75c1.148 0 2.278.08 3.383.237 1.037.146 1.866.966 1.866 2.013 0 3.728-2.35 6.75-5.25 6.75S6.75 18.728 6.75 15c0-1.046.83-1.867 1.866-2.013A24.204 24.204 0 0 1 12 12.75Zm0 0c2.883 0 5.647.508 8.207 1.44a23.91 23.91 0 0 1-1.152 6.06M12 12.75c-2.883 0-5.647.508-8.208 1.44.125 2.104.52 4.136 1.153 6.06M12 12.75a2.25 2.25 0 0 0 2.248-2.354M12 12.75a2.25 2.25 0 0 1-2.248-2.354M12 8.25c.995 0 1.971-.08 2.922-.236.403-.066.74-.358.795-.762a3.778 3.778 0 0 0-.399-2.25M12 8.25c-.995 0-1.97-.08-2.922-.236-.402-.066-.74-.358-.795-.762a3.734 3.734 0 0 1 .4-2.253M12 8.25a2.25 2.25 0 0 0-2.248 2.146M12 8.25a2.25 2.25 0 0 1 2.248 2.146M8.683 5a6.032 6.032 0 0 1-1.155-1.002c.07-.63.27-1.222.574-1.747m.581 2.749A3.75 3.75 0 0 1 15.318 5m0 0c.427-.283.815-.62 1.155-.999a4.471 4.471 0 0 0-.575-1.752M4.921 6a24.048 24.048 0 0 0-.392 3.314c1.668.546 3.416.914 5.223 1.082M19.08 6c.205 1.08.337 2.187.392 3.314a23.882 23.882 0 0 1-5.223 1.082"})])}function Re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 21v-8.25M15.75 21v-8.25M8.25 21v-8.25M3 9l9-6 9 6m-1.5 12V10.332A48.36 48.36 0 0 0 12 9.75c-2.551 0-5.056.2-7.5.582V21M3 21h18M12 6.75h.008v.008H12V6.75Z"})])}function He(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 21h19.5m-18-18v18m10.5-18v18m6-13.5V21M6.75 6.75h.75m-.75 3h.75m-.75 3h.75m3-6h.75m-.75 3h.75m-.75 3h.75M6.75 21v-3.375c0-.621.504-1.125 1.125-1.125h2.25c.621 0 1.125.504 1.125 1.125V21M3 3h12m-.75 4.5H21m-3.75 3.75h.008v.008h-.008v-.008Zm0 3h.008v.008h-.008v-.008Zm0 3h.008v.008h-.008v-.008Z"})])}function Pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 21h16.5M4.5 3h15M5.25 3v18m13.5-18v18M9 6.75h1.5m-1.5 3h1.5m-1.5 3h1.5m3-6H15m-1.5 3H15m-1.5 3H15M9 21v-3.375c0-.621.504-1.125 1.125-1.125h3.75c.621 0 1.125.504 1.125 1.125V21"})])}function je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.5 21v-7.5a.75.75 0 0 1 .75-.75h3a.75.75 0 0 1 .75.75V21m-4.5 0H2.36m11.14 0H18m0 0h3.64m-1.39 0V9.349M3.75 21V9.349m0 0a3.001 3.001 0 0 0 3.75-.615A2.993 2.993 0 0 0 9.75 9.75c.896 0 1.7-.393 2.25-1.016a2.993 2.993 0 0 0 2.25 1.016c.896 0 1.7-.393 2.25-1.015a3.001 3.001 0 0 0 3.75.614m-16.5 0a3.004 3.004 0 0 1-.621-4.72l1.189-1.19A1.5 1.5 0 0 1 5.378 3h13.243a1.5 1.5 0 0 1 1.06.44l1.19 1.189a3 3 0 0 1-.621 4.72M6.75 18h3.75a.75.75 0 0 0 .75-.75V13.5a.75.75 0 0 0-.75-.75H6.75a.75.75 0 0 0-.75.75v3.75c0 .414.336.75.75.75Z"})])}function Fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 8.25v-1.5m0 1.5c-1.355 0-2.697.056-4.024.166C6.845 8.51 6 9.473 6 10.608v2.513m6-4.871c1.355 0 2.697.056 4.024.166C17.155 8.51 18 9.473 18 10.608v2.513M15 8.25v-1.5m-6 1.5v-1.5m12 9.75-1.5.75a3.354 3.354 0 0 1-3 0 3.354 3.354 0 0 0-3 0 3.354 3.354 0 0 1-3 0 3.354 3.354 0 0 0-3 0 3.354 3.354 0 0 1-3 0L3 16.5m15-3.379a48.474 48.474 0 0 0-6-.371c-2.032 0-4.034.126-6 .371m12 0c.39.049.777.102 1.163.16 1.07.16 1.837 1.094 1.837 2.175v5.169c0 .621-.504 1.125-1.125 1.125H4.125A1.125 1.125 0 0 1 3 20.625v-5.17c0-1.08.768-2.014 1.837-2.174A47.78 47.78 0 0 1 6 13.12M12.265 3.11a.375.375 0 1 1-.53 0L12 2.845l.265.265Zm-3 0a.375.375 0 1 1-.53 0L9 2.845l.265.265Zm6 0a.375.375 0 1 1-.53 0L15 2.845l.265.265Z"})])}function ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 15.75V18m-7.5-6.75h.008v.008H8.25v-.008Zm0 2.25h.008v.008H8.25V13.5Zm0 2.25h.008v.008H8.25v-.008Zm0 2.25h.008v.008H8.25V18Zm2.498-6.75h.007v.008h-.007v-.008Zm0 2.25h.007v.008h-.007V13.5Zm0 2.25h.007v.008h-.007v-.008Zm0 2.25h.007v.008h-.007V18Zm2.504-6.75h.008v.008h-.008v-.008Zm0 2.25h.008v.008h-.008V13.5Zm0 2.25h.008v.008h-.008v-.008Zm0 2.25h.008v.008h-.008V18Zm2.498-6.75h.008v.008h-.008v-.008Zm0 2.25h.008v.008h-.008V13.5ZM8.25 6h7.5v2.25h-7.5V6ZM12 2.25c-1.892 0-3.758.11-5.593.322C5.307 2.7 4.5 3.65 4.5 4.757V19.5a2.25 2.25 0 0 0 2.25 2.25h10.5a2.25 2.25 0 0 0 2.25-2.25V4.757c0-1.108-.806-2.057-1.907-2.185A48.507 48.507 0 0 0 12 2.25Z"})])}function qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.75 2.994v2.25m10.5-2.25v2.25m-14.252 13.5V7.491a2.25 2.25 0 0 1 2.25-2.25h13.5a2.25 2.25 0 0 1 2.25 2.25v11.251m-18 0a2.25 2.25 0 0 0 2.25 2.25h13.5a2.25 2.25 0 0 0 2.25-2.25m-18 0v-7.5a2.25 2.25 0 0 1 2.25-2.25h13.5a2.25 2.25 0 0 1 2.25 2.25v7.5m-6.75-6h2.25m-9 2.25h4.5m.002-2.25h.005v.006H12v-.006Zm-.001 4.5h.006v.006h-.006v-.005Zm-2.25.001h.005v.006H9.75v-.006Zm-2.25 0h.005v.005h-.006v-.005Zm6.75-2.247h.005v.005h-.005v-.005Zm0 2.247h.006v.006h-.006v-.006Zm2.25-2.248h.006V15H16.5v-.005Z"})])}function Ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.75 3v2.25M17.25 3v2.25M3 18.75V7.5a2.25 2.25 0 0 1 2.25-2.25h13.5A2.25 2.25 0 0 1 21 7.5v11.25m-18 0A2.25 2.25 0 0 0 5.25 21h13.5A2.25 2.25 0 0 0 21 18.75m-18 0v-7.5A2.25 2.25 0 0 1 5.25 9h13.5A2.25 2.25 0 0 1 21 11.25v7.5m-9-6h.008v.008H12v-.008ZM12 15h.008v.008H12V15Zm0 2.25h.008v.008H12v-.008ZM9.75 15h.008v.008H9.75V15Zm0 2.25h.008v.008H9.75v-.008ZM7.5 15h.008v.008H7.5V15Zm0 2.25h.008v.008H7.5v-.008Zm6.75-4.5h.008v.008h-.008v-.008Zm0 2.25h.008v.008h-.008V15Zm0 2.25h.008v.008h-.008v-.008Zm2.25-4.5h.008v.008H16.5v-.008Zm0 2.25h.008v.008H16.5V15Z"})])}function $e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.75 3v2.25M17.25 3v2.25M3 18.75V7.5a2.25 2.25 0 0 1 2.25-2.25h13.5A2.25 2.25 0 0 1 21 7.5v11.25m-18 0A2.25 2.25 0 0 0 5.25 21h13.5A2.25 2.25 0 0 0 21 18.75m-18 0v-7.5A2.25 2.25 0 0 1 5.25 9h13.5A2.25 2.25 0 0 1 21 11.25v7.5"})])}function We(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.827 6.175A2.31 2.31 0 0 1 5.186 7.23c-.38.054-.757.112-1.134.175C2.999 7.58 2.25 8.507 2.25 9.574V18a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 18V9.574c0-1.067-.75-1.994-1.802-2.169a47.865 47.865 0 0 0-1.134-.175 2.31 2.31 0 0 1-1.64-1.055l-.822-1.316a2.192 2.192 0 0 0-1.736-1.039 48.774 48.774 0 0 0-5.232 0 2.192 2.192 0 0 0-1.736 1.039l-.821 1.316Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.5 12.75a4.5 4.5 0 1 1-9 0 4.5 4.5 0 0 1 9 0ZM18.75 10.5h.008v.008h-.008V10.5Z"})])}function Ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.5 14.25v2.25m3-4.5v4.5m3-6.75v6.75m3-9v9M6 20.25h12A2.25 2.25 0 0 0 20.25 18V6A2.25 2.25 0 0 0 18 3.75H6A2.25 2.25 0 0 0 3.75 6v12A2.25 2.25 0 0 0 6 20.25Z"})])}function Ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 13.125C3 12.504 3.504 12 4.125 12h2.25c.621 0 1.125.504 1.125 1.125v6.75C7.5 20.496 6.996 21 6.375 21h-2.25A1.125 1.125 0 0 1 3 19.875v-6.75ZM9.75 8.625c0-.621.504-1.125 1.125-1.125h2.25c.621 0 1.125.504 1.125 1.125v11.25c0 .621-.504 1.125-1.125 1.125h-2.25a1.125 1.125 0 0 1-1.125-1.125V8.625ZM16.5 4.125c0-.621.504-1.125 1.125-1.125h2.25C20.496 3 21 3.504 21 4.125v15.75c0 .621-.504 1.125-1.125 1.125h-2.25a1.125 1.125 0 0 1-1.125-1.125V4.125Z"})])}function Ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.5 6a7.5 7.5 0 1 0 7.5 7.5h-7.5V6Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.5 10.5H21A7.5 7.5 0 0 0 13.5 3v7.5Z"})])}function Xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.5 8.25h9m-9 3H12m-9.75 1.51c0 1.6 1.123 2.994 2.707 3.227 1.129.166 2.27.293 3.423.379.35.026.67.21.865.501L12 21l2.755-4.133a1.14 1.14 0 0 1 .865-.501 48.172 48.172 0 0 0 3.423-.379c1.584-.233 2.707-1.626 2.707-3.228V6.741c0-1.602-1.123-2.995-2.707-3.228A48.394 48.394 0 0 0 12 3c-2.392 0-4.744.175-7.043.513C3.373 3.746 2.25 5.14 2.25 6.741v6.018Z"})])}function Je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 12.76c0 1.6 1.123 2.994 2.707 3.227 1.068.157 2.148.279 3.238.364.466.037.893.281 1.153.671L12 21l2.652-3.978c.26-.39.687-.634 1.153-.67 1.09-.086 2.17-.208 3.238-.365 1.584-.233 2.707-1.626 2.707-3.228V6.741c0-1.602-1.123-2.995-2.707-3.228A48.394 48.394 0 0 0 12 3c-2.392 0-4.744.175-7.043.513C3.373 3.746 2.25 5.14 2.25 6.741v6.018Z"})])}function Qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.625 9.75a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0H8.25m4.125 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0H12m4.125 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0h-.375m-13.5 3.01c0 1.6 1.123 2.994 2.707 3.227 1.087.16 2.185.283 3.293.369V21l4.184-4.183a1.14 1.14 0 0 1 .778-.332 48.294 48.294 0 0 0 5.83-.498c1.585-.233 2.708-1.626 2.708-3.228V6.741c0-1.602-1.123-2.995-2.707-3.228A48.394 48.394 0 0 0 12 3c-2.392 0-4.744.175-7.043.513C3.373 3.746 2.25 5.14 2.25 6.741v6.018Z"})])}function et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M20.25 8.511c.884.284 1.5 1.128 1.5 2.097v4.286c0 1.136-.847 2.1-1.98 2.193-.34.027-.68.052-1.02.072v3.091l-3-3c-1.354 0-2.694-.055-4.02-.163a2.115 2.115 0 0 1-.825-.242m9.345-8.334a2.126 2.126 0 0 0-.476-.095 48.64 48.64 0 0 0-8.048 0c-1.131.094-1.976 1.057-1.976 2.192v4.286c0 .837.46 1.58 1.155 1.951m9.345-8.334V6.637c0-1.621-1.152-3.026-2.76-3.235A48.455 48.455 0 0 0 11.25 3c-2.115 0-4.198.137-6.24.402-1.608.209-2.76 1.614-2.76 3.235v6.226c0 1.621 1.152 3.026 2.76 3.235.577.075 1.157.14 1.74.194V21l4.155-4.155"})])}function tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 12.76c0 1.6 1.123 2.994 2.707 3.227 1.087.16 2.185.283 3.293.369V21l4.076-4.076a1.526 1.526 0 0 1 1.037-.443 48.282 48.282 0 0 0 5.68-.494c1.584-.233 2.707-1.626 2.707-3.228V6.741c0-1.602-1.123-2.995-2.707-3.228A48.394 48.394 0 0 0 12 3c-2.392 0-4.744.175-7.043.513C3.373 3.746 2.25 5.14 2.25 6.741v6.018Z"})])}function nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.625 12a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0H8.25m4.125 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0H12m4.125 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0h-.375M21 12c0 4.556-4.03 8.25-9 8.25a9.764 9.764 0 0 1-2.555-.337A5.972 5.972 0 0 1 5.41 20.97a5.969 5.969 0 0 1-.474-.065 4.48 4.48 0 0 0 .978-2.025c.09-.457-.133-.901-.467-1.226C3.93 16.178 3 14.189 3 12c0-4.556 4.03-8.25 9-8.25s9 3.694 9 8.25Z"})])}function rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 20.25c4.97 0 9-3.694 9-8.25s-4.03-8.25-9-8.25S3 7.444 3 12c0 2.104.859 4.023 2.273 5.48.432.447.74 1.04.586 1.641a4.483 4.483 0 0 1-.923 1.785A5.969 5.969 0 0 0 6 21c1.282 0 2.47-.402 3.445-1.087.81.22 1.668.337 2.555.337Z"})])}function ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 12.75 11.25 15 15 9.75M21 12c0 1.268-.63 2.39-1.593 3.068a3.745 3.745 0 0 1-1.043 3.296 3.745 3.745 0 0 1-3.296 1.043A3.745 3.745 0 0 1 12 21c-1.268 0-2.39-.63-3.068-1.593a3.746 3.746 0 0 1-3.296-1.043 3.745 3.745 0 0 1-1.043-3.296A3.745 3.745 0 0 1 3 12c0-1.268.63-2.39 1.593-3.068a3.745 3.745 0 0 1 1.043-3.296 3.746 3.746 0 0 1 3.296-1.043A3.746 3.746 0 0 1 12 3c1.268 0 2.39.63 3.068 1.593a3.746 3.746 0 0 1 3.296 1.043 3.746 3.746 0 0 1 1.043 3.296A3.745 3.745 0 0 1 21 12Z"})])}function it(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 12.75 11.25 15 15 9.75M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function at(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m4.5 12.75 6 6 9-13.5"})])}function lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m4.5 5.25 7.5 7.5 7.5-7.5m-15 6 7.5 7.5 7.5-7.5"})])}function st(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m18.75 4.5-7.5 7.5 7.5 7.5m-6-15L5.25 12l7.5 7.5"})])}function ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m5.25 4.5 7.5 7.5-7.5 7.5m6-15 7.5 7.5-7.5 7.5"})])}function ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m4.5 18.75 7.5-7.5 7.5 7.5"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m4.5 12.75 7.5-7.5 7.5 7.5"})])}function dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m19.5 8.25-7.5 7.5-7.5-7.5"})])}function ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 19.5 8.25 12l7.5-7.5"})])}function pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m8.25 4.5 7.5 7.5-7.5 7.5"})])}function ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 15 12 18.75 15.75 15m-7.5-6L12 5.25 15.75 9"})])}function mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m4.5 15.75 7.5-7.5 7.5 7.5"})])}function vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M20.25 6.375c0 2.278-3.694 4.125-8.25 4.125S3.75 8.653 3.75 6.375m16.5 0c0-2.278-3.694-4.125-8.25-4.125S3.75 4.097 3.75 6.375m16.5 0v11.25c0 2.278-3.694 4.125-8.25 4.125s-8.25-1.847-8.25-4.125V6.375m16.5 0v3.75m-16.5-3.75v3.75m16.5 0v3.75C20.25 16.153 16.556 18 12 18s-8.25-1.847-8.25-4.125v-3.75m16.5 0c0 2.278-3.694 4.125-8.25 4.125s-8.25-1.847-8.25-4.125"})])}function gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M11.35 3.836c-.065.21-.1.433-.1.664 0 .414.336.75.75.75h4.5a.75.75 0 0 0 .75-.75 2.25 2.25 0 0 0-.1-.664m-5.8 0A2.251 2.251 0 0 1 13.5 2.25H15c1.012 0 1.867.668 2.15 1.586m-5.8 0c-.376.023-.75.05-1.124.08C9.095 4.01 8.25 4.973 8.25 6.108V8.25m8.9-4.414c.376.023.75.05 1.124.08 1.131.094 1.976 1.057 1.976 2.192V16.5A2.25 2.25 0 0 1 18 18.75h-2.25m-7.5-10.5H4.875c-.621 0-1.125.504-1.125 1.125v11.25c0 .621.504 1.125 1.125 1.125h9.75c.621 0 1.125-.504 1.125-1.125V18.75m-7.5-10.5h6.375c.621 0 1.125.504 1.125 1.125v9.375m-8.25-3 1.5 1.5 3-3.75"})])}function wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 12h3.75M9 15h3.75M9 18h3.75m3 .75H18a2.25 2.25 0 0 0 2.25-2.25V6.108c0-1.135-.845-2.098-1.976-2.192a48.424 48.424 0 0 0-1.123-.08m-5.801 0c-.065.21-.1.433-.1.664 0 .414.336.75.75.75h4.5a.75.75 0 0 0 .75-.75 2.25 2.25 0 0 0-.1-.664m-5.8 0A2.251 2.251 0 0 1 13.5 2.25H15c1.012 0 1.867.668 2.15 1.586m-5.8 0c-.376.023-.75.05-1.124.08C9.095 4.01 8.25 4.973 8.25 6.108V8.25m0 0H4.875c-.621 0-1.125.504-1.125 1.125v11.25c0 .621.504 1.125 1.125 1.125h9.75c.621 0 1.125-.504 1.125-1.125V9.375c0-.621-.504-1.125-1.125-1.125H8.25ZM6.75 12h.008v.008H6.75V12Zm0 3h.008v.008H6.75V15Zm0 3h.008v.008H6.75V18Z"})])}function yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 7.5V6.108c0-1.135.845-2.098 1.976-2.192.373-.03.748-.057 1.123-.08M15.75 18H18a2.25 2.25 0 0 0 2.25-2.25V6.108c0-1.135-.845-2.098-1.976-2.192a48.424 48.424 0 0 0-1.123-.08M15.75 18.75v-1.875a3.375 3.375 0 0 0-3.375-3.375h-1.5a1.125 1.125 0 0 1-1.125-1.125v-1.5A3.375 3.375 0 0 0 6.375 7.5H5.25m11.9-3.664A2.251 2.251 0 0 0 15 2.25h-1.5a2.251 2.251 0 0 0-2.15 1.586m5.8 0c.065.21.1.433.1.664v.75h-6V4.5c0-.231.035-.454.1-.664M6.75 7.5H4.875c-.621 0-1.125.504-1.125 1.125v12c0 .621.504 1.125 1.125 1.125h9.75c.621 0 1.125-.504 1.125-1.125V16.5a9 9 0 0 0-9-9Z"})])}function bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.666 3.888A2.25 2.25 0 0 0 13.5 2.25h-3c-1.03 0-1.9.693-2.166 1.638m7.332 0c.055.194.084.4.084.612v0a.75.75 0 0 1-.75.75H9a.75.75 0 0 1-.75-.75v0c0-.212.03-.418.084-.612m7.332 0c.646.049 1.288.11 1.927.184 1.1.128 1.907 1.077 1.907 2.185V19.5a2.25 2.25 0 0 1-2.25 2.25H6.75A2.25 2.25 0 0 1 4.5 19.5V6.257c0-1.108.806-2.057 1.907-2.185a48.208 48.208 0 0 1 1.927-.184"})])}function xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 6v6h4.5m4.5 0a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 9.75v6.75m0 0-3-3m3 3 3-3m-8.25 6a4.5 4.5 0 0 1-1.41-8.775 5.25 5.25 0 0 1 10.233-2.33 3 3 0 0 1 3.758 3.848A3.752 3.752 0 0 1 18 19.5H6.75Z"})])}function Et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 16.5V9.75m0 0 3 3m-3-3-3 3M6.75 19.5a4.5 4.5 0 0 1-1.41-8.775 5.25 5.25 0 0 1 10.233-2.33 3 3 0 0 1 3.758 3.848A3.752 3.752 0 0 1 18 19.5H6.75Z"})])}function At(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 15a4.5 4.5 0 0 0 4.5 4.5H18a3.75 3.75 0 0 0 1.332-7.257 3 3 0 0 0-3.758-3.848 5.25 5.25 0 0 0-10.233 2.33A4.502 4.502 0 0 0 2.25 15Z"})])}function Ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.25 9.75 16.5 12l-2.25 2.25m-4.5 0L7.5 12l2.25-2.25M6 20.25h12A2.25 2.25 0 0 0 20.25 18V6A2.25 2.25 0 0 0 18 3.75H6A2.25 2.25 0 0 0 3.75 6v12A2.25 2.25 0 0 0 6 20.25Z"})])}function Bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M17.25 6.75 22.5 12l-5.25 5.25m-10.5 0L1.5 12l5.25-5.25m7.5-3-4.5 16.5"})])}function Mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.594 3.94c.09-.542.56-.94 1.11-.94h2.593c.55 0 1.02.398 1.11.94l.213 1.281c.063.374.313.686.645.87.074.04.147.083.22.127.325.196.72.257 1.075.124l1.217-.456a1.125 1.125 0 0 1 1.37.49l1.296 2.247a1.125 1.125 0 0 1-.26 1.431l-1.003.827c-.293.241-.438.613-.43.992a7.723 7.723 0 0 1 0 .255c-.008.378.137.75.43.991l1.004.827c.424.35.534.955.26 1.43l-1.298 2.247a1.125 1.125 0 0 1-1.369.491l-1.217-.456c-.355-.133-.75-.072-1.076.124a6.47 6.47 0 0 1-.22.128c-.331.183-.581.495-.644.869l-.213 1.281c-.09.543-.56.94-1.11.94h-2.594c-.55 0-1.019-.398-1.11-.94l-.213-1.281c-.062-.374-.312-.686-.644-.87a6.52 6.52 0 0 1-.22-.127c-.325-.196-.72-.257-1.076-.124l-1.217.456a1.125 1.125 0 0 1-1.369-.49l-1.297-2.247a1.125 1.125 0 0 1 .26-1.431l1.004-.827c.292-.24.437-.613.43-.991a6.932 6.932 0 0 1 0-.255c.007-.38-.138-.751-.43-.992l-1.004-.827a1.125 1.125 0 0 1-.26-1.43l1.297-2.247a1.125 1.125 0 0 1 1.37-.491l1.216.456c.356.133.751.072 1.076-.124.072-.044.146-.086.22-.128.332-.183.582-.495.644-.869l.214-1.28Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 12a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z"})])}function _t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.343 3.94c.09-.542.56-.94 1.11-.94h1.093c.55 0 1.02.398 1.11.94l.149.894c.07.424.384.764.78.93.398.164.855.142 1.205-.108l.737-.527a1.125 1.125 0 0 1 1.45.12l.773.774c.39.389.44 1.002.12 1.45l-.527.737c-.25.35-.272.806-.107 1.204.165.397.505.71.93.78l.893.15c.543.09.94.559.94 1.109v1.094c0 .55-.397 1.02-.94 1.11l-.894.149c-.424.07-.764.383-.929.78-.165.398-.143.854.107 1.204l.527.738c.32.447.269 1.06-.12 1.45l-.774.773a1.125 1.125 0 0 1-1.449.12l-.738-.527c-.35-.25-.806-.272-1.203-.107-.398.165-.71.505-.781.929l-.149.894c-.09.542-.56.94-1.11.94h-1.094c-.55 0-1.019-.398-1.11-.94l-.148-.894c-.071-.424-.384-.764-.781-.93-.398-.164-.854-.142-1.204.108l-.738.527c-.447.32-1.06.269-1.45-.12l-.773-.774a1.125 1.125 0 0 1-.12-1.45l.527-.737c.25-.35.272-.806.108-1.204-.165-.397-.506-.71-.93-.78l-.894-.15c-.542-.09-.94-.56-.94-1.109v-1.094c0-.55.398-1.02.94-1.11l.894-.149c.424-.07.765-.383.93-.78.165-.398.143-.854-.108-1.204l-.526-.738a1.125 1.125 0 0 1 .12-1.45l.773-.773a1.125 1.125 0 0 1 1.45-.12l.737.527c.35.25.807.272 1.204.107.397-.165.71-.505.78-.929l.15-.894Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 12a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z"})])}function St(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.5 12a7.5 7.5 0 0 0 15 0m-15 0a7.5 7.5 0 1 1 15 0m-15 0H3m16.5 0H21m-1.5 0H12m-8.457 3.077 1.41-.513m14.095-5.13 1.41-.513M5.106 17.785l1.15-.964m11.49-9.642 1.149-.964M7.501 19.795l.75-1.3m7.5-12.99.75-1.3m-6.063 16.658.26-1.477m2.605-14.772.26-1.477m0 17.726-.26-1.477M10.698 4.614l-.26-1.477M16.5 19.794l-.75-1.299M7.5 4.205 12 12m6.894 5.785-1.149-.964M6.256 7.178l-1.15-.964m15.352 8.864-1.41-.513M4.954 9.435l-1.41-.514M12.002 12l-3.75 6.495"})])}function Nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m6.75 7.5 3 2.25-3 2.25m4.5 0h3m-9 8.25h13.5A2.25 2.25 0 0 0 21 18V6a2.25 2.25 0 0 0-2.25-2.25H5.25A2.25 2.25 0 0 0 3 6v12a2.25 2.25 0 0 0 2.25 2.25Z"})])}function Vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 17.25v1.007a3 3 0 0 1-.879 2.122L7.5 21h9l-.621-.621A3 3 0 0 1 15 18.257V17.25m6-12V15a2.25 2.25 0 0 1-2.25 2.25H5.25A2.25 2.25 0 0 1 3 15V5.25m18 0A2.25 2.25 0 0 0 18.75 3H5.25A2.25 2.25 0 0 0 3 5.25m18 0V12a2.25 2.25 0 0 1-2.25 2.25H5.25A2.25 2.25 0 0 1 3 12V5.25"})])}function Lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 3v1.5M4.5 8.25H3m18 0h-1.5M4.5 12H3m18 0h-1.5m-15 3.75H3m18 0h-1.5M8.25 19.5V21M12 3v1.5m0 15V21m3.75-18v1.5m0 15V21m-9-1.5h10.5a2.25 2.25 0 0 0 2.25-2.25V6.75a2.25 2.25 0 0 0-2.25-2.25H6.75A2.25 2.25 0 0 0 4.5 6.75v10.5a2.25 2.25 0 0 0 2.25 2.25Zm.75-12h9v9h-9v-9Z"})])}function Tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 8.25h19.5M2.25 9h19.5m-16.5 5.25h6m-6 2.25h3m-3.75 3h15a2.25 2.25 0 0 0 2.25-2.25V6.75A2.25 2.25 0 0 0 19.5 4.5h-15a2.25 2.25 0 0 0-2.25 2.25v10.5A2.25 2.25 0 0 0 4.5 19.5Z"})])}function It(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m21 7.5-2.25-1.313M21 7.5v2.25m0-2.25-2.25 1.313M3 7.5l2.25-1.313M3 7.5l2.25 1.313M3 7.5v2.25m9 3 2.25-1.313M12 12.75l-2.25-1.313M12 12.75V15m0 6.75 2.25-1.313M12 21.75V19.5m0 2.25-2.25-1.313m0-16.875L12 2.25l2.25 1.313M21 14.25v2.25l-2.25 1.313m-13.5 0L3 16.5v-2.25"})])}function Zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m21 7.5-9-5.25L3 7.5m18 0-9 5.25m9-5.25v9l-9 5.25M3 7.5l9 5.25M3 7.5v9l9 5.25m0-9v9"})])}function Ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m8.25 7.5.415-.207a.75.75 0 0 1 1.085.67V10.5m0 0h6m-6 0h-1.5m1.5 0v5.438c0 .354.161.697.473.865a3.751 3.751 0 0 0 5.452-2.553c.083-.409-.263-.75-.68-.75h-.745M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function Dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 6v12m-3-2.818.879.659c1.171.879 3.07.879 4.242 0 1.172-.879 1.172-2.303 0-3.182C13.536 12.219 12.768 12 12 12c-.725 0-1.45-.22-2.003-.659-1.106-.879-1.106-2.303 0-3.182s2.9-.879 4.006 0l.415.33M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function Rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.25 7.756a4.5 4.5 0 1 0 0 8.488M7.5 10.5h5.25m-5.25 3h5.25M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function Ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.121 7.629A3 3 0 0 0 9.017 9.43c-.023.212-.002.425.028.636l.506 3.541a4.5 4.5 0 0 1-.43 2.65L9 16.5l1.539-.513a2.25 2.25 0 0 1 1.422 0l.655.218a2.25 2.25 0 0 0 1.718-.122L15 15.75M8.25 12H12m9 0a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function Pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 8.25H9m6 3H9m3 6-3-3h1.5a3 3 0 1 0 0-6M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9 7.5 3 4.5m0 0 3-4.5M12 12v5.25M15 12H9m6 3H9m12-3a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function Ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.042 21.672 13.684 16.6m0 0-2.51 2.225.569-9.47 5.227 7.917-3.286-.672ZM12 2.25V4.5m5.834.166-1.591 1.591M20.25 10.5H18M7.757 14.743l-1.59 1.59M6 10.5H3.75m4.007-4.243-1.59-1.59"})])}function zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.042 21.672 13.684 16.6m0 0-2.51 2.225.569-9.47 5.227 7.917-3.286-.672Zm-7.518-.267A8.25 8.25 0 1 1 20.25 10.5M8.288 14.212A5.25 5.25 0 1 1 17.25 10.5"})])}function qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.5 1.5H8.25A2.25 2.25 0 0 0 6 3.75v16.5a2.25 2.25 0 0 0 2.25 2.25h7.5A2.25 2.25 0 0 0 18 20.25V3.75a2.25 2.25 0 0 0-2.25-2.25H13.5m-3 0V3h3V1.5m-3 0h3m-3 18.75h3"})])}function Ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.5 19.5h3m-6.75 2.25h10.5a2.25 2.25 0 0 0 2.25-2.25v-15a2.25 2.25 0 0 0-2.25-2.25H6.75A2.25 2.25 0 0 0 4.5 4.5v15a2.25 2.25 0 0 0 2.25 2.25Z"})])}function $t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.499 11.998h15m-7.5-6.75h.008v.008h-.008v-.008Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0ZM12 18.751h.007v.007H12v-.007Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Z"})])}function Wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m.75 12 3 3m0 0 3-3m-3 3v-6m-1.5-9H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function Gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m6.75 12-3-3m0 0-3 3m3-3v6m-1.5-15H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function Kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25M9 16.5v.75m3-3v3M15 12v5.25m-4.5-15H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function Yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.125 2.25h-4.5c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125v-9M10.125 2.25h.375a9 9 0 0 1 9 9v.375M10.125 2.25A3.375 3.375 0 0 1 13.5 5.625v1.5c0 .621.504 1.125 1.125 1.125h1.5a3.375 3.375 0 0 1 3.375 3.375M9 15l2.25 2.25L15 12"})])}function Xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m0 8.25.22-.22a.75.75 0 0 1 1.28.53v6.441c0 .472.214.934.64 1.137a3.75 3.75 0 0 0 4.994-1.77c.205-.428-.152-.868-.627-.868h-.507m-6-2.25h7.5M10.5 2.25H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function Jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m3.75 9v7.5m2.25-6.466a9.016 9.016 0 0 0-3.461-.203c-.536.072-.974.478-1.021 1.017a4.559 4.559 0 0 0-.018.402c0 .464.336.844.775.994l2.95 1.012c.44.15.775.53.775.994 0 .136-.006.27-.018.402-.047.539-.485.945-1.021 1.017a9.077 9.077 0 0 1-3.461-.203M10.5 2.25H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function Qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m0 11.625h4.5m-4.5 2.25h4.5m2.121 1.527c-1.171 1.464-3.07 1.464-4.242 0-1.172-1.465-1.172-3.84 0-5.304 1.171-1.464 3.07-1.464 4.242 0M10.5 2.25H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function en(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m6.621 9.879a3 3 0 0 0-5.02 2.897l.164.609a4.5 4.5 0 0 1-.108 2.676l-.157.439.44-.22a2.863 2.863 0 0 1 2.185-.155c.72.24 1.507.184 2.186-.155L15 18M8.25 15.75H12m-1.5-13.5H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m2.25 9h3.75m-4.5 2.625h4.5M12 18.75 9.75 16.5h.375a2.625 2.625 0 0 0 0-5.25H9.75m.75-9H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m1.5 9 2.25 3m0 0 2.25-3m-2.25 3v4.5M9.75 15h4.5m-4.5 2.25h4.5m-3.75-15H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 17.25v3.375c0 .621-.504 1.125-1.125 1.125h-9.75a1.125 1.125 0 0 1-1.125-1.125V7.875c0-.621.504-1.125 1.125-1.125H6.75a9.06 9.06 0 0 1 1.5.124m7.5 10.376h3.375c.621 0 1.125-.504 1.125-1.125V11.25c0-4.46-3.243-8.161-7.5-8.876a9.06 9.06 0 0 0-1.5-.124H9.375c-.621 0-1.125.504-1.125 1.125v3.5m7.5 10.375H9.375a1.125 1.125 0 0 1-1.125-1.125v-9.25m12 6.625v-1.875a3.375 3.375 0 0 0-3.375-3.375h-1.5a1.125 1.125 0 0 1-1.125-1.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H9.75"})])}function on(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m5.231 13.481L15 17.25m-4.5-15H5.625c-.621 0-1.125.504-1.125 1.125v16.5c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Zm3.75 11.625a2.625 2.625 0 1 1-5.25 0 2.625 2.625 0 0 1 5.25 0Z"})])}function an(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m6.75 12H9m1.5-12H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m3.75 9v6m3-3H9m1.5-12H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m0 12.75h7.5m-7.5 3H12M10.5 2.25H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m2.25 0H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.625 12a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0H8.25m4.125 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0H12m4.125 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0h-.375M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.75 12a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM12.75 12a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM18.75 12a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z"})])}function hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 6.75a.75.75 0 1 1 0-1.5.75.75 0 0 1 0 1.5ZM12 12.75a.75.75 0 1 1 0-1.5.75.75 0 0 1 0 1.5ZM12 18.75a.75.75 0 1 1 0-1.5.75.75 0 0 1 0 1.5Z"})])}function pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21.75 9v.906a2.25 2.25 0 0 1-1.183 1.981l-6.478 3.488M2.25 9v.906a2.25 2.25 0 0 0 1.183 1.981l6.478 3.488m8.839 2.51-4.66-2.51m0 0-1.023-.55a2.25 2.25 0 0 0-2.134 0l-1.022.55m0 0-4.661 2.51m16.5 1.615a2.25 2.25 0 0 1-2.25 2.25h-15a2.25 2.25 0 0 1-2.25-2.25V8.844a2.25 2.25 0 0 1 1.183-1.981l7.5-4.039a2.25 2.25 0 0 1 2.134 0l7.5 4.039a2.25 2.25 0 0 1 1.183 1.98V19.5Z"})])}function fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21.75 6.75v10.5a2.25 2.25 0 0 1-2.25 2.25h-15a2.25 2.25 0 0 1-2.25-2.25V6.75m19.5 0A2.25 2.25 0 0 0 19.5 4.5h-15a2.25 2.25 0 0 0-2.25 2.25m19.5 0v.243a2.25 2.25 0 0 1-1.07 1.916l-7.5 4.615a2.25 2.25 0 0 1-2.36 0L3.32 8.91a2.25 2.25 0 0 1-1.07-1.916V6.75"})])}function mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.499 8.248h15m-15 7.501h15"})])}function vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 9v3.75m9-.75a9 9 0 1 1-18 0 9 9 0 0 1 18 0Zm-9 3.75h.008v.008H12v-.008Z"})])}function gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 9v3.75m-9.303 3.376c-.866 1.5.217 3.374 1.948 3.374h14.71c1.73 0 2.813-1.874 1.948-3.374L13.949 3.378c-.866-1.5-3.032-1.5-3.898 0L2.697 16.126ZM12 15.75h.007v.008H12v-.008Z"})])}function wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m15 11.25 1.5 1.5.75-.75V8.758l2.276-.61a3 3 0 1 0-3.675-3.675l-.61 2.277H12l-.75.75 1.5 1.5M15 11.25l-8.47 8.47c-.34.34-.8.53-1.28.53s-.94.19-1.28.53l-.97.97-.75-.75.97-.97c.34-.34.53-.8.53-1.28s.19-.94.53-1.28L12.75 9M15 11.25 12.75 9"})])}function yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.98 8.223A10.477 10.477 0 0 0 1.934 12C3.226 16.338 7.244 19.5 12 19.5c.993 0 1.953-.138 2.863-.395M6.228 6.228A10.451 10.451 0 0 1 12 4.5c4.756 0 8.773 3.162 10.065 7.498a10.522 10.522 0 0 1-4.293 5.774M6.228 6.228 3 3m3.228 3.228 3.65 3.65m7.894 7.894L21 21m-3.228-3.228-3.65-3.65m0 0a3 3 0 1 0-4.243-4.243m4.242 4.242L9.88 9.88"})])}function bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.036 12.322a1.012 1.012 0 0 1 0-.639C3.423 7.51 7.36 4.5 12 4.5c4.638 0 8.573 3.007 9.963 7.178.07.207.07.431 0 .639C20.577 16.49 16.64 19.5 12 19.5c-4.638 0-8.573-3.007-9.963-7.178Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 12a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z"})])}function xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.182 16.318A4.486 4.486 0 0 0 12.016 15a4.486 4.486 0 0 0-3.198 1.318M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0ZM9.75 9.75c0 .414-.168.75-.375.75S9 10.164 9 9.75 9.168 9 9.375 9s.375.336.375.75Zm-.375 0h.008v.015h-.008V9.75Zm5.625 0c0 .414-.168.75-.375.75s-.375-.336-.375-.75.168-.75.375-.75.375.336.375.75Zm-.375 0h.008v.015h-.008V9.75Z"})])}function kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.182 15.182a4.5 4.5 0 0 1-6.364 0M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0ZM9.75 9.75c0 .414-.168.75-.375.75S9 10.164 9 9.75 9.168 9 9.375 9s.375.336.375.75Zm-.375 0h.008v.015h-.008V9.75Zm5.625 0c0 .414-.168.75-.375.75s-.375-.336-.375-.75.168-.75.375-.75.375.336.375.75Zm-.375 0h.008v.015h-.008V9.75Z"})])}function En(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.375 19.5h17.25m-17.25 0a1.125 1.125 0 0 1-1.125-1.125M3.375 19.5h1.5C5.496 19.5 6 18.996 6 18.375m-3.75 0V5.625m0 12.75v-1.5c0-.621.504-1.125 1.125-1.125m18.375 2.625V5.625m0 12.75c0 .621-.504 1.125-1.125 1.125m1.125-1.125v-1.5c0-.621-.504-1.125-1.125-1.125m0 3.75h-1.5A1.125 1.125 0 0 1 18 18.375M20.625 4.5H3.375m17.25 0c.621 0 1.125.504 1.125 1.125M20.625 4.5h-1.5C18.504 4.5 18 5.004 18 5.625m3.75 0v1.5c0 .621-.504 1.125-1.125 1.125M3.375 4.5c-.621 0-1.125.504-1.125 1.125M3.375 4.5h1.5C5.496 4.5 6 5.004 6 5.625m-3.75 0v1.5c0 .621.504 1.125 1.125 1.125m0 0h1.5m-1.5 0c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125m1.5-3.75C5.496 8.25 6 7.746 6 7.125v-1.5M4.875 8.25C5.496 8.25 6 8.754 6 9.375v1.5m0-5.25v5.25m0-5.25C6 5.004 6.504 4.5 7.125 4.5h9.75c.621 0 1.125.504 1.125 1.125m1.125 2.625h1.5m-1.5 0A1.125 1.125 0 0 1 18 7.125v-1.5m1.125 2.625c-.621 0-1.125.504-1.125 1.125v1.5m2.625-2.625c.621 0 1.125.504 1.125 1.125v1.5c0 .621-.504 1.125-1.125 1.125M18 5.625v5.25M7.125 12h9.75m-9.75 0A1.125 1.125 0 0 1 6 10.875M7.125 12C6.504 12 6 12.504 6 13.125m0-2.25C6 11.496 5.496 12 4.875 12M18 10.875c0 .621-.504 1.125-1.125 1.125M18 10.875c0 .621.504 1.125 1.125 1.125m-2.25 0c.621 0 1.125.504 1.125 1.125m-12 5.25v-5.25m0 5.25c0 .621.504 1.125 1.125 1.125h9.75c.621 0 1.125-.504 1.125-1.125m-12 0v-1.5c0-.621-.504-1.125-1.125-1.125M18 18.375v-5.25m0 5.25v-1.5c0-.621.504-1.125 1.125-1.125M18 13.125v1.5c0 .621.504 1.125 1.125 1.125M18 13.125c0-.621.504-1.125 1.125-1.125M6 13.125v1.5c0 .621-.504 1.125-1.125 1.125M6 13.125C6 12.504 5.496 12 4.875 12m-1.5 0h1.5m-1.5 0c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125M19.125 12h1.5m0 0c.621 0 1.125.504 1.125 1.125v1.5c0 .621-.504 1.125-1.125 1.125m-17.25 0h1.5m14.25 0h1.5"})])}function An(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.864 4.243A7.5 7.5 0 0 1 19.5 10.5c0 2.92-.556 5.709-1.568 8.268M5.742 6.364A7.465 7.465 0 0 0 4.5 10.5a7.464 7.464 0 0 1-1.15 3.993m1.989 3.559A11.209 11.209 0 0 0 8.25 10.5a3.75 3.75 0 1 1 7.5 0c0 .527-.021 1.049-.064 1.565M12 10.5a14.94 14.94 0 0 1-3.6 9.75m6.633-4.596a18.666 18.666 0 0 1-2.485 5.33"})])}function Cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.362 5.214A8.252 8.252 0 0 1 12 21 8.25 8.25 0 0 1 6.038 7.047 8.287 8.287 0 0 0 9 9.601a8.983 8.983 0 0 1 3.361-6.867 8.21 8.21 0 0 0 3 2.48Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 18a3.75 3.75 0 0 0 .495-7.468 5.99 5.99 0 0 0-1.925 3.547 5.975 5.975 0 0 1-2.133-1.001A3.75 3.75 0 0 0 12 18Z"})])}function Bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 3v1.5M3 21v-6m0 0 2.77-.693a9 9 0 0 1 6.208.682l.108.054a9 9 0 0 0 6.086.71l3.114-.732a48.524 48.524 0 0 1-.005-10.499l-3.11.732a9 9 0 0 1-6.085-.711l-.108-.054a9 9 0 0 0-6.208-.682L3 4.5M3 15V4.5"})])}function Mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9 13.5 3 3m0 0 3-3m-3 3v-6m1.06-4.19-2.12-2.12a1.5 1.5 0 0 0-1.061-.44H4.5A2.25 2.25 0 0 0 2.25 6v12a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 18V9a2.25 2.25 0 0 0-2.25-2.25h-5.379a1.5 1.5 0 0 1-1.06-.44Z"})])}function _n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 13.5H9m4.06-7.19-2.12-2.12a1.5 1.5 0 0 0-1.061-.44H4.5A2.25 2.25 0 0 0 2.25 6v12a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 18V9a2.25 2.25 0 0 0-2.25-2.25h-5.379a1.5 1.5 0 0 1-1.06-.44Z"})])}function Sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 9.776c.112-.017.227-.026.344-.026h15.812c.117 0 .232.009.344.026m-16.5 0a2.25 2.25 0 0 0-1.883 2.542l.857 6a2.25 2.25 0 0 0 2.227 1.932H19.05a2.25 2.25 0 0 0 2.227-1.932l.857-6a2.25 2.25 0 0 0-1.883-2.542m-16.5 0V6A2.25 2.25 0 0 1 6 3.75h3.879a1.5 1.5 0 0 1 1.06.44l2.122 2.12a1.5 1.5 0 0 0 1.06.44H18A2.25 2.25 0 0 1 20.25 9v.776"})])}function Nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 10.5v6m3-3H9m4.06-7.19-2.12-2.12a1.5 1.5 0 0 0-1.061-.44H4.5A2.25 2.25 0 0 0 2.25 6v12a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 18V9a2.25 2.25 0 0 0-2.25-2.25h-5.379a1.5 1.5 0 0 1-1.06-.44Z"})])}function Vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 12.75V12A2.25 2.25 0 0 1 4.5 9.75h15A2.25 2.25 0 0 1 21.75 12v.75m-8.69-6.44-2.12-2.12a1.5 1.5 0 0 0-1.061-.44H4.5A2.25 2.25 0 0 0 2.25 6v12a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 18V9a2.25 2.25 0 0 0-2.25-2.25h-5.379a1.5 1.5 0 0 1-1.06-.44Z"})])}function Ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 8.689c0-.864.933-1.406 1.683-.977l7.108 4.061a1.125 1.125 0 0 1 0 1.954l-7.108 4.061A1.125 1.125 0 0 1 3 16.811V8.69ZM12.75 8.689c0-.864.933-1.406 1.683-.977l7.108 4.061a1.125 1.125 0 0 1 0 1.954l-7.108 4.061a1.125 1.125 0 0 1-1.683-.977V8.69Z"})])}function Tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 3c2.755 0 5.455.232 8.083.678.533.09.917.556.917 1.096v1.044a2.25 2.25 0 0 1-.659 1.591l-5.432 5.432a2.25 2.25 0 0 0-.659 1.591v2.927a2.25 2.25 0 0 1-1.244 2.013L9.75 21v-6.568a2.25 2.25 0 0 0-.659-1.591L3.659 7.409A2.25 2.25 0 0 1 3 5.818V4.774c0-.54.384-1.006.917-1.096A48.32 48.32 0 0 1 12 3Z"})])}function In(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12.75 8.25v7.5m6-7.5h-3V12m0 0v3.75m0-3.75H18M9.75 9.348c-1.03-1.464-2.698-1.464-3.728 0-1.03 1.465-1.03 3.84 0 5.304 1.03 1.464 2.699 1.464 3.728 0V12h-1.5M4.5 19.5h15a2.25 2.25 0 0 0 2.25-2.25V6.75A2.25 2.25 0 0 0 19.5 4.5h-15a2.25 2.25 0 0 0-2.25 2.25v10.5A2.25 2.25 0 0 0 4.5 19.5Z"})])}function Zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 3.75v16.5M2.25 12h19.5M6.375 17.25a4.875 4.875 0 0 0 4.875-4.875V12m6.375 5.25a4.875 4.875 0 0 1-4.875-4.875V12m-9 8.25h16.5a1.5 1.5 0 0 0 1.5-1.5V5.25a1.5 1.5 0 0 0-1.5-1.5H3.75a1.5 1.5 0 0 0-1.5 1.5v13.5a1.5 1.5 0 0 0 1.5 1.5Zm12.621-9.44c-1.409 1.41-4.242 1.061-4.242 1.061s-.349-2.833 1.06-4.242a2.25 2.25 0 0 1 3.182 3.182ZM10.773 7.63c1.409 1.409 1.06 4.242 1.06 4.242S9 12.22 7.592 10.811a2.25 2.25 0 1 1 3.182-3.182Z"})])}function On(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 11.25v8.25a1.5 1.5 0 0 1-1.5 1.5H5.25a1.5 1.5 0 0 1-1.5-1.5v-8.25M12 4.875A2.625 2.625 0 1 0 9.375 7.5H12m0-2.625V7.5m0-2.625A2.625 2.625 0 1 1 14.625 7.5H12m0 0V21m-8.625-9.75h18c.621 0 1.125-.504 1.125-1.125v-1.5c0-.621-.504-1.125-1.125-1.125h-18c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125Z"})])}function Dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 21a9.004 9.004 0 0 0 8.716-6.747M12 21a9.004 9.004 0 0 1-8.716-6.747M12 21c2.485 0 4.5-4.03 4.5-9S14.485 3 12 3m0 18c-2.485 0-4.5-4.03-4.5-9S9.515 3 12 3m0 0a8.997 8.997 0 0 1 7.843 4.582M12 3a8.997 8.997 0 0 0-7.843 4.582m15.686 0A11.953 11.953 0 0 1 12 10.5c-2.998 0-5.74-1.1-7.843-2.918m15.686 0A8.959 8.959 0 0 1 21 12c0 .778-.099 1.533-.284 2.253m0 0A17.919 17.919 0 0 1 12 16.5c-3.162 0-6.133-.815-8.716-2.247m0 0A9.015 9.015 0 0 1 3 12c0-1.605.42-3.113 1.157-4.418"})])}function Rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m6.115 5.19.319 1.913A6 6 0 0 0 8.11 10.36L9.75 12l-.387.775c-.217.433-.132.956.21 1.298l1.348 1.348c.21.21.329.497.329.795v1.089c0 .426.24.815.622 1.006l.153.076c.433.217.956.132 1.298-.21l.723-.723a8.7 8.7 0 0 0 2.288-4.042 1.087 1.087 0 0 0-.358-1.099l-1.33-1.108c-.251-.21-.582-.299-.905-.245l-1.17.195a1.125 1.125 0 0 1-.98-.314l-.295-.295a1.125 1.125 0 0 1 0-1.591l.13-.132a1.125 1.125 0 0 1 1.3-.21l.603.302a.809.809 0 0 0 1.086-1.086L14.25 7.5l1.256-.837a4.5 4.5 0 0 0 1.528-1.732l.146-.292M6.115 5.19A9 9 0 1 0 17.18 4.64M6.115 5.19A8.965 8.965 0 0 1 12 3c1.929 0 3.716.607 5.18 1.64"})])}function Hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12.75 3.03v.568c0 .334.148.65.405.864l1.068.89c.442.369.535 1.01.216 1.49l-.51.766a2.25 2.25 0 0 1-1.161.886l-.143.048a1.107 1.107 0 0 0-.57 1.664c.369.555.169 1.307-.427 1.605L9 13.125l.423 1.059a.956.956 0 0 1-1.652.928l-.679-.906a1.125 1.125 0 0 0-1.906.172L4.5 15.75l-.612.153M12.75 3.031a9 9 0 0 0-8.862 12.872M12.75 3.031a9 9 0 0 1 6.69 14.036m0 0-.177-.529A2.25 2.25 0 0 0 17.128 15H16.5l-.324-.324a1.453 1.453 0 0 0-2.328.377l-.036.073a1.586 1.586 0 0 1-.982.816l-.99.282c-.55.157-.894.702-.8 1.267l.073.438c.08.474.49.821.97.821.846 0 1.598.542 1.865 1.345l.215.643m5.276-3.67a9.012 9.012 0 0 1-5.276 3.67m0 0a9 9 0 0 1-10.275-4.835M15.75 9c0 .896-.393 1.7-1.016 2.25"})])}function Pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m20.893 13.393-1.135-1.135a2.252 2.252 0 0 1-.421-.585l-1.08-2.16a.414.414 0 0 0-.663-.107.827.827 0 0 1-.812.21l-1.273-.363a.89.89 0 0 0-.738 1.595l.587.39c.59.395.674 1.23.172 1.732l-.2.2c-.212.212-.33.498-.33.796v.41c0 .409-.11.809-.32 1.158l-1.315 2.191a2.11 2.11 0 0 1-1.81 1.025 1.055 1.055 0 0 1-1.055-1.055v-1.172c0-.92-.56-1.747-1.414-2.089l-.655-.261a2.25 2.25 0 0 1-1.383-2.46l.007-.042a2.25 2.25 0 0 1 .29-.787l.09-.15a2.25 2.25 0 0 1 2.37-1.048l1.178.236a1.125 1.125 0 0 0 1.302-.795l.208-.73a1.125 1.125 0 0 0-.578-1.315l-.665-.332-.091.091a2.25 2.25 0 0 1-1.591.659h-.18c-.249 0-.487.1-.662.274a.931.931 0 0 1-1.458-1.137l1.411-2.353a2.25 2.25 0 0 0 .286-.76m11.928 9.869A9 9 0 0 0 8.965 3.525m11.928 9.868A9 9 0 1 1 8.965 3.525"})])}function jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.243 4.493v7.5m0 0v7.502m0-7.501h10.5m0-7.5v7.5m0 0v7.501m4.501-8.627 2.25-1.5v10.126m0 0h-2.25m2.25 0h2.25"})])}function Fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21.75 19.5H16.5v-1.609a2.25 2.25 0 0 1 1.244-2.012l2.89-1.445c.651-.326 1.116-.955 1.116-1.683 0-.498-.04-.987-.118-1.463-.135-.825-.835-1.422-1.668-1.489a15.202 15.202 0 0 0-3.464.12M2.243 4.492v7.5m0 0v7.502m0-7.501h10.5m0-7.5v7.5m0 0v7.501"})])}function zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M20.905 14.626a4.52 4.52 0 0 1 .738 3.603c-.154.695-.794 1.143-1.504 1.208a15.194 15.194 0 0 1-3.639-.104m4.405-4.707a4.52 4.52 0 0 0 .738-3.603c-.154-.696-.794-1.144-1.504-1.209a15.19 15.19 0 0 0-3.639.104m4.405 4.708H18M2.243 4.493v7.5m0 0v7.502m0-7.501h10.5m0-7.5v7.5m0 0v7.501"})])}function qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.05 4.575a1.575 1.575 0 1 0-3.15 0v3m3.15-3v-1.5a1.575 1.575 0 0 1 3.15 0v1.5m-3.15 0 .075 5.925m3.075.75V4.575m0 0a1.575 1.575 0 0 1 3.15 0V15M6.9 7.575a1.575 1.575 0 1 0-3.15 0v8.175a6.75 6.75 0 0 0 6.75 6.75h2.018a5.25 5.25 0 0 0 3.712-1.538l1.732-1.732a5.25 5.25 0 0 0 1.538-3.712l.003-2.024a.668.668 0 0 1 .198-.471 1.575 1.575 0 1 0-2.228-2.228 3.818 3.818 0 0 0-1.12 2.687M6.9 7.575V12m6.27 4.318A4.49 4.49 0 0 1 16.35 15m.002 0h-.002"})])}function Un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.498 15.25H4.372c-1.026 0-1.945-.694-2.054-1.715a12.137 12.137 0 0 1-.068-1.285c0-2.848.992-5.464 2.649-7.521C5.287 4.247 5.886 4 6.504 4h4.016a4.5 4.5 0 0 1 1.423.23l3.114 1.04a4.5 4.5 0 0 0 1.423.23h1.294M7.498 15.25c.618 0 .991.724.725 1.282A7.471 7.471 0 0 0 7.5 19.75 2.25 2.25 0 0 0 9.75 22a.75.75 0 0 0 .75-.75v-.633c0-.573.11-1.14.322-1.672.304-.76.93-1.33 1.653-1.715a9.04 9.04 0 0 0 2.86-2.4c.498-.634 1.226-1.08 2.032-1.08h.384m-10.253 1.5H9.7m8.075-9.75c.01.05.027.1.05.148.593 1.2.925 2.55.925 3.977 0 1.487-.36 2.89-.999 4.125m.023-8.25c-.076-.365.183-.75.575-.75h.908c.889 0 1.713.518 1.972 1.368.339 1.11.521 2.287.521 3.507 0 1.553-.295 3.036-.831 4.398-.306.774-1.086 1.227-1.918 1.227h-1.053c-.472 0-.745-.556-.5-.96a8.95 8.95 0 0 0 .303-.54"})])}function $n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.633 10.25c.806 0 1.533-.446 2.031-1.08a9.041 9.041 0 0 1 2.861-2.4c.723-.384 1.35-.956 1.653-1.715a4.498 4.498 0 0 0 .322-1.672V2.75a.75.75 0 0 1 .75-.75 2.25 2.25 0 0 1 2.25 2.25c0 1.152-.26 2.243-.723 3.218-.266.558.107 1.282.725 1.282m0 0h3.126c1.026 0 1.945.694 2.054 1.715.045.422.068.85.068 1.285a11.95 11.95 0 0 1-2.649 7.521c-.388.482-.987.729-1.605.729H13.48c-.483 0-.964-.078-1.423-.23l-3.114-1.04a4.501 4.501 0 0 0-1.423-.23H5.904m10.598-9.75H14.25M5.904 18.5c.083.205.173.405.27.602.197.4-.078.898-.523.898h-.908c-.889 0-1.713-.518-1.972-1.368a12 12 0 0 1-.521-3.507c0-1.553.295-3.036.831-4.398C3.387 9.953 4.167 9.5 5 9.5h1.053c.472 0 .745.556.5.96a8.958 8.958 0 0 0-1.302 4.665c0 1.194.232 2.333.654 3.375Z"})])}function Wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M5.25 8.25h15m-16.5 7.5h15m-1.8-13.5-3.9 19.5m-2.1-19.5-3.9 19.5"})])}function Gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 8.25c0-2.485-2.099-4.5-4.688-4.5-1.935 0-3.597 1.126-4.312 2.733-.715-1.607-2.377-2.733-4.313-2.733C5.1 3.75 3 5.765 3 8.25c0 7.22 9 12 9 12s9-4.78 9-12Z"})])}function Kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 21v-4.875c0-.621.504-1.125 1.125-1.125h2.25c.621 0 1.125.504 1.125 1.125V21m0 0h4.5V3.545M12.75 21h7.5V10.75M2.25 21h1.5m18 0h-18M2.25 9l4.5-1.636M18.75 3l-1.5.545m0 6.205 3 1m1.5.5-1.5-.5M6.75 7.364V3h-3v18m3-13.636 10.5-3.819"})])}function Yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m2.25 12 8.954-8.955c.44-.439 1.152-.439 1.591 0L21.75 12M4.5 9.75v10.125c0 .621.504 1.125 1.125 1.125H9.75v-4.875c0-.621.504-1.125 1.125-1.125h2.25c.621 0 1.125.504 1.125 1.125V21h4.125c.621 0 1.125-.504 1.125-1.125V9.75M8.25 21h8.25"})])}function Xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 9h3.75M15 12h3.75M15 15h3.75M4.5 19.5h15a2.25 2.25 0 0 0 2.25-2.25V6.75A2.25 2.25 0 0 0 19.5 4.5h-15a2.25 2.25 0 0 0-2.25 2.25v10.5A2.25 2.25 0 0 0 4.5 19.5Zm6-10.125a1.875 1.875 0 1 1-3.75 0 1.875 1.875 0 0 1 3.75 0Zm1.294 6.336a6.721 6.721 0 0 1-3.17.789 6.721 6.721 0 0 1-3.168-.789 3.376 3.376 0 0 1 6.338 0Z"})])}function Jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 3.75H6.912a2.25 2.25 0 0 0-2.15 1.588L2.35 13.177a2.25 2.25 0 0 0-.1.661V18a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 18v-4.162c0-.224-.034-.447-.1-.661L19.24 5.338a2.25 2.25 0 0 0-2.15-1.588H15M2.25 13.5h3.86a2.25 2.25 0 0 1 2.012 1.244l.256.512a2.25 2.25 0 0 0 2.013 1.244h3.218a2.25 2.25 0 0 0 2.013-1.244l.256-.512a2.25 2.25 0 0 1 2.013-1.244h3.859M12 3v8.25m0 0-3-3m3 3 3-3"})])}function Qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m7.875 14.25 1.214 1.942a2.25 2.25 0 0 0 1.908 1.058h2.006c.776 0 1.497-.4 1.908-1.058l1.214-1.942M2.41 9h4.636a2.25 2.25 0 0 1 1.872 1.002l.164.246a2.25 2.25 0 0 0 1.872 1.002h2.092a2.25 2.25 0 0 0 1.872-1.002l.164-.246A2.25 2.25 0 0 1 16.954 9h4.636M2.41 9a2.25 2.25 0 0 0-.16.832V12a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 12V9.832c0-.287-.055-.57-.16-.832M2.41 9a2.25 2.25 0 0 1 .382-.632l3.285-3.832a2.25 2.25 0 0 1 1.708-.786h8.43c.657 0 1.281.287 1.709.786l3.284 3.832c.163.19.291.404.382.632M4.5 20.25h15A2.25 2.25 0 0 0 21.75 18v-2.625c0-.621-.504-1.125-1.125-1.125H3.375c-.621 0-1.125.504-1.125 1.125V18a2.25 2.25 0 0 0 2.25 2.25Z"})])}function er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 13.5h3.86a2.25 2.25 0 0 1 2.012 1.244l.256.512a2.25 2.25 0 0 0 2.013 1.244h3.218a2.25 2.25 0 0 0 2.013-1.244l.256-.512a2.25 2.25 0 0 1 2.013-1.244h3.859m-19.5.338V18a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 18v-4.162c0-.224-.034-.447-.1-.661L19.24 5.338a2.25 2.25 0 0 0-2.15-1.588H6.911a2.25 2.25 0 0 0-2.15 1.588L2.35 13.177a2.25 2.25 0 0 0-.1.661Z"})])}function tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m11.25 11.25.041-.02a.75.75 0 0 1 1.063.852l-.708 2.836a.75.75 0 0 0 1.063.853l.041-.021M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Zm-9-3.75h.008v.008H12V8.25Z"})])}function nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M5.248 20.246H9.05m0 0h3.696m-3.696 0 5.893-16.502m0 0h-3.697m3.697 0h3.803"})])}function rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 5.25a3 3 0 0 1 3 3m3 0a6 6 0 0 1-7.029 5.912c-.563-.097-1.159.026-1.563.43L10.5 17.25H8.25v2.25H6v2.25H2.25v-2.818c0-.597.237-1.17.659-1.591l6.499-6.499c.404-.404.527-1 .43-1.563A6 6 0 1 1 21.75 8.25Z"})])}function or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m10.5 21 5.25-11.25L21 21m-9-3h7.5M3 5.621a48.474 48.474 0 0 1 6-.371m0 0c1.12 0 2.233.038 3.334.114M9 5.25V3m3.334 2.364C11.176 10.658 7.69 15.08 3 17.502m9.334-12.138c.896.061 1.785.147 2.666.257m-4.589 8.495a18.023 18.023 0 0 1-3.827-5.802"})])}function ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.712 4.33a9.027 9.027 0 0 1 1.652 1.306c.51.51.944 1.064 1.306 1.652M16.712 4.33l-3.448 4.138m3.448-4.138a9.014 9.014 0 0 0-9.424 0M19.67 7.288l-4.138 3.448m4.138-3.448a9.014 9.014 0 0 1 0 9.424m-4.138-5.976a3.736 3.736 0 0 0-.88-1.388 3.737 3.737 0 0 0-1.388-.88m2.268 2.268a3.765 3.765 0 0 1 0 2.528m-2.268-4.796a3.765 3.765 0 0 0-2.528 0m4.796 4.796c-.181.506-.475.982-.88 1.388a3.736 3.736 0 0 1-1.388.88m2.268-2.268 4.138 3.448m0 0a9.027 9.027 0 0 1-1.306 1.652c-.51.51-1.064.944-1.652 1.306m0 0-3.448-4.138m3.448 4.138a9.014 9.014 0 0 1-9.424 0m5.976-4.138a3.765 3.765 0 0 1-2.528 0m0 0a3.736 3.736 0 0 1-1.388-.88 3.737 3.737 0 0 1-.88-1.388m2.268 2.268L7.288 19.67m0 0a9.024 9.024 0 0 1-1.652-1.306 9.027 9.027 0 0 1-1.306-1.652m0 0 4.138-3.448M4.33 16.712a9.014 9.014 0 0 1 0-9.424m4.138 5.976a3.765 3.765 0 0 1 0-2.528m0 0c.181-.506.475-.982.88-1.388a3.736 3.736 0 0 1 1.388-.88m-2.268 2.268L4.33 7.288m6.406 1.18L7.288 4.33m0 0a9.024 9.024 0 0 0-1.652 1.306A9.025 9.025 0 0 0 4.33 7.288"})])}function ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 18v-5.25m0 0a6.01 6.01 0 0 0 1.5-.189m-1.5.189a6.01 6.01 0 0 1-1.5-.189m3.75 7.478a12.06 12.06 0 0 1-4.5 0m3.75 2.383a14.406 14.406 0 0 1-3 0M14.25 18v-.192c0-.983.658-1.823 1.508-2.316a7.5 7.5 0 1 0-7.517 0c.85.493 1.509 1.333 1.509 2.316V18"})])}function lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.181 8.68a4.503 4.503 0 0 1 1.903 6.405m-9.768-2.782L3.56 14.06a4.5 4.5 0 0 0 6.364 6.365l3.129-3.129m5.614-5.615 1.757-1.757a4.5 4.5 0 0 0-6.364-6.365l-4.5 4.5c-.258.26-.479.541-.661.84m1.903 6.405a4.495 4.495 0 0 1-1.242-.88 4.483 4.483 0 0 1-1.062-1.683m6.587 2.345 5.907 5.907m-5.907-5.907L8.898 8.898M2.991 2.99 8.898 8.9"})])}function sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.19 8.688a4.5 4.5 0 0 1 1.242 7.244l-4.5 4.5a4.5 4.5 0 0 1-6.364-6.364l1.757-1.757m13.35-.622 1.757-1.757a4.5 4.5 0 0 0-6.364-6.364l-4.5 4.5a4.5 4.5 0 0 0 1.242 7.244"})])}function cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 6.75h12M8.25 12h12m-12 5.25h12M3.75 6.75h.007v.008H3.75V6.75Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0ZM3.75 12h.007v.008H3.75V12Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm-.375 5.25h.007v.008H3.75v-.008Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Z"})])}function ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.5 10.5V6.75a4.5 4.5 0 1 0-9 0v3.75m-.75 11.25h10.5a2.25 2.25 0 0 0 2.25-2.25v-6.75a2.25 2.25 0 0 0-2.25-2.25H6.75a2.25 2.25 0 0 0-2.25 2.25v6.75a2.25 2.25 0 0 0 2.25 2.25Z"})])}function dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.5 10.5V6.75a4.5 4.5 0 1 1 9 0v3.75M3.75 21.75h10.5a2.25 2.25 0 0 0 2.25-2.25v-6.75a2.25 2.25 0 0 0-2.25-2.25H3.75a2.25 2.25 0 0 0-2.25 2.25v6.75a2.25 2.25 0 0 0 2.25 2.25Z"})])}function hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m15.75 15.75-2.489-2.489m0 0a3.375 3.375 0 1 0-4.773-4.773 3.375 3.375 0 0 0 4.774 4.774ZM21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m21 21-5.197-5.197m0 0A7.5 7.5 0 1 0 5.196 5.196a7.5 7.5 0 0 0 10.607 10.607ZM13.5 10.5h-6"})])}function fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m21 21-5.197-5.197m0 0A7.5 7.5 0 1 0 5.196 5.196a7.5 7.5 0 0 0 10.607 10.607ZM10.5 7.5v6m3-3h-6"})])}function mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m21 21-5.197-5.197m0 0A7.5 7.5 0 1 0 5.196 5.196a7.5 7.5 0 0 0 10.607 10.607Z"})])}function vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 10.5a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 10.5c0 7.142-7.5 11.25-7.5 11.25S4.5 17.642 4.5 10.5a7.5 7.5 0 1 1 15 0Z"})])}function gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 6.75V15m6-6v8.25m.503 3.498 4.875-2.437c.381-.19.622-.58.622-1.006V4.82c0-.836-.88-1.38-1.628-1.006l-3.869 1.934c-.317.159-.69.159-1.006 0L9.503 3.252a1.125 1.125 0 0 0-1.006 0L3.622 5.689C3.24 5.88 3 6.27 3 6.695V19.18c0 .836.88 1.38 1.628 1.006l3.869-1.934c.317-.159.69-.159 1.006 0l4.994 2.497c.317.158.69.158 1.006 0Z"})])}function wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.34 15.84c-.688-.06-1.386-.09-2.09-.09H7.5a4.5 4.5 0 1 1 0-9h.75c.704 0 1.402-.03 2.09-.09m0 9.18c.253.962.584 1.892.985 2.783.247.55.06 1.21-.463 1.511l-.657.38c-.551.318-1.26.117-1.527-.461a20.845 20.845 0 0 1-1.44-4.282m3.102.069a18.03 18.03 0 0 1-.59-4.59c0-1.586.205-3.124.59-4.59m0 9.18a23.848 23.848 0 0 1 8.835 2.535M10.34 6.66a23.847 23.847 0 0 0 8.835-2.535m0 0A23.74 23.74 0 0 0 18.795 3m.38 1.125a23.91 23.91 0 0 1 1.014 5.395m-1.014 8.855c-.118.38-.245.754-.38 1.125m.38-1.125a23.91 23.91 0 0 0 1.014-5.395m0-3.46c.495.413.811 1.035.811 1.73 0 .695-.316 1.317-.811 1.73m0-3.46a24.347 24.347 0 0 1 0 3.46"})])}function yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 18.75a6 6 0 0 0 6-6v-1.5m-6 7.5a6 6 0 0 1-6-6v-1.5m6 7.5v3.75m-3.75 0h7.5M12 15.75a3 3 0 0 1-3-3V4.5a3 3 0 1 1 6 0v8.25a3 3 0 0 1-3 3Z"})])}function br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 12H9m12 0a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M18 12H6"})])}function kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M5 12h14"})])}function Er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21.752 15.002A9.72 9.72 0 0 1 18 15.75c-5.385 0-9.75-4.365-9.75-9.75 0-1.33.266-2.597.748-3.752A9.753 9.753 0 0 0 3 11.25C3 16.635 7.365 21 12.75 21a9.753 9.753 0 0 0 9.002-5.998Z"})])}function Ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9 9 10.5-3m0 6.553v3.75a2.25 2.25 0 0 1-1.632 2.163l-1.32.377a1.803 1.803 0 1 1-.99-3.467l2.31-.66a2.25 2.25 0 0 0 1.632-2.163Zm0 0V2.25L9 5.25v10.303m0 0v3.75a2.25 2.25 0 0 1-1.632 2.163l-1.32.377a1.803 1.803 0 0 1-.99-3.467l2.31-.66A2.25 2.25 0 0 0 9 15.553Z"})])}function Cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 7.5h1.5m-1.5 3h1.5m-7.5 3h7.5m-7.5 3h7.5m3-9h3.375c.621 0 1.125.504 1.125 1.125V18a2.25 2.25 0 0 1-2.25 2.25M16.5 7.5V18a2.25 2.25 0 0 0 2.25 2.25M16.5 7.5V4.875c0-.621-.504-1.125-1.125-1.125H4.125C3.504 3.75 3 4.254 3 4.875V18a2.25 2.25 0 0 0 2.25 2.25h13.5M6 7.5h3v3H6v-3Z"})])}function Br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M18.364 18.364A9 9 0 0 0 5.636 5.636m12.728 12.728A9 9 0 0 1 5.636 5.636m12.728 12.728L5.636 5.636"})])}function Mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.242 5.992h12m-12 6.003H20.24m-12 5.999h12M4.117 7.495v-3.75H2.99m1.125 3.75H2.99m1.125 0H5.24m-1.92 2.577a1.125 1.125 0 1 1 1.591 1.59l-1.83 1.83h2.16M2.99 15.745h1.125a1.125 1.125 0 0 1 0 2.25H3.74m0-.002h.375a1.125 1.125 0 0 1 0 2.25H2.99"})])}function _r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.53 16.122a3 3 0 0 0-5.78 1.128 2.25 2.25 0 0 1-2.4 2.245 4.5 4.5 0 0 0 8.4-2.245c0-.399-.078-.78-.22-1.128Zm0 0a15.998 15.998 0 0 0 3.388-1.62m-5.043-.025a15.994 15.994 0 0 1 1.622-3.395m3.42 3.42a15.995 15.995 0 0 0 4.764-4.648l3.876-5.814a1.151 1.151 0 0 0-1.597-1.597L14.146 6.32a15.996 15.996 0 0 0-4.649 4.763m3.42 3.42a6.776 6.776 0 0 0-3.42-3.42"})])}function Sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6 12 3.269 3.125A59.769 59.769 0 0 1 21.485 12 59.768 59.768 0 0 1 3.27 20.875L5.999 12Zm0 0h7.5"})])}function Nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m18.375 12.739-7.693 7.693a4.5 4.5 0 0 1-6.364-6.364l10.94-10.94A3 3 0 1 1 19.5 7.372L8.552 18.32m.009-.01-.01.01m5.699-9.941-7.81 7.81a1.5 1.5 0 0 0 2.112 2.13"})])}function Vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.25 9v6m-4.5 0V9M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function Lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 5.25v13.5m-7.5-13.5v13.5"})])}function Tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m16.862 4.487 1.687-1.688a1.875 1.875 0 1 1 2.652 2.652L10.582 16.07a4.5 4.5 0 0 1-1.897 1.13L6 18l.8-2.685a4.5 4.5 0 0 1 1.13-1.897l8.932-8.931Zm0 0L19.5 7.125M18 14v4.75A2.25 2.25 0 0 1 15.75 21H5.25A2.25 2.25 0 0 1 3 18.75V8.25A2.25 2.25 0 0 1 5.25 6H10"})])}function Ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m16.862 4.487 1.687-1.688a1.875 1.875 0 1 1 2.652 2.652L6.832 19.82a4.5 4.5 0 0 1-1.897 1.13l-2.685.8.8-2.685a4.5 4.5 0 0 1 1.13-1.897L16.863 4.487Zm0 0L19.5 7.125"})])}function Zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m8.99 14.993 6-6m6 3.001c0 1.268-.63 2.39-1.593 3.069a3.746 3.746 0 0 1-1.043 3.296 3.745 3.745 0 0 1-3.296 1.043 3.745 3.745 0 0 1-3.068 1.593c-1.268 0-2.39-.63-3.068-1.593a3.745 3.745 0 0 1-3.296-1.043 3.746 3.746 0 0 1-1.043-3.297 3.746 3.746 0 0 1-1.593-3.068c0-1.268.63-2.39 1.593-3.068a3.746 3.746 0 0 1 1.043-3.297 3.745 3.745 0 0 1 3.296-1.042 3.745 3.745 0 0 1 3.068-1.594c1.268 0 2.39.63 3.068 1.593a3.745 3.745 0 0 1 3.296 1.043 3.746 3.746 0 0 1 1.043 3.297 3.746 3.746 0 0 1 1.593 3.068ZM9.74 9.743h.008v.007H9.74v-.007Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm4.125 4.5h.008v.008h-.008v-.008Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Z"})])}function Or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.25 9.75v-4.5m0 4.5h4.5m-4.5 0 6-6m-3 18c-8.284 0-15-6.716-15-15V4.5A2.25 2.25 0 0 1 4.5 2.25h1.372c.516 0 .966.351 1.091.852l1.106 4.423c.11.44-.054.902-.417 1.173l-1.293.97a1.062 1.062 0 0 0-.38 1.21 12.035 12.035 0 0 0 7.143 7.143c.441.162.928-.004 1.21-.38l.97-1.293a1.125 1.125 0 0 1 1.173-.417l4.423 1.106c.5.125.852.575.852 1.091V19.5a2.25 2.25 0 0 1-2.25 2.25h-2.25Z"})])}function Dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M20.25 3.75v4.5m0-4.5h-4.5m4.5 0-6 6m3 12c-8.284 0-15-6.716-15-15V4.5A2.25 2.25 0 0 1 4.5 2.25h1.372c.516 0 .966.351 1.091.852l1.106 4.423c.11.44-.054.902-.417 1.173l-1.293.97a1.062 1.062 0 0 0-.38 1.21 12.035 12.035 0 0 0 7.143 7.143c.441.162.928-.004 1.21-.38l.97-1.293a1.125 1.125 0 0 1 1.173-.417l4.423 1.106c.5.125.852.575.852 1.091V19.5a2.25 2.25 0 0 1-2.25 2.25h-2.25Z"})])}function Rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 3.75 18 6m0 0 2.25 2.25M18 6l2.25-2.25M18 6l-2.25 2.25m1.5 13.5c-8.284 0-15-6.716-15-15V4.5A2.25 2.25 0 0 1 4.5 2.25h1.372c.516 0 .966.351 1.091.852l1.106 4.423c.11.44-.054.902-.417 1.173l-1.293.97a1.062 1.062 0 0 0-.38 1.21 12.035 12.035 0 0 0 7.143 7.143c.441.162.928-.004 1.21-.38l.97-1.293a1.125 1.125 0 0 1 1.173-.417l4.423 1.106c.5.125.852.575.852 1.091V19.5a2.25 2.25 0 0 1-2.25 2.25h-2.25Z"})])}function Hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 6.75c0 8.284 6.716 15 15 15h2.25a2.25 2.25 0 0 0 2.25-2.25v-1.372c0-.516-.351-.966-.852-1.091l-4.423-1.106c-.44-.11-.902.055-1.173.417l-.97 1.293c-.282.376-.769.542-1.21.38a12.035 12.035 0 0 1-7.143-7.143c-.162-.441.004-.928.38-1.21l1.293-.97c.363-.271.527-.734.417-1.173L6.963 3.102a1.125 1.125 0 0 0-1.091-.852H4.5A2.25 2.25 0 0 0 2.25 4.5v2.25Z"})])}function Pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m2.25 15.75 5.159-5.159a2.25 2.25 0 0 1 3.182 0l5.159 5.159m-1.5-1.5 1.409-1.409a2.25 2.25 0 0 1 3.182 0l2.909 2.909m-18 3.75h16.5a1.5 1.5 0 0 0 1.5-1.5V6a1.5 1.5 0 0 0-1.5-1.5H3.75A1.5 1.5 0 0 0 2.25 6v12a1.5 1.5 0 0 0 1.5 1.5Zm10.5-11.25h.008v.008h-.008V8.25Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Z"})])}function jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.91 11.672a.375.375 0 0 1 0 .656l-5.603 3.113a.375.375 0 0 1-.557-.328V8.887c0-.286.307-.466.557-.327l5.603 3.112Z"})])}function Fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 7.5V18M15 7.5V18M3 16.811V8.69c0-.864.933-1.406 1.683-.977l7.108 4.061a1.125 1.125 0 0 1 0 1.954l-7.108 4.061A1.125 1.125 0 0 1 3 16.811Z"})])}function zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M5.25 5.653c0-.856.917-1.398 1.667-.986l11.54 6.347a1.125 1.125 0 0 1 0 1.972l-11.54 6.347a1.125 1.125 0 0 1-1.667-.986V5.653Z"})])}function qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 9v6m3-3H9m12 0a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function Ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 6v12m6-6H6"})])}function $r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 4.5v15m7.5-7.5h-15"})])}function Wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M5.636 5.636a9 9 0 1 0 12.728 0M12 3v9"})])}function Gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 3v11.25A2.25 2.25 0 0 0 6 16.5h2.25M3.75 3h-1.5m1.5 0h16.5m0 0h1.5m-1.5 0v11.25A2.25 2.25 0 0 1 18 16.5h-2.25m-7.5 0h7.5m-7.5 0-1 3m8.5-3 1 3m0 0 .5 1.5m-.5-1.5h-9.5m0 0-.5 1.5M9 11.25v1.5M12 9v3.75m3-6v6"})])}function Kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 3v11.25A2.25 2.25 0 0 0 6 16.5h2.25M3.75 3h-1.5m1.5 0h16.5m0 0h1.5m-1.5 0v11.25A2.25 2.25 0 0 1 18 16.5h-2.25m-7.5 0h7.5m-7.5 0-1 3m8.5-3 1 3m0 0 .5 1.5m-.5-1.5h-9.5m0 0-.5 1.5m.75-9 3-3 2.148 2.148A12.061 12.061 0 0 1 16.5 7.605"})])}function Yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.72 13.829c-.24.03-.48.062-.72.096m.72-.096a42.415 42.415 0 0 1 10.56 0m-10.56 0L6.34 18m10.94-4.171c.24.03.48.062.72.096m-.72-.096L17.66 18m0 0 .229 2.523a1.125 1.125 0 0 1-1.12 1.227H7.231c-.662 0-1.18-.568-1.12-1.227L6.34 18m11.318 0h1.091A2.25 2.25 0 0 0 21 15.75V9.456c0-1.081-.768-2.015-1.837-2.175a48.055 48.055 0 0 0-1.913-.247M6.34 18H5.25A2.25 2.25 0 0 1 3 15.75V9.456c0-1.081.768-2.015 1.837-2.175a48.041 48.041 0 0 1 1.913-.247m10.5 0a48.536 48.536 0 0 0-10.5 0m10.5 0V3.375c0-.621-.504-1.125-1.125-1.125h-8.25c-.621 0-1.125.504-1.125 1.125v3.659M18 10.5h.008v.008H18V10.5Zm-3 0h.008v.008H15V10.5Z"})])}function Xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.25 6.087c0-.355.186-.676.401-.959.221-.29.349-.634.349-1.003 0-1.036-1.007-1.875-2.25-1.875s-2.25.84-2.25 1.875c0 .369.128.713.349 1.003.215.283.401.604.401.959v0a.64.64 0 0 1-.657.643 48.39 48.39 0 0 1-4.163-.3c.186 1.613.293 3.25.315 4.907a.656.656 0 0 1-.658.663v0c-.355 0-.676-.186-.959-.401a1.647 1.647 0 0 0-1.003-.349c-1.036 0-1.875 1.007-1.875 2.25s.84 2.25 1.875 2.25c.369 0 .713-.128 1.003-.349.283-.215.604-.401.959-.401v0c.31 0 .555.26.532.57a48.039 48.039 0 0 1-.642 5.056c1.518.19 3.058.309 4.616.354a.64.64 0 0 0 .657-.643v0c0-.355-.186-.676-.401-.959a1.647 1.647 0 0 1-.349-1.003c0-1.035 1.008-1.875 2.25-1.875 1.243 0 2.25.84 2.25 1.875 0 .369-.128.713-.349 1.003-.215.283-.4.604-.4.959v0c0 .333.277.599.61.58a48.1 48.1 0 0 0 5.427-.63 48.05 48.05 0 0 0 .582-4.717.532.532 0 0 0-.533-.57v0c-.355 0-.676.186-.959.401-.29.221-.634.349-1.003.349-1.035 0-1.875-1.007-1.875-2.25s.84-2.25 1.875-2.25c.37 0 .713.128 1.003.349.283.215.604.401.96.401v0a.656.656 0 0 0 .658-.663 48.422 48.422 0 0 0-.37-5.36c-1.886.342-3.81.574-5.766.689a.578.578 0 0 1-.61-.58v0Z"})])}function Jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 4.875c0-.621.504-1.125 1.125-1.125h4.5c.621 0 1.125.504 1.125 1.125v4.5c0 .621-.504 1.125-1.125 1.125h-4.5A1.125 1.125 0 0 1 3.75 9.375v-4.5ZM3.75 14.625c0-.621.504-1.125 1.125-1.125h4.5c.621 0 1.125.504 1.125 1.125v4.5c0 .621-.504 1.125-1.125 1.125h-4.5a1.125 1.125 0 0 1-1.125-1.125v-4.5ZM13.5 4.875c0-.621.504-1.125 1.125-1.125h4.5c.621 0 1.125.504 1.125 1.125v4.5c0 .621-.504 1.125-1.125 1.125h-4.5A1.125 1.125 0 0 1 13.5 9.375v-4.5Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.75 6.75h.75v.75h-.75v-.75ZM6.75 16.5h.75v.75h-.75v-.75ZM16.5 6.75h.75v.75h-.75v-.75ZM13.5 13.5h.75v.75h-.75v-.75ZM13.5 19.5h.75v.75h-.75v-.75ZM19.5 13.5h.75v.75h-.75v-.75ZM19.5 19.5h.75v.75h-.75v-.75ZM16.5 16.5h.75v.75h-.75v-.75Z"})])}function Qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.879 7.519c1.171-1.025 3.071-1.025 4.242 0 1.172 1.025 1.172 2.687 0 3.712-.203.179-.43.326-.67.442-.745.361-1.45.999-1.45 1.827v.75M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Zm-9 5.25h.008v.008H12v-.008Z"})])}function eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 12h16.5m-16.5 3.75h16.5M3.75 19.5h16.5M5.625 4.5h12.75a1.875 1.875 0 0 1 0 3.75H5.625a1.875 1.875 0 0 1 0-3.75Z"})])}function to(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m3.75 7.5 16.5-4.125M12 6.75c-2.708 0-5.363.224-7.948.655C2.999 7.58 2.25 8.507 2.25 9.574v9.176A2.25 2.25 0 0 0 4.5 21h15a2.25 2.25 0 0 0 2.25-2.25V9.574c0-1.067-.75-1.994-1.802-2.169A48.329 48.329 0 0 0 12 6.75Zm-1.683 6.443-.005.005-.006-.005.006-.005.005.005Zm-.005 2.127-.005-.006.005-.005.005.005-.005.005Zm-2.116-.006-.005.006-.006-.006.005-.005.006.005Zm-.005-2.116-.006-.005.006-.005.005.005-.005.005ZM9.255 10.5v.008h-.008V10.5h.008Zm3.249 1.88-.007.004-.003-.007.006-.003.004.006Zm-1.38 5.126-.003-.006.006-.004.004.007-.006.003Zm.007-6.501-.003.006-.007-.003.004-.007.006.004Zm1.37 5.129-.007-.004.004-.006.006.003-.004.007Zm.504-1.877h-.008v-.007h.008v.007ZM9.255 18v.008h-.008V18h.008Zm-3.246-1.87-.007.004L6 16.127l.006-.003.004.006Zm1.366-5.119-.004-.006.006-.004.004.007-.006.003ZM7.38 17.5l-.003.006-.007-.003.004-.007.006.004Zm-1.376-5.116L6 12.38l.003-.007.007.004-.004.007Zm-.5 1.873h-.008v-.007h.008v.007ZM17.25 12.75a.75.75 0 1 1 0-1.5.75.75 0 0 1 0 1.5Zm0 4.5a.75.75 0 1 1 0-1.5.75.75 0 0 1 0 1.5Z"})])}function no(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9 14.25 6-6m4.5-3.493V21.75l-3.75-1.5-3.75 1.5-3.75-1.5-3.75 1.5V4.757c0-1.108.806-2.057 1.907-2.185a48.507 48.507 0 0 1 11.186 0c1.1.128 1.907 1.077 1.907 2.185ZM9.75 9h.008v.008H9.75V9Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm4.125 4.5h.008v.008h-.008V13.5Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Z"})])}function ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 9.75h4.875a2.625 2.625 0 0 1 0 5.25H12M8.25 9.75 10.5 7.5M8.25 9.75 10.5 12m9-7.243V21.75l-3.75-1.5-3.75 1.5-3.75-1.5-3.75 1.5V4.757c0-1.108.806-2.057 1.907-2.185a48.507 48.507 0 0 1 11.186 0c1.1.128 1.907 1.077 1.907 2.185Z"})])}function oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 7.125C2.25 6.504 2.754 6 3.375 6h6c.621 0 1.125.504 1.125 1.125v3.75c0 .621-.504 1.125-1.125 1.125h-6a1.125 1.125 0 0 1-1.125-1.125v-3.75ZM14.25 8.625c0-.621.504-1.125 1.125-1.125h5.25c.621 0 1.125.504 1.125 1.125v8.25c0 .621-.504 1.125-1.125 1.125h-5.25a1.125 1.125 0 0 1-1.125-1.125v-8.25ZM3.75 16.125c0-.621.504-1.125 1.125-1.125h5.25c.621 0 1.125.504 1.125 1.125v2.25c0 .621-.504 1.125-1.125 1.125h-5.25a1.125 1.125 0 0 1-1.125-1.125v-2.25Z"})])}function io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6 6.878V6a2.25 2.25 0 0 1 2.25-2.25h7.5A2.25 2.25 0 0 1 18 6v.878m-12 0c.235-.083.487-.128.75-.128h10.5c.263 0 .515.045.75.128m-12 0A2.25 2.25 0 0 0 4.5 9v.878m13.5-3A2.25 2.25 0 0 1 19.5 9v.878m0 0a2.246 2.246 0 0 0-.75-.128H5.25c-.263 0-.515.045-.75.128m15 0A2.25 2.25 0 0 1 21 12v6a2.25 2.25 0 0 1-2.25 2.25H5.25A2.25 2.25 0 0 1 3 18v-6c0-.98.626-1.813 1.5-2.122"})])}function ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.59 14.37a6 6 0 0 1-5.84 7.38v-4.8m5.84-2.58a14.98 14.98 0 0 0 6.16-12.12A14.98 14.98 0 0 0 9.631 8.41m5.96 5.96a14.926 14.926 0 0 1-5.841 2.58m-.119-8.54a6 6 0 0 0-7.381 5.84h4.8m2.581-5.84a14.927 14.927 0 0 0-2.58 5.84m2.699 2.7c-.103.021-.207.041-.311.06a15.09 15.09 0 0 1-2.448-2.448 14.9 14.9 0 0 1 .06-.312m-2.24 2.39a4.493 4.493 0 0 0-1.757 4.306 4.493 4.493 0 0 0 4.306-1.758M16.5 9a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0Z"})])}function lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12.75 19.5v-.75a7.5 7.5 0 0 0-7.5-7.5H4.5m0-6.75h.75c7.87 0 14.25 6.38 14.25 14.25v.75M6 18.75a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z"})])}function so(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 3v17.25m0 0c-1.472 0-2.882.265-4.185.75M12 20.25c1.472 0 2.882.265 4.185.75M18.75 4.97A48.416 48.416 0 0 0 12 4.5c-2.291 0-4.545.16-6.75.47m13.5 0c1.01.143 2.01.317 3 .52m-3-.52 2.62 10.726c.122.499-.106 1.028-.589 1.202a5.988 5.988 0 0 1-2.031.352 5.988 5.988 0 0 1-2.031-.352c-.483-.174-.711-.703-.59-1.202L18.75 4.971Zm-16.5.52c.99-.203 1.99-.377 3-.52m0 0 2.62 10.726c.122.499-.106 1.028-.589 1.202a5.989 5.989 0 0 1-2.031.352 5.989 5.989 0 0 1-2.031-.352c-.483-.174-.711-.703-.59-1.202L5.25 4.971Z"})])}function co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m7.848 8.25 1.536.887M7.848 8.25a3 3 0 1 1-5.196-3 3 3 0 0 1 5.196 3Zm1.536.887a2.165 2.165 0 0 1 1.083 1.839c.005.351.054.695.14 1.024M9.384 9.137l2.077 1.199M7.848 15.75l1.536-.887m-1.536.887a3 3 0 1 1-5.196 3 3 3 0 0 1 5.196-3Zm1.536-.887a2.165 2.165 0 0 0 1.083-1.838c.005-.352.054-.695.14-1.025m-1.223 2.863 2.077-1.199m0-3.328a4.323 4.323 0 0 1 2.068-1.379l5.325-1.628a4.5 4.5 0 0 1 2.48-.044l.803.215-7.794 4.5m-2.882-1.664A4.33 4.33 0 0 0 10.607 12m3.736 0 7.794 4.5-.802.215a4.5 4.5 0 0 1-2.48-.043l-5.326-1.629a4.324 4.324 0 0 1-2.068-1.379M14.343 12l-2.882 1.664"})])}function uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M5.25 14.25h13.5m-13.5 0a3 3 0 0 1-3-3m3 3a3 3 0 1 0 0 6h13.5a3 3 0 1 0 0-6m-16.5-3a3 3 0 0 1 3-3h13.5a3 3 0 0 1 3 3m-19.5 0a4.5 4.5 0 0 1 .9-2.7L5.737 5.1a3.375 3.375 0 0 1 2.7-1.35h7.126c1.062 0 2.062.5 2.7 1.35l2.587 3.45a4.5 4.5 0 0 1 .9 2.7m0 0a3 3 0 0 1-3 3m0 3h.008v.008h-.008v-.008Zm0-6h.008v.008h-.008v-.008Zm-3 6h.008v.008h-.008v-.008Zm0-6h.008v.008h-.008v-.008Z"})])}function ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21.75 17.25v-.228a4.5 4.5 0 0 0-.12-1.03l-2.268-9.64a3.375 3.375 0 0 0-3.285-2.602H7.923a3.375 3.375 0 0 0-3.285 2.602l-2.268 9.64a4.5 4.5 0 0 0-.12 1.03v.228m19.5 0a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3m19.5 0a3 3 0 0 0-3-3H5.25a3 3 0 0 0-3 3m16.5 0h.008v.008h-.008v-.008Zm-3 0h.008v.008h-.008v-.008Z"})])}function po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.217 10.907a2.25 2.25 0 1 0 0 2.186m0-2.186c.18.324.283.696.283 1.093s-.103.77-.283 1.093m0-2.186 9.566-5.314m-9.566 7.5 9.566 5.314m0 0a2.25 2.25 0 1 0 3.935 2.186 2.25 2.25 0 0 0-3.935-2.186Zm0-12.814a2.25 2.25 0 1 0 3.933-2.185 2.25 2.25 0 0 0-3.933 2.185Z"})])}function fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 12.75 11.25 15 15 9.75m-3-7.036A11.959 11.959 0 0 1 3.598 6 11.99 11.99 0 0 0 3 9.749c0 5.592 3.824 10.29 9 11.623 5.176-1.332 9-6.03 9-11.622 0-1.31-.21-2.571-.598-3.751h-.152c-3.196 0-6.1-1.248-8.25-3.285Z"})])}function mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 9v3.75m0-10.036A11.959 11.959 0 0 1 3.598 6 11.99 11.99 0 0 0 3 9.75c0 5.592 3.824 10.29 9 11.622 5.176-1.332 9-6.03 9-11.622 0-1.31-.21-2.57-.598-3.75h-.152c-3.196 0-6.1-1.25-8.25-3.286Zm0 13.036h.008v.008H12v-.008Z"})])}function vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 10.5V6a3.75 3.75 0 1 0-7.5 0v4.5m11.356-1.993 1.263 12c.07.665-.45 1.243-1.119 1.243H4.25a1.125 1.125 0 0 1-1.12-1.243l1.264-12A1.125 1.125 0 0 1 5.513 7.5h12.974c.576 0 1.059.435 1.119 1.007ZM8.625 10.5a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm7.5 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Z"})])}function go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 3h1.386c.51 0 .955.343 1.087.835l.383 1.437M7.5 14.25a3 3 0 0 0-3 3h15.75m-12.75-3h11.218c1.121-2.3 2.1-4.684 2.924-7.138a60.114 60.114 0 0 0-16.536-1.84M7.5 14.25 5.106 5.272M6 20.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm12.75 0a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z"})])}function wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m3 3 8.735 8.735m0 0a.374.374 0 1 1 .53.53m-.53-.53.53.53m0 0L21 21M14.652 9.348a3.75 3.75 0 0 1 0 5.304m2.121-7.425a6.75 6.75 0 0 1 0 9.546m2.121-11.667c3.808 3.807 3.808 9.98 0 13.788m-9.546-4.242a3.733 3.733 0 0 1-1.06-2.122m-1.061 4.243a6.75 6.75 0 0 1-1.625-6.929m-.496 9.05c-3.068-3.067-3.664-7.67-1.79-11.334M12 12h.008v.008H12V12Z"})])}function yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.348 14.652a3.75 3.75 0 0 1 0-5.304m5.304 0a3.75 3.75 0 0 1 0 5.304m-7.425 2.121a6.75 6.75 0 0 1 0-9.546m9.546 0a6.75 6.75 0 0 1 0 9.546M5.106 18.894c-3.808-3.807-3.808-9.98 0-13.788m13.788 0c3.808 3.807 3.808 9.98 0 13.788M12 12h.008v.008H12V12Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Z"})])}function bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9 20.247 6-16.5"})])}function xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.813 15.904 9 18.75l-.813-2.846a4.5 4.5 0 0 0-3.09-3.09L2.25 12l2.846-.813a4.5 4.5 0 0 0 3.09-3.09L9 5.25l.813 2.846a4.5 4.5 0 0 0 3.09 3.09L15.75 12l-2.846.813a4.5 4.5 0 0 0-3.09 3.09ZM18.259 8.715 18 9.75l-.259-1.035a3.375 3.375 0 0 0-2.455-2.456L14.25 6l1.036-.259a3.375 3.375 0 0 0 2.455-2.456L18 2.25l.259 1.035a3.375 3.375 0 0 0 2.456 2.456L21.75 6l-1.035.259a3.375 3.375 0 0 0-2.456 2.456ZM16.894 20.567 16.5 21.75l-.394-1.183a2.25 2.25 0 0 0-1.423-1.423L13.5 18.75l1.183-.394a2.25 2.25 0 0 0 1.423-1.423l.394-1.183.394 1.183a2.25 2.25 0 0 0 1.423 1.423l1.183.394-1.183.394a2.25 2.25 0 0 0-1.423 1.423Z"})])}function ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.114 5.636a9 9 0 0 1 0 12.728M16.463 8.288a5.25 5.25 0 0 1 0 7.424M6.75 8.25l4.72-4.72a.75.75 0 0 1 1.28.53v15.88a.75.75 0 0 1-1.28.53l-4.72-4.72H4.51c-.88 0-1.704-.507-1.938-1.354A9.009 9.009 0 0 1 2.25 12c0-.83.112-1.633.322-2.396C2.806 8.756 3.63 8.25 4.51 8.25H6.75Z"})])}function Eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M17.25 9.75 19.5 12m0 0 2.25 2.25M19.5 12l2.25-2.25M19.5 12l-2.25 2.25m-10.5-6 4.72-4.72a.75.75 0 0 1 1.28.53v15.88a.75.75 0 0 1-1.28.53l-4.72-4.72H4.51c-.88 0-1.704-.507-1.938-1.354A9.009 9.009 0 0 1 2.25 12c0-.83.112-1.633.322-2.396C2.806 8.756 3.63 8.25 4.51 8.25H6.75Z"})])}function Ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.5 8.25V6a2.25 2.25 0 0 0-2.25-2.25H6A2.25 2.25 0 0 0 3.75 6v8.25A2.25 2.25 0 0 0 6 16.5h2.25m8.25-8.25H18a2.25 2.25 0 0 1 2.25 2.25V18A2.25 2.25 0 0 1 18 20.25h-7.5A2.25 2.25 0 0 1 8.25 18v-1.5m8.25-8.25h-6a2.25 2.25 0 0 0-2.25 2.25v6"})])}function Co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.429 9.75 2.25 12l4.179 2.25m0-4.5 5.571 3 5.571-3m-11.142 0L2.25 7.5 12 2.25l9.75 5.25-4.179 2.25m0 0L21.75 12l-4.179 2.25m0 0 4.179 2.25L12 21.75 2.25 16.5l4.179-2.25m11.142 0-5.571 3-5.571-3"})])}function Bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 6A2.25 2.25 0 0 1 6 3.75h2.25A2.25 2.25 0 0 1 10.5 6v2.25a2.25 2.25 0 0 1-2.25 2.25H6a2.25 2.25 0 0 1-2.25-2.25V6ZM3.75 15.75A2.25 2.25 0 0 1 6 13.5h2.25a2.25 2.25 0 0 1 2.25 2.25V18a2.25 2.25 0 0 1-2.25 2.25H6A2.25 2.25 0 0 1 3.75 18v-2.25ZM13.5 6a2.25 2.25 0 0 1 2.25-2.25H18A2.25 2.25 0 0 1 20.25 6v2.25A2.25 2.25 0 0 1 18 10.5h-2.25a2.25 2.25 0 0 1-2.25-2.25V6ZM13.5 15.75a2.25 2.25 0 0 1 2.25-2.25H18a2.25 2.25 0 0 1 2.25 2.25V18A2.25 2.25 0 0 1 18 20.25h-2.25A2.25 2.25 0 0 1 13.5 18v-2.25Z"})])}function Mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.5 16.875h3.375m0 0h3.375m-3.375 0V13.5m0 3.375v3.375M6 10.5h2.25a2.25 2.25 0 0 0 2.25-2.25V6a2.25 2.25 0 0 0-2.25-2.25H6A2.25 2.25 0 0 0 3.75 6v2.25A2.25 2.25 0 0 0 6 10.5Zm0 9.75h2.25A2.25 2.25 0 0 0 10.5 18v-2.25a2.25 2.25 0 0 0-2.25-2.25H6a2.25 2.25 0 0 0-2.25 2.25V18A2.25 2.25 0 0 0 6 20.25Zm9.75-9.75H18a2.25 2.25 0 0 0 2.25-2.25V6A2.25 2.25 0 0 0 18 3.75h-2.25A2.25 2.25 0 0 0 13.5 6v2.25a2.25 2.25 0 0 0 2.25 2.25Z"})])}function _o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M11.48 3.499a.562.562 0 0 1 1.04 0l2.125 5.111a.563.563 0 0 0 .475.345l5.518.442c.499.04.701.663.321.988l-4.204 3.602a.563.563 0 0 0-.182.557l1.285 5.385a.562.562 0 0 1-.84.61l-4.725-2.885a.562.562 0 0 0-.586 0L6.982 20.54a.562.562 0 0 1-.84-.61l1.285-5.386a.562.562 0 0 0-.182-.557l-4.204-3.602a.562.562 0 0 1 .321-.988l5.518-.442a.563.563 0 0 0 .475-.345L11.48 3.5Z"})])}function So(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 9.563C9 9.252 9.252 9 9.563 9h4.874c.311 0 .563.252.563.563v4.874c0 .311-.252.563-.563.563H9.564A.562.562 0 0 1 9 14.437V9.564Z"})])}function No(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M5.25 7.5A2.25 2.25 0 0 1 7.5 5.25h9a2.25 2.25 0 0 1 2.25 2.25v9a2.25 2.25 0 0 1-2.25 2.25h-9a2.25 2.25 0 0 1-2.25-2.25v-9Z"})])}function Vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 12a8.912 8.912 0 0 1-.318-.079c-1.585-.424-2.904-1.247-3.76-2.236-.873-1.009-1.265-2.19-.968-3.301.59-2.2 3.663-3.29 6.863-2.432A8.186 8.186 0 0 1 16.5 5.21M6.42 17.81c.857.99 2.176 1.812 3.761 2.237 3.2.858 6.274-.23 6.863-2.431.233-.868.044-1.779-.465-2.617M3.75 12h16.5"})])}function Lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 3v2.25m6.364.386-1.591 1.591M21 12h-2.25m-.386 6.364-1.591-1.591M12 18.75V21m-4.773-4.227-1.591 1.591M5.25 12H3m4.227-4.773L5.636 5.636M15.75 12a3.75 3.75 0 1 1-7.5 0 3.75 3.75 0 0 1 7.5 0Z"})])}function To(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.098 19.902a3.75 3.75 0 0 0 5.304 0l6.401-6.402M6.75 21A3.75 3.75 0 0 1 3 17.25V4.125C3 3.504 3.504 3 4.125 3h5.25c.621 0 1.125.504 1.125 1.125v4.072M6.75 21a3.75 3.75 0 0 0 3.75-3.75V8.197M6.75 21h13.125c.621 0 1.125-.504 1.125-1.125v-5.25c0-.621-.504-1.125-1.125-1.125h-4.072M10.5 8.197l2.88-2.88c.438-.439 1.15-.439 1.59 0l3.712 3.713c.44.44.44 1.152 0 1.59l-2.879 2.88M6.75 17.25h.008v.008H6.75v-.008Z"})])}function Io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.375 19.5h17.25m-17.25 0a1.125 1.125 0 0 1-1.125-1.125M3.375 19.5h7.5c.621 0 1.125-.504 1.125-1.125m-9.75 0V5.625m0 12.75v-1.5c0-.621.504-1.125 1.125-1.125m18.375 2.625V5.625m0 12.75c0 .621-.504 1.125-1.125 1.125m1.125-1.125v-1.5c0-.621-.504-1.125-1.125-1.125m0 3.75h-7.5A1.125 1.125 0 0 1 12 18.375m9.75-12.75c0-.621-.504-1.125-1.125-1.125H3.375c-.621 0-1.125.504-1.125 1.125m19.5 0v1.5c0 .621-.504 1.125-1.125 1.125M2.25 5.625v1.5c0 .621.504 1.125 1.125 1.125m0 0h17.25m-17.25 0h7.5c.621 0 1.125.504 1.125 1.125M3.375 8.25c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125m17.25-3.75h-7.5c-.621 0-1.125.504-1.125 1.125m8.625-1.125c.621 0 1.125.504 1.125 1.125v1.5c0 .621-.504 1.125-1.125 1.125m-17.25 0h7.5m-7.5 0c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125M12 10.875v-1.5m0 1.5c0 .621-.504 1.125-1.125 1.125M12 10.875c0 .621.504 1.125 1.125 1.125m-2.25 0c.621 0 1.125.504 1.125 1.125M13.125 12h7.5m-7.5 0c-.621 0-1.125.504-1.125 1.125M20.625 12c.621 0 1.125.504 1.125 1.125v1.5c0 .621-.504 1.125-1.125 1.125m-17.25 0h7.5M12 14.625v-1.5m0 1.5c0 .621-.504 1.125-1.125 1.125M12 14.625c0 .621.504 1.125 1.125 1.125m-2.25 0c.621 0 1.125.504 1.125 1.125m0 1.5v-1.5m0 0c0-.621.504-1.125 1.125-1.125m0 0h7.5"})])}function Zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.568 3H5.25A2.25 2.25 0 0 0 3 5.25v4.318c0 .597.237 1.17.659 1.591l9.581 9.581c.699.699 1.78.872 2.607.33a18.095 18.095 0 0 0 5.223-5.223c.542-.827.369-1.908-.33-2.607L11.16 3.66A2.25 2.25 0 0 0 9.568 3Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6 6h.008v.008H6V6Z"})])}function Oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.5 6v.75m0 3v.75m0 3v.75m0 3V18m-9-5.25h5.25M7.5 15h3M3.375 5.25c-.621 0-1.125.504-1.125 1.125v3.026a2.999 2.999 0 0 1 0 5.198v3.026c0 .621.504 1.125 1.125 1.125h17.25c.621 0 1.125-.504 1.125-1.125v-3.026a2.999 2.999 0 0 1 0-5.198V6.375c0-.621-.504-1.125-1.125-1.125H3.375Z"})])}function Do(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m14.74 9-.346 9m-4.788 0L9.26 9m9.968-3.21c.342.052.682.107 1.022.166m-1.022-.165L18.16 19.673a2.25 2.25 0 0 1-2.244 2.077H8.084a2.25 2.25 0 0 1-2.244-2.077L4.772 5.79m14.456 0a48.108 48.108 0 0 0-3.478-.397m-12 .562c.34-.059.68-.114 1.022-.165m0 0a48.11 48.11 0 0 1 3.478-.397m7.5 0v-.916c0-1.18-.91-2.164-2.09-2.201a51.964 51.964 0 0 0-3.32 0c-1.18.037-2.09 1.022-2.09 2.201v.916m7.5 0a48.667 48.667 0 0 0-7.5 0"})])}function Ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.5 18.75h-9m9 0a3 3 0 0 1 3 3h-15a3 3 0 0 1 3-3m9 0v-3.375c0-.621-.503-1.125-1.125-1.125h-.871M7.5 18.75v-3.375c0-.621.504-1.125 1.125-1.125h.872m5.007 0H9.497m5.007 0a7.454 7.454 0 0 1-.982-3.172M9.497 14.25a7.454 7.454 0 0 0 .981-3.172M5.25 4.236c-.982.143-1.954.317-2.916.52A6.003 6.003 0 0 0 7.73 9.728M5.25 4.236V4.5c0 2.108.966 3.99 2.48 5.228M5.25 4.236V2.721C7.456 2.41 9.71 2.25 12 2.25c2.291 0 4.545.16 6.75.47v1.516M7.73 9.728a6.726 6.726 0 0 0 2.748 1.35m8.272-6.842V4.5c0 2.108-.966 3.99-2.48 5.228m2.48-5.492a46.32 46.32 0 0 1 2.916.52 6.003 6.003 0 0 1-5.395 4.972m0 0a6.726 6.726 0 0 1-2.749 1.35m0 0a6.772 6.772 0 0 1-3.044 0"})])}function Ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 18.75a1.5 1.5 0 0 1-3 0m3 0a1.5 1.5 0 0 0-3 0m3 0h6m-9 0H3.375a1.125 1.125 0 0 1-1.125-1.125V14.25m17.25 4.5a1.5 1.5 0 0 1-3 0m3 0a1.5 1.5 0 0 0-3 0m3 0h1.125c.621 0 1.129-.504 1.09-1.124a17.902 17.902 0 0 0-3.213-9.193 2.056 2.056 0 0 0-1.58-.86H14.25M16.5 18.75h-2.25m0-11.177v-.958c0-.568-.422-1.048-.987-1.106a48.554 48.554 0 0 0-10.026 0 1.106 1.106 0 0 0-.987 1.106v7.635m12-6.677v6.677m0 4.5v-4.5m0 0h-12"})])}function Po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6 20.25h12m-7.5-3v3m3-3v3m-10.125-3h17.25c.621 0 1.125-.504 1.125-1.125V4.875c0-.621-.504-1.125-1.125-1.125H3.375c-.621 0-1.125.504-1.125 1.125v11.25c0 .621.504 1.125 1.125 1.125Z"})])}function jo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M17.995 3.744v7.5a6 6 0 1 1-12 0v-7.5m-2.25 16.502h16.5"})])}function Fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M17.982 18.725A7.488 7.488 0 0 0 12 15.75a7.488 7.488 0 0 0-5.982 2.975m11.963 0a9 9 0 1 0-11.963 0m11.963 0A8.966 8.966 0 0 1 12 21a8.966 8.966 0 0 1-5.982-2.275M15 9.75a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z"})])}function zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M18 18.72a9.094 9.094 0 0 0 3.741-.479 3 3 0 0 0-4.682-2.72m.94 3.198.001.031c0 .225-.012.447-.037.666A11.944 11.944 0 0 1 12 21c-2.17 0-4.207-.576-5.963-1.584A6.062 6.062 0 0 1 6 18.719m12 0a5.971 5.971 0 0 0-.941-3.197m0 0A5.995 5.995 0 0 0 12 12.75a5.995 5.995 0 0 0-5.058 2.772m0 0a3 3 0 0 0-4.681 2.72 8.986 8.986 0 0 0 3.74.477m.94-3.197a5.971 5.971 0 0 0-.94 3.197M15 6.75a3 3 0 1 1-6 0 3 3 0 0 1 6 0Zm6 3a2.25 2.25 0 1 1-4.5 0 2.25 2.25 0 0 1 4.5 0Zm-13.5 0a2.25 2.25 0 1 1-4.5 0 2.25 2.25 0 0 1 4.5 0Z"})])}function qo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M22 10.5h-6m-2.25-4.125a3.375 3.375 0 1 1-6.75 0 3.375 3.375 0 0 1 6.75 0ZM4 19.235v-.11a6.375 6.375 0 0 1 12.75 0v.109A12.318 12.318 0 0 1 10.374 21c-2.331 0-4.512-.645-6.374-1.766Z"})])}function Uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M18 7.5v3m0 0v3m0-3h3m-3 0h-3m-2.25-4.125a3.375 3.375 0 1 1-6.75 0 3.375 3.375 0 0 1 6.75 0ZM3 19.235v-.11a6.375 6.375 0 0 1 12.75 0v.109A12.318 12.318 0 0 1 9.374 21c-2.331 0-4.512-.645-6.374-1.766Z"})])}function $o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 6a3.75 3.75 0 1 1-7.5 0 3.75 3.75 0 0 1 7.5 0ZM4.501 20.118a7.5 7.5 0 0 1 14.998 0A17.933 17.933 0 0 1 12 21.75c-2.676 0-5.216-.584-7.499-1.632Z"})])}function Wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 19.128a9.38 9.38 0 0 0 2.625.372 9.337 9.337 0 0 0 4.121-.952 4.125 4.125 0 0 0-7.533-2.493M15 19.128v-.003c0-1.113-.285-2.16-.786-3.07M15 19.128v.106A12.318 12.318 0 0 1 8.624 21c-2.331 0-4.512-.645-6.374-1.766l-.001-.109a6.375 6.375 0 0 1 11.964-3.07M12 6.375a3.375 3.375 0 1 1-6.75 0 3.375 3.375 0 0 1 6.75 0Zm8.25 2.25a2.625 2.625 0 1 1-5.25 0 2.625 2.625 0 0 1 5.25 0Z"})])}function Go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.745 3A23.933 23.933 0 0 0 3 12c0 3.183.62 6.22 1.745 9M19.5 3c.967 2.78 1.5 5.817 1.5 9s-.533 6.22-1.5 9M8.25 8.885l1.444-.89a.75.75 0 0 1 1.105.402l2.402 7.206a.75.75 0 0 0 1.104.401l1.445-.889m-8.25.75.213.09a1.687 1.687 0 0 0 2.062-.617l4.45-6.676a1.688 1.688 0 0 1 2.062-.618l.213.09"})])}function Ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m15.75 10.5 4.72-4.72a.75.75 0 0 1 1.28.53v11.38a.75.75 0 0 1-1.28.53l-4.72-4.72M12 18.75H4.5a2.25 2.25 0 0 1-2.25-2.25V9m12.841 9.091L16.5 19.5m-1.409-1.409c.407-.407.659-.97.659-1.591v-9a2.25 2.25 0 0 0-2.25-2.25h-9c-.621 0-1.184.252-1.591.659m12.182 12.182L2.909 5.909M1.5 4.5l1.409 1.409"})])}function Yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m15.75 10.5 4.72-4.72a.75.75 0 0 1 1.28.53v11.38a.75.75 0 0 1-1.28.53l-4.72-4.72M4.5 18.75h9a2.25 2.25 0 0 0 2.25-2.25v-9a2.25 2.25 0 0 0-2.25-2.25h-9A2.25 2.25 0 0 0 2.25 7.5v9a2.25 2.25 0 0 0 2.25 2.25Z"})])}function Xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 4.5v15m6-15v15m-10.875 0h15.75c.621 0 1.125-.504 1.125-1.125V5.625c0-.621-.504-1.125-1.125-1.125H4.125C3.504 4.5 3 5.004 3 5.625v12.75c0 .621.504 1.125 1.125 1.125Z"})])}function Jo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.5 3.75H6A2.25 2.25 0 0 0 3.75 6v1.5M16.5 3.75H18A2.25 2.25 0 0 1 20.25 6v1.5m0 9V18A2.25 2.25 0 0 1 18 20.25h-1.5m-9 0H6A2.25 2.25 0 0 1 3.75 18v-1.5M15 12a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z"})])}function Qo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 12a2.25 2.25 0 0 0-2.25-2.25H15a3 3 0 1 1-6 0H5.25A2.25 2.25 0 0 0 3 12m18 0v6a2.25 2.25 0 0 1-2.25 2.25H5.25A2.25 2.25 0 0 1 3 18v-6m18 0V9M3 12V9m18 0a2.25 2.25 0 0 0-2.25-2.25H5.25A2.25 2.25 0 0 0 3 9m18 0V6a2.25 2.25 0 0 0-2.25-2.25H5.25A2.25 2.25 0 0 0 3 6v3"})])}function ei(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.288 15.038a5.25 5.25 0 0 1 7.424 0M5.106 11.856c3.807-3.808 9.98-3.808 13.788 0M1.924 8.674c5.565-5.565 14.587-5.565 20.152 0M12.53 18.22l-.53.53-.53-.53a.75.75 0 0 1 1.06 0Z"})])}function ti(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 8.25V18a2.25 2.25 0 0 0 2.25 2.25h13.5A2.25 2.25 0 0 0 21 18V8.25m-18 0V6a2.25 2.25 0 0 1 2.25-2.25h13.5A2.25 2.25 0 0 1 21 6v2.25m-18 0h18M5.25 6h.008v.008H5.25V6ZM7.5 6h.008v.008H7.5V6Zm2.25 0h.008v.008H9.75V6Z"})])}function ni(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M11.42 15.17 17.25 21A2.652 2.652 0 0 0 21 17.25l-5.877-5.877M11.42 15.17l2.496-3.03c.317-.384.74-.626 1.208-.766M11.42 15.17l-4.655 5.653a2.548 2.548 0 1 1-3.586-3.586l6.837-5.63m5.108-.233c.55-.164 1.163-.188 1.743-.14a4.5 4.5 0 0 0 4.486-6.336l-3.276 3.277a3.004 3.004 0 0 1-2.25-2.25l3.276-3.276a4.5 4.5 0 0 0-6.336 4.486c.091 1.076-.071 2.264-.904 2.95l-.102.085m-1.745 1.437L5.909 7.5H4.5L2.25 3.75l1.5-1.5L7.5 4.5v1.409l4.26 4.26m-1.745 1.437 1.745-1.437m6.615 8.206L15.75 15.75M4.867 19.125h.008v.008h-.008v-.008Z"})])}function ri(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21.75 6.75a4.5 4.5 0 0 1-4.884 4.484c-1.076-.091-2.264.071-2.95.904l-7.152 8.684a2.548 2.548 0 1 1-3.586-3.586l8.684-7.152c.833-.686.995-1.874.904-2.95a4.5 4.5 0 0 1 6.336-4.486l-3.276 3.276a3.004 3.004 0 0 0 2.25 2.25l3.276-3.276c.256.565.398 1.192.398 1.852Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.867 19.125h.008v.008h-.008v-.008Z"})])}function oi(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9.75 9.75 4.5 4.5m0-4.5-4.5 4.5M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function ii(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6 18 18 6M6 6l12 12"})])}},32113:(e,t,n)=>{"use strict";n.r(t),n.d(t,{AcademicCapIcon:()=>o,AdjustmentsHorizontalIcon:()=>i,AdjustmentsVerticalIcon:()=>a,ArchiveBoxArrowDownIcon:()=>l,ArchiveBoxIcon:()=>c,ArchiveBoxXMarkIcon:()=>s,ArrowDownCircleIcon:()=>u,ArrowDownIcon:()=>v,ArrowDownLeftIcon:()=>d,ArrowDownOnSquareIcon:()=>p,ArrowDownOnSquareStackIcon:()=>h,ArrowDownRightIcon:()=>f,ArrowDownTrayIcon:()=>m,ArrowLeftCircleIcon:()=>g,ArrowLeftEndOnRectangleIcon:()=>w,ArrowLeftIcon:()=>x,ArrowLeftOnRectangleIcon:()=>y,ArrowLeftStartOnRectangleIcon:()=>b,ArrowLongDownIcon:()=>k,ArrowLongLeftIcon:()=>E,ArrowLongRightIcon:()=>A,ArrowLongUpIcon:()=>C,ArrowPathIcon:()=>M,ArrowPathRoundedSquareIcon:()=>B,ArrowRightCircleIcon:()=>_,ArrowRightEndOnRectangleIcon:()=>S,ArrowRightIcon:()=>L,ArrowRightOnRectangleIcon:()=>N,ArrowRightStartOnRectangleIcon:()=>V,ArrowSmallDownIcon:()=>T,ArrowSmallLeftIcon:()=>I,ArrowSmallRightIcon:()=>Z,ArrowSmallUpIcon:()=>O,ArrowTopRightOnSquareIcon:()=>D,ArrowTrendingDownIcon:()=>R,ArrowTrendingUpIcon:()=>H,ArrowTurnDownLeftIcon:()=>P,ArrowTurnDownRightIcon:()=>j,ArrowTurnLeftDownIcon:()=>F,ArrowTurnLeftUpIcon:()=>z,ArrowTurnRightDownIcon:()=>q,ArrowTurnRightUpIcon:()=>U,ArrowTurnUpLeftIcon:()=>$,ArrowTurnUpRightIcon:()=>W,ArrowUpCircleIcon:()=>G,ArrowUpIcon:()=>ee,ArrowUpLeftIcon:()=>K,ArrowUpOnSquareIcon:()=>X,ArrowUpOnSquareStackIcon:()=>Y,ArrowUpRightIcon:()=>J,ArrowUpTrayIcon:()=>Q,ArrowUturnDownIcon:()=>te,ArrowUturnLeftIcon:()=>ne,ArrowUturnRightIcon:()=>re,ArrowUturnUpIcon:()=>oe,ArrowsPointingInIcon:()=>ie,ArrowsPointingOutIcon:()=>ae,ArrowsRightLeftIcon:()=>le,ArrowsUpDownIcon:()=>se,AtSymbolIcon:()=>ce,BackspaceIcon:()=>ue,BackwardIcon:()=>de,BanknotesIcon:()=>he,Bars2Icon:()=>pe,Bars3BottomLeftIcon:()=>fe,Bars3BottomRightIcon:()=>me,Bars3CenterLeftIcon:()=>ve,Bars3Icon:()=>ge,Bars4Icon:()=>we,BarsArrowDownIcon:()=>ye,BarsArrowUpIcon:()=>be,Battery0Icon:()=>xe,Battery100Icon:()=>ke,Battery50Icon:()=>Ee,BeakerIcon:()=>Ae,BellAlertIcon:()=>Ce,BellIcon:()=>_e,BellSlashIcon:()=>Be,BellSnoozeIcon:()=>Me,BoldIcon:()=>Se,BoltIcon:()=>Ve,BoltSlashIcon:()=>Ne,BookOpenIcon:()=>Le,BookmarkIcon:()=>Ze,BookmarkSlashIcon:()=>Te,BookmarkSquareIcon:()=>Ie,BriefcaseIcon:()=>Oe,BugAntIcon:()=>De,BuildingLibraryIcon:()=>Re,BuildingOffice2Icon:()=>He,BuildingOfficeIcon:()=>Pe,BuildingStorefrontIcon:()=>je,CakeIcon:()=>Fe,CalculatorIcon:()=>ze,CalendarDateRangeIcon:()=>qe,CalendarDaysIcon:()=>Ue,CalendarIcon:()=>$e,CameraIcon:()=>We,ChartBarIcon:()=>Ke,ChartBarSquareIcon:()=>Ge,ChartPieIcon:()=>Ye,ChatBubbleBottomCenterIcon:()=>Je,ChatBubbleBottomCenterTextIcon:()=>Xe,ChatBubbleLeftEllipsisIcon:()=>Qe,ChatBubbleLeftIcon:()=>tt,ChatBubbleLeftRightIcon:()=>et,ChatBubbleOvalLeftEllipsisIcon:()=>nt,ChatBubbleOvalLeftIcon:()=>rt,CheckBadgeIcon:()=>ot,CheckCircleIcon:()=>it,CheckIcon:()=>at,ChevronDoubleDownIcon:()=>lt,ChevronDoubleLeftIcon:()=>st,ChevronDoubleRightIcon:()=>ct,ChevronDoubleUpIcon:()=>ut,ChevronDownIcon:()=>dt,ChevronLeftIcon:()=>ht,ChevronRightIcon:()=>pt,ChevronUpDownIcon:()=>ft,ChevronUpIcon:()=>mt,CircleStackIcon:()=>vt,ClipboardDocumentCheckIcon:()=>gt,ClipboardDocumentIcon:()=>yt,ClipboardDocumentListIcon:()=>wt,ClipboardIcon:()=>bt,ClockIcon:()=>xt,CloudArrowDownIcon:()=>kt,CloudArrowUpIcon:()=>Et,CloudIcon:()=>At,CodeBracketIcon:()=>Bt,CodeBracketSquareIcon:()=>Ct,Cog6ToothIcon:()=>Mt,Cog8ToothIcon:()=>_t,CogIcon:()=>St,CommandLineIcon:()=>Nt,ComputerDesktopIcon:()=>Vt,CpuChipIcon:()=>Lt,CreditCardIcon:()=>Tt,CubeIcon:()=>Zt,CubeTransparentIcon:()=>It,CurrencyBangladeshiIcon:()=>Ot,CurrencyDollarIcon:()=>Dt,CurrencyEuroIcon:()=>Rt,CurrencyPoundIcon:()=>Ht,CurrencyRupeeIcon:()=>Pt,CurrencyYenIcon:()=>jt,CursorArrowRaysIcon:()=>Ft,CursorArrowRippleIcon:()=>zt,DevicePhoneMobileIcon:()=>qt,DeviceTabletIcon:()=>Ut,DivideIcon:()=>$t,DocumentArrowDownIcon:()=>Wt,DocumentArrowUpIcon:()=>Gt,DocumentChartBarIcon:()=>Kt,DocumentCheckIcon:()=>Yt,DocumentCurrencyBangladeshiIcon:()=>Xt,DocumentCurrencyDollarIcon:()=>Jt,DocumentCurrencyEuroIcon:()=>Qt,DocumentCurrencyPoundIcon:()=>en,DocumentCurrencyRupeeIcon:()=>tn,DocumentCurrencyYenIcon:()=>nn,DocumentDuplicateIcon:()=>rn,DocumentIcon:()=>cn,DocumentMagnifyingGlassIcon:()=>on,DocumentMinusIcon:()=>an,DocumentPlusIcon:()=>ln,DocumentTextIcon:()=>sn,EllipsisHorizontalCircleIcon:()=>un,EllipsisHorizontalIcon:()=>dn,EllipsisVerticalIcon:()=>hn,EnvelopeIcon:()=>fn,EnvelopeOpenIcon:()=>pn,EqualsIcon:()=>mn,ExclamationCircleIcon:()=>vn,ExclamationTriangleIcon:()=>gn,EyeDropperIcon:()=>wn,EyeIcon:()=>bn,EyeSlashIcon:()=>yn,FaceFrownIcon:()=>xn,FaceSmileIcon:()=>kn,FilmIcon:()=>En,FingerPrintIcon:()=>An,FireIcon:()=>Cn,FlagIcon:()=>Bn,FolderArrowDownIcon:()=>Mn,FolderIcon:()=>Vn,FolderMinusIcon:()=>_n,FolderOpenIcon:()=>Sn,FolderPlusIcon:()=>Nn,ForwardIcon:()=>Ln,FunnelIcon:()=>Tn,GifIcon:()=>In,GiftIcon:()=>On,GiftTopIcon:()=>Zn,GlobeAltIcon:()=>Dn,GlobeAmericasIcon:()=>Rn,GlobeAsiaAustraliaIcon:()=>Hn,GlobeEuropeAfricaIcon:()=>Pn,H1Icon:()=>jn,H2Icon:()=>Fn,H3Icon:()=>zn,HandRaisedIcon:()=>qn,HandThumbDownIcon:()=>Un,HandThumbUpIcon:()=>$n,HashtagIcon:()=>Wn,HeartIcon:()=>Gn,HomeIcon:()=>Yn,HomeModernIcon:()=>Kn,IdentificationIcon:()=>Xn,InboxArrowDownIcon:()=>Jn,InboxIcon:()=>er,InboxStackIcon:()=>Qn,InformationCircleIcon:()=>tr,ItalicIcon:()=>nr,KeyIcon:()=>rr,LanguageIcon:()=>or,LifebuoyIcon:()=>ir,LightBulbIcon:()=>ar,LinkIcon:()=>sr,LinkSlashIcon:()=>lr,ListBulletIcon:()=>cr,LockClosedIcon:()=>ur,LockOpenIcon:()=>dr,MagnifyingGlassCircleIcon:()=>hr,MagnifyingGlassIcon:()=>mr,MagnifyingGlassMinusIcon:()=>pr,MagnifyingGlassPlusIcon:()=>fr,MapIcon:()=>gr,MapPinIcon:()=>vr,MegaphoneIcon:()=>wr,MicrophoneIcon:()=>yr,MinusCircleIcon:()=>br,MinusIcon:()=>kr,MinusSmallIcon:()=>xr,MoonIcon:()=>Er,MusicalNoteIcon:()=>Ar,NewspaperIcon:()=>Cr,NoSymbolIcon:()=>Br,NumberedListIcon:()=>Mr,PaintBrushIcon:()=>_r,PaperAirplaneIcon:()=>Sr,PaperClipIcon:()=>Nr,PauseCircleIcon:()=>Vr,PauseIcon:()=>Lr,PencilIcon:()=>Ir,PencilSquareIcon:()=>Tr,PercentBadgeIcon:()=>Zr,PhoneArrowDownLeftIcon:()=>Or,PhoneArrowUpRightIcon:()=>Dr,PhoneIcon:()=>Hr,PhoneXMarkIcon:()=>Rr,PhotoIcon:()=>Pr,PlayCircleIcon:()=>jr,PlayIcon:()=>zr,PlayPauseIcon:()=>Fr,PlusCircleIcon:()=>qr,PlusIcon:()=>$r,PlusSmallIcon:()=>Ur,PowerIcon:()=>Wr,PresentationChartBarIcon:()=>Gr,PresentationChartLineIcon:()=>Kr,PrinterIcon:()=>Yr,PuzzlePieceIcon:()=>Xr,QrCodeIcon:()=>Jr,QuestionMarkCircleIcon:()=>Qr,QueueListIcon:()=>eo,RadioIcon:()=>to,ReceiptPercentIcon:()=>no,ReceiptRefundIcon:()=>ro,RectangleGroupIcon:()=>oo,RectangleStackIcon:()=>io,RocketLaunchIcon:()=>ao,RssIcon:()=>lo,ScaleIcon:()=>so,ScissorsIcon:()=>co,ServerIcon:()=>ho,ServerStackIcon:()=>uo,ShareIcon:()=>po,ShieldCheckIcon:()=>fo,ShieldExclamationIcon:()=>mo,ShoppingBagIcon:()=>vo,ShoppingCartIcon:()=>go,SignalIcon:()=>yo,SignalSlashIcon:()=>wo,SlashIcon:()=>bo,SparklesIcon:()=>xo,SpeakerWaveIcon:()=>ko,SpeakerXMarkIcon:()=>Eo,Square2StackIcon:()=>Ao,Square3Stack3DIcon:()=>Co,Squares2X2Icon:()=>Bo,SquaresPlusIcon:()=>Mo,StarIcon:()=>_o,StopCircleIcon:()=>So,StopIcon:()=>No,StrikethroughIcon:()=>Vo,SunIcon:()=>Lo,SwatchIcon:()=>To,TableCellsIcon:()=>Io,TagIcon:()=>Zo,TicketIcon:()=>Oo,TrashIcon:()=>Do,TrophyIcon:()=>Ro,TruckIcon:()=>Ho,TvIcon:()=>Po,UnderlineIcon:()=>jo,UserCircleIcon:()=>Fo,UserGroupIcon:()=>zo,UserIcon:()=>$o,UserMinusIcon:()=>qo,UserPlusIcon:()=>Uo,UsersIcon:()=>Wo,VariableIcon:()=>Go,VideoCameraIcon:()=>Yo,VideoCameraSlashIcon:()=>Ko,ViewColumnsIcon:()=>Xo,ViewfinderCircleIcon:()=>Jo,WalletIcon:()=>Qo,WifiIcon:()=>ei,WindowIcon:()=>ti,WrenchIcon:()=>ri,WrenchScrewdriverIcon:()=>ni,XCircleIcon:()=>oi,XMarkIcon:()=>ii});var r=n(29726);function o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.7 2.805a.75.75 0 0 1 .6 0A60.65 60.65 0 0 1 22.83 8.72a.75.75 0 0 1-.231 1.337 49.948 49.948 0 0 0-9.902 3.912l-.003.002c-.114.06-.227.119-.34.18a.75.75 0 0 1-.707 0A50.88 50.88 0 0 0 7.5 12.173v-.224c0-.131.067-.248.172-.311a54.615 54.615 0 0 1 4.653-2.52.75.75 0 0 0-.65-1.352 56.123 56.123 0 0 0-4.78 2.589 1.858 1.858 0 0 0-.859 1.228 49.803 49.803 0 0 0-4.634-1.527.75.75 0 0 1-.231-1.337A60.653 60.653 0 0 1 11.7 2.805Z"}),(0,r.createElementVNode)("path",{d:"M13.06 15.473a48.45 48.45 0 0 1 7.666-3.282c.134 1.414.22 2.843.255 4.284a.75.75 0 0 1-.46.711 47.87 47.87 0 0 0-8.105 4.342.75.75 0 0 1-.832 0 47.87 47.87 0 0 0-8.104-4.342.75.75 0 0 1-.461-.71c.035-1.442.121-2.87.255-4.286.921.304 1.83.634 2.726.99v1.27a1.5 1.5 0 0 0-.14 2.508c-.09.38-.222.753-.397 1.11.452.213.901.434 1.346.66a6.727 6.727 0 0 0 .551-1.607 1.5 1.5 0 0 0 .14-2.67v-.645a48.549 48.549 0 0 1 3.44 1.667 2.25 2.25 0 0 0 2.12 0Z"}),(0,r.createElementVNode)("path",{d:"M4.462 19.462c.42-.419.753-.89 1-1.395.453.214.902.435 1.347.662a6.742 6.742 0 0 1-1.286 1.794.75.75 0 0 1-1.06-1.06Z"})])}function i(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M18.75 12.75h1.5a.75.75 0 0 0 0-1.5h-1.5a.75.75 0 0 0 0 1.5ZM12 6a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-7.5A.75.75 0 0 1 12 6ZM12 18a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-7.5A.75.75 0 0 1 12 18ZM3.75 6.75h1.5a.75.75 0 1 0 0-1.5h-1.5a.75.75 0 0 0 0 1.5ZM5.25 18.75h-1.5a.75.75 0 0 1 0-1.5h1.5a.75.75 0 0 1 0 1.5ZM3 12a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-7.5A.75.75 0 0 1 3 12ZM9 3.75a2.25 2.25 0 1 0 0 4.5 2.25 2.25 0 0 0 0-4.5ZM12.75 12a2.25 2.25 0 1 1 4.5 0 2.25 2.25 0 0 1-4.5 0ZM9 15.75a2.25 2.25 0 1 0 0 4.5 2.25 2.25 0 0 0 0-4.5Z"})])}function a(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6 12a.75.75 0 0 1-.75-.75v-7.5a.75.75 0 1 1 1.5 0v7.5A.75.75 0 0 1 6 12ZM18 12a.75.75 0 0 1-.75-.75v-7.5a.75.75 0 0 1 1.5 0v7.5A.75.75 0 0 1 18 12ZM6.75 20.25v-1.5a.75.75 0 0 0-1.5 0v1.5a.75.75 0 0 0 1.5 0ZM18.75 18.75v1.5a.75.75 0 0 1-1.5 0v-1.5a.75.75 0 0 1 1.5 0ZM12.75 5.25v-1.5a.75.75 0 0 0-1.5 0v1.5a.75.75 0 0 0 1.5 0ZM12 21a.75.75 0 0 1-.75-.75v-7.5a.75.75 0 0 1 1.5 0v7.5A.75.75 0 0 1 12 21ZM3.75 15a2.25 2.25 0 1 0 4.5 0 2.25 2.25 0 0 0-4.5 0ZM12 11.25a2.25 2.25 0 1 1 0-4.5 2.25 2.25 0 0 1 0 4.5ZM15.75 15a2.25 2.25 0 1 0 4.5 0 2.25 2.25 0 0 0-4.5 0Z"})])}function l(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.375 3C2.339 3 1.5 3.84 1.5 4.875v.75c0 1.036.84 1.875 1.875 1.875h17.25c1.035 0 1.875-.84 1.875-1.875v-.75C22.5 3.839 21.66 3 20.625 3H3.375Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m3.087 9 .54 9.176A3 3 0 0 0 6.62 21h10.757a3 3 0 0 0 2.995-2.824L20.913 9H3.087ZM12 10.5a.75.75 0 0 1 .75.75v4.94l1.72-1.72a.75.75 0 1 1 1.06 1.06l-3 3a.75.75 0 0 1-1.06 0l-3-3a.75.75 0 1 1 1.06-1.06l1.72 1.72v-4.94a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function s(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.375 3C2.339 3 1.5 3.84 1.5 4.875v.75c0 1.036.84 1.875 1.875 1.875h17.25c1.035 0 1.875-.84 1.875-1.875v-.75C22.5 3.839 21.66 3 20.625 3H3.375Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m3.087 9 .54 9.176A3 3 0 0 0 6.62 21h10.757a3 3 0 0 0 2.995-2.824L20.913 9H3.087Zm6.133 2.845a.75.75 0 0 1 1.06 0l1.72 1.72 1.72-1.72a.75.75 0 1 1 1.06 1.06l-1.72 1.72 1.72 1.72a.75.75 0 1 1-1.06 1.06L12 15.685l-1.72 1.72a.75.75 0 1 1-1.06-1.06l1.72-1.72-1.72-1.72a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function c(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.375 3C2.339 3 1.5 3.84 1.5 4.875v.75c0 1.036.84 1.875 1.875 1.875h17.25c1.035 0 1.875-.84 1.875-1.875v-.75C22.5 3.839 21.66 3 20.625 3H3.375Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m3.087 9 .54 9.176A3 3 0 0 0 6.62 21h10.757a3 3 0 0 0 2.995-2.824L20.913 9H3.087Zm6.163 3.75A.75.75 0 0 1 10 12h4a.75.75 0 0 1 0 1.5h-4a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function u(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm-.53 14.03a.75.75 0 0 0 1.06 0l3-3a.75.75 0 1 0-1.06-1.06l-1.72 1.72V8.25a.75.75 0 0 0-1.5 0v5.69l-1.72-1.72a.75.75 0 0 0-1.06 1.06l3 3Z","clip-rule":"evenodd"})])}function d(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.03 3.97a.75.75 0 0 1 0 1.06L6.31 18.75h9.44a.75.75 0 0 1 0 1.5H4.5a.75.75 0 0 1-.75-.75V8.25a.75.75 0 0 1 1.5 0v9.44L18.97 3.97a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function h(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.75 6.75h-3a3 3 0 0 0-3 3v7.5a3 3 0 0 0 3 3h7.5a3 3 0 0 0 3-3v-7.5a3 3 0 0 0-3-3h-3V1.5a.75.75 0 0 0-1.5 0v5.25Zm0 0h1.5v5.69l1.72-1.72a.75.75 0 1 1 1.06 1.06l-3 3a.75.75 0 0 1-1.06 0l-3-3a.75.75 0 1 1 1.06-1.06l1.72 1.72V6.75Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M7.151 21.75a2.999 2.999 0 0 0 2.599 1.5h7.5a3 3 0 0 0 3-3v-7.5c0-1.11-.603-2.08-1.5-2.599v7.099a4.5 4.5 0 0 1-4.5 4.5H7.151Z"})])}function p(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 1.5a.75.75 0 0 1 .75.75V7.5h-1.5V2.25A.75.75 0 0 1 12 1.5ZM11.25 7.5v5.69l-1.72-1.72a.75.75 0 0 0-1.06 1.06l3 3a.75.75 0 0 0 1.06 0l3-3a.75.75 0 1 0-1.06-1.06l-1.72 1.72V7.5h3.75a3 3 0 0 1 3 3v9a3 3 0 0 1-3 3h-9a3 3 0 0 1-3-3v-9a3 3 0 0 1 3-3h3.75Z"})])}function f(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.97 3.97a.75.75 0 0 1 1.06 0l13.72 13.72V8.25a.75.75 0 0 1 1.5 0V19.5a.75.75 0 0 1-.75.75H8.25a.75.75 0 0 1 0-1.5h9.44L3.97 5.03a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function m(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25a.75.75 0 0 1 .75.75v11.69l3.22-3.22a.75.75 0 1 1 1.06 1.06l-4.5 4.5a.75.75 0 0 1-1.06 0l-4.5-4.5a.75.75 0 1 1 1.06-1.06l3.22 3.22V3a.75.75 0 0 1 .75-.75Zm-9 13.5a.75.75 0 0 1 .75.75v2.25a1.5 1.5 0 0 0 1.5 1.5h13.5a1.5 1.5 0 0 0 1.5-1.5V16.5a.75.75 0 0 1 1.5 0v2.25a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3V16.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function v(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25a.75.75 0 0 1 .75.75v16.19l6.22-6.22a.75.75 0 1 1 1.06 1.06l-7.5 7.5a.75.75 0 0 1-1.06 0l-7.5-7.5a.75.75 0 1 1 1.06-1.06l6.22 6.22V3a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function g(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm-4.28 9.22a.75.75 0 0 0 0 1.06l3 3a.75.75 0 1 0 1.06-1.06l-1.72-1.72h5.69a.75.75 0 0 0 0-1.5h-5.69l1.72-1.72a.75.75 0 0 0-1.06-1.06l-3 3Z","clip-rule":"evenodd"})])}function w(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 3.75A1.5 1.5 0 0 0 6 5.25v13.5a1.5 1.5 0 0 0 1.5 1.5h6a1.5 1.5 0 0 0 1.5-1.5V15a.75.75 0 0 1 1.5 0v3.75a3 3 0 0 1-3 3h-6a3 3 0 0 1-3-3V5.25a3 3 0 0 1 3-3h6a3 3 0 0 1 3 3V9A.75.75 0 0 1 15 9V5.25a1.5 1.5 0 0 0-1.5-1.5h-6Zm5.03 4.72a.75.75 0 0 1 0 1.06l-1.72 1.72h10.94a.75.75 0 0 1 0 1.5H10.81l1.72 1.72a.75.75 0 1 1-1.06 1.06l-3-3a.75.75 0 0 1 0-1.06l3-3a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 3.75A1.5 1.5 0 0 0 6 5.25v13.5a1.5 1.5 0 0 0 1.5 1.5h6a1.5 1.5 0 0 0 1.5-1.5V15a.75.75 0 0 1 1.5 0v3.75a3 3 0 0 1-3 3h-6a3 3 0 0 1-3-3V5.25a3 3 0 0 1 3-3h6a3 3 0 0 1 3 3V9A.75.75 0 0 1 15 9V5.25a1.5 1.5 0 0 0-1.5-1.5h-6Zm5.03 4.72a.75.75 0 0 1 0 1.06l-1.72 1.72h10.94a.75.75 0 0 1 0 1.5H10.81l1.72 1.72a.75.75 0 1 1-1.06 1.06l-3-3a.75.75 0 0 1 0-1.06l3-3a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function b(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.5 3.75a1.5 1.5 0 0 1 1.5 1.5v13.5a1.5 1.5 0 0 1-1.5 1.5h-6a1.5 1.5 0 0 1-1.5-1.5V15a.75.75 0 0 0-1.5 0v3.75a3 3 0 0 0 3 3h6a3 3 0 0 0 3-3V5.25a3 3 0 0 0-3-3h-6a3 3 0 0 0-3 3V9A.75.75 0 1 0 9 9V5.25a1.5 1.5 0 0 1 1.5-1.5h6ZM5.78 8.47a.75.75 0 0 0-1.06 0l-3 3a.75.75 0 0 0 0 1.06l3 3a.75.75 0 0 0 1.06-1.06l-1.72-1.72H15a.75.75 0 0 0 0-1.5H4.06l1.72-1.72a.75.75 0 0 0 0-1.06Z","clip-rule":"evenodd"})])}function x(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.03 3.97a.75.75 0 0 1 0 1.06l-6.22 6.22H21a.75.75 0 0 1 0 1.5H4.81l6.22 6.22a.75.75 0 1 1-1.06 1.06l-7.5-7.5a.75.75 0 0 1 0-1.06l7.5-7.5a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function k(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25a.75.75 0 0 1 .75.75v16.19l2.47-2.47a.75.75 0 1 1 1.06 1.06l-3.75 3.75a.75.75 0 0 1-1.06 0l-3.75-3.75a.75.75 0 1 1 1.06-1.06l2.47 2.47V3a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function E(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.28 7.72a.75.75 0 0 1 0 1.06l-2.47 2.47H21a.75.75 0 0 1 0 1.5H4.81l2.47 2.47a.75.75 0 1 1-1.06 1.06l-3.75-3.75a.75.75 0 0 1 0-1.06l3.75-3.75a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function A(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.72 7.72a.75.75 0 0 1 1.06 0l3.75 3.75a.75.75 0 0 1 0 1.06l-3.75 3.75a.75.75 0 1 1-1.06-1.06l2.47-2.47H3a.75.75 0 0 1 0-1.5h16.19l-2.47-2.47a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function C(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 2.47a.75.75 0 0 1 1.06 0l3.75 3.75a.75.75 0 0 1-1.06 1.06l-2.47-2.47V21a.75.75 0 0 1-1.5 0V4.81L8.78 7.28a.75.75 0 0 1-1.06-1.06l3.75-3.75Z","clip-rule":"evenodd"})])}function B(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 5.25c1.213 0 2.415.046 3.605.135a3.256 3.256 0 0 1 3.01 3.01c.044.583.077 1.17.1 1.759L17.03 8.47a.75.75 0 1 0-1.06 1.06l3 3a.75.75 0 0 0 1.06 0l3-3a.75.75 0 0 0-1.06-1.06l-1.752 1.751c-.023-.65-.06-1.296-.108-1.939a4.756 4.756 0 0 0-4.392-4.392 49.422 49.422 0 0 0-7.436 0A4.756 4.756 0 0 0 3.89 8.282c-.017.224-.033.447-.046.672a.75.75 0 1 0 1.497.092c.013-.217.028-.434.044-.651a3.256 3.256 0 0 1 3.01-3.01c1.19-.09 2.392-.135 3.605-.135Zm-6.97 6.22a.75.75 0 0 0-1.06 0l-3 3a.75.75 0 1 0 1.06 1.06l1.752-1.751c.023.65.06 1.296.108 1.939a4.756 4.756 0 0 0 4.392 4.392 49.413 49.413 0 0 0 7.436 0 4.756 4.756 0 0 0 4.392-4.392c.017-.223.032-.447.046-.672a.75.75 0 0 0-1.497-.092c-.013.217-.028.434-.044.651a3.256 3.256 0 0 1-3.01 3.01 47.953 47.953 0 0 1-7.21 0 3.256 3.256 0 0 1-3.01-3.01 47.759 47.759 0 0 1-.1-1.759L6.97 15.53a.75.75 0 0 0 1.06-1.06l-3-3Z","clip-rule":"evenodd"})])}function M(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.755 10.059a7.5 7.5 0 0 1 12.548-3.364l1.903 1.903h-3.183a.75.75 0 1 0 0 1.5h4.992a.75.75 0 0 0 .75-.75V4.356a.75.75 0 0 0-1.5 0v3.18l-1.9-1.9A9 9 0 0 0 3.306 9.67a.75.75 0 1 0 1.45.388Zm15.408 3.352a.75.75 0 0 0-.919.53 7.5 7.5 0 0 1-12.548 3.364l-1.902-1.903h3.183a.75.75 0 0 0 0-1.5H2.984a.75.75 0 0 0-.75.75v4.992a.75.75 0 0 0 1.5 0v-3.18l1.9 1.9a9 9 0 0 0 15.059-4.035.75.75 0 0 0-.53-.918Z","clip-rule":"evenodd"})])}function _(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm4.28 10.28a.75.75 0 0 0 0-1.06l-3-3a.75.75 0 1 0-1.06 1.06l1.72 1.72H8.25a.75.75 0 0 0 0 1.5h5.69l-1.72 1.72a.75.75 0 1 0 1.06 1.06l3-3Z","clip-rule":"evenodd"})])}function S(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.5 3.75a1.5 1.5 0 0 1 1.5 1.5v13.5a1.5 1.5 0 0 1-1.5 1.5h-6a1.5 1.5 0 0 1-1.5-1.5V15a.75.75 0 0 0-1.5 0v3.75a3 3 0 0 0 3 3h6a3 3 0 0 0 3-3V5.25a3 3 0 0 0-3-3h-6a3 3 0 0 0-3 3V9A.75.75 0 1 0 9 9V5.25a1.5 1.5 0 0 1 1.5-1.5h6Zm-5.03 4.72a.75.75 0 0 0 0 1.06l1.72 1.72H2.25a.75.75 0 0 0 0 1.5h10.94l-1.72 1.72a.75.75 0 1 0 1.06 1.06l3-3a.75.75 0 0 0 0-1.06l-3-3a.75.75 0 0 0-1.06 0Z","clip-rule":"evenodd"})])}function N(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 3.75A1.5 1.5 0 0 0 6 5.25v13.5a1.5 1.5 0 0 0 1.5 1.5h6a1.5 1.5 0 0 0 1.5-1.5V15a.75.75 0 0 1 1.5 0v3.75a3 3 0 0 1-3 3h-6a3 3 0 0 1-3-3V5.25a3 3 0 0 1 3-3h6a3 3 0 0 1 3 3V9A.75.75 0 0 1 15 9V5.25a1.5 1.5 0 0 0-1.5-1.5h-6Zm10.72 4.72a.75.75 0 0 1 1.06 0l3 3a.75.75 0 0 1 0 1.06l-3 3a.75.75 0 1 1-1.06-1.06l1.72-1.72H9a.75.75 0 0 1 0-1.5h10.94l-1.72-1.72a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function V(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 3.75A1.5 1.5 0 0 0 6 5.25v13.5a1.5 1.5 0 0 0 1.5 1.5h6a1.5 1.5 0 0 0 1.5-1.5V15a.75.75 0 0 1 1.5 0v3.75a3 3 0 0 1-3 3h-6a3 3 0 0 1-3-3V5.25a3 3 0 0 1 3-3h6a3 3 0 0 1 3 3V9A.75.75 0 0 1 15 9V5.25a1.5 1.5 0 0 0-1.5-1.5h-6Zm10.72 4.72a.75.75 0 0 1 1.06 0l3 3a.75.75 0 0 1 0 1.06l-3 3a.75.75 0 1 1-1.06-1.06l1.72-1.72H9a.75.75 0 0 1 0-1.5h10.94l-1.72-1.72a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function L(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.97 3.97a.75.75 0 0 1 1.06 0l7.5 7.5a.75.75 0 0 1 0 1.06l-7.5 7.5a.75.75 0 1 1-1.06-1.06l6.22-6.22H3a.75.75 0 0 1 0-1.5h16.19l-6.22-6.22a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function T(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 3.75a.75.75 0 0 1 .75.75v13.19l5.47-5.47a.75.75 0 1 1 1.06 1.06l-6.75 6.75a.75.75 0 0 1-1.06 0l-6.75-6.75a.75.75 0 1 1 1.06-1.06l5.47 5.47V4.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function I(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.25 12a.75.75 0 0 1-.75.75H6.31l5.47 5.47a.75.75 0 1 1-1.06 1.06l-6.75-6.75a.75.75 0 0 1 0-1.06l6.75-6.75a.75.75 0 1 1 1.06 1.06l-5.47 5.47H19.5a.75.75 0 0 1 .75.75Z","clip-rule":"evenodd"})])}function Z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 12a.75.75 0 0 1 .75-.75h13.19l-5.47-5.47a.75.75 0 0 1 1.06-1.06l6.75 6.75a.75.75 0 0 1 0 1.06l-6.75 6.75a.75.75 0 1 1-1.06-1.06l5.47-5.47H4.5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function O(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 20.25a.75.75 0 0 1-.75-.75V6.31l-5.47 5.47a.75.75 0 0 1-1.06-1.06l6.75-6.75a.75.75 0 0 1 1.06 0l6.75 6.75a.75.75 0 1 1-1.06 1.06l-5.47-5.47V19.5a.75.75 0 0 1-.75.75Z","clip-rule":"evenodd"})])}function D(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.75 2.25H21a.75.75 0 0 1 .75.75v5.25a.75.75 0 0 1-1.5 0V4.81L8.03 17.03a.75.75 0 0 1-1.06-1.06L19.19 3.75h-3.44a.75.75 0 0 1 0-1.5Zm-10.5 4.5a1.5 1.5 0 0 0-1.5 1.5v10.5a1.5 1.5 0 0 0 1.5 1.5h10.5a1.5 1.5 0 0 0 1.5-1.5V10.5a.75.75 0 0 1 1.5 0v8.25a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3V8.25a3 3 0 0 1 3-3h8.25a.75.75 0 0 1 0 1.5H5.25Z","clip-rule":"evenodd"})])}function R(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.72 5.47a.75.75 0 0 1 1.06 0L9 11.69l3.756-3.756a.75.75 0 0 1 .985-.066 12.698 12.698 0 0 1 4.575 6.832l.308 1.149 2.277-3.943a.75.75 0 1 1 1.299.75l-3.182 5.51a.75.75 0 0 1-1.025.275l-5.511-3.181a.75.75 0 0 1 .75-1.3l3.943 2.277-.308-1.149a11.194 11.194 0 0 0-3.528-5.617l-3.809 3.81a.75.75 0 0 1-1.06 0L1.72 6.53a.75.75 0 0 1 0-1.061Z","clip-rule":"evenodd"})])}function H(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.22 6.268a.75.75 0 0 1 .968-.431l5.942 2.28a.75.75 0 0 1 .431.97l-2.28 5.94a.75.75 0 1 1-1.4-.537l1.63-4.251-1.086.484a11.2 11.2 0 0 0-5.45 5.173.75.75 0 0 1-1.199.19L9 12.312l-6.22 6.22a.75.75 0 0 1-1.06-1.061l6.75-6.75a.75.75 0 0 1 1.06 0l3.606 3.606a12.695 12.695 0 0 1 5.68-4.974l1.086-.483-4.251-1.632a.75.75 0 0 1-.432-.97Z","clip-rule":"evenodd"})])}function P(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.239 3.749a.75.75 0 0 0-.75.75V15H5.549l2.47-2.47a.75.75 0 0 0-1.06-1.06l-3.75 3.75a.75.75 0 0 0 0 1.06l3.75 3.75a.75.75 0 1 0 1.06-1.06L5.55 16.5h14.69a.75.75 0 0 0 .75-.75V4.5a.75.75 0 0 0-.75-.751Z","clip-rule":"evenodd"})])}function j(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.74 3.749a.75.75 0 0 1 .75.75V15h13.938l-2.47-2.47a.75.75 0 0 1 1.061-1.06l3.75 3.75a.75.75 0 0 1 0 1.06l-3.75 3.75a.75.75 0 0 1-1.06-1.06l2.47-2.47H3.738a.75.75 0 0 1-.75-.75V4.5a.75.75 0 0 1 .75-.751Z","clip-rule":"evenodd"})])}function F(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.24 3.75a.75.75 0 0 1-.75.75H8.989v13.939l2.47-2.47a.75.75 0 1 1 1.06 1.061l-3.75 3.75a.75.75 0 0 1-1.06 0l-3.751-3.75a.75.75 0 1 1 1.06-1.06l2.47 2.469V3.75a.75.75 0 0 1 .75-.75H19.49a.75.75 0 0 1 .75.75Z","clip-rule":"evenodd"})])}function z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.24 20.249a.75.75 0 0 0-.75-.75H8.989V5.56l2.47 2.47a.75.75 0 0 0 1.06-1.061l-3.75-3.75a.75.75 0 0 0-1.06 0l-3.75 3.75a.75.75 0 1 0 1.06 1.06l2.47-2.469V20.25c0 .414.335.75.75.75h11.25a.75.75 0 0 0 .75-.75Z","clip-rule":"evenodd"})])}function q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.738 3.75c0 .414.336.75.75.75H14.99v13.939l-2.47-2.47a.75.75 0 0 0-1.06 1.061l3.75 3.75a.75.75 0 0 0 1.06 0l3.751-3.75a.75.75 0 0 0-1.06-1.06l-2.47 2.469V3.75a.75.75 0 0 0-.75-.75H4.487a.75.75 0 0 0-.75.75Z","clip-rule":"evenodd"})])}function U(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.738 20.249a.75.75 0 0 1 .75-.75H14.99V5.56l-2.47 2.47a.75.75 0 0 1-1.06-1.061l3.75-3.75a.75.75 0 0 1 1.06 0l3.751 3.75a.75.75 0 0 1-1.06 1.06L16.49 5.56V20.25a.75.75 0 0 1-.75.75H4.487a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function $(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.239 20.25a.75.75 0 0 1-.75-.75V8.999H5.549l2.47 2.47a.75.75 0 0 1-1.06 1.06l-3.75-3.75a.75.75 0 0 1 0-1.06l3.75-3.75a.75.75 0 1 1 1.06 1.06l-2.47 2.47h14.69a.75.75 0 0 1 .75.75V19.5a.75.75 0 0 1-.75.75Z","clip-rule":"evenodd"})])}function W(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.74 20.25a.75.75 0 0 0 .75-.75V8.999h13.938l-2.47 2.47a.75.75 0 0 0 1.061 1.06l3.75-3.75a.75.75 0 0 0 0-1.06l-3.75-3.75a.75.75 0 0 0-1.06 1.06l2.47 2.47H3.738a.75.75 0 0 0-.75.75V19.5c0 .414.336.75.75.75Z","clip-rule":"evenodd"})])}function G(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm.53 5.47a.75.75 0 0 0-1.06 0l-3 3a.75.75 0 1 0 1.06 1.06l1.72-1.72v5.69a.75.75 0 0 0 1.5 0v-5.69l1.72 1.72a.75.75 0 1 0 1.06-1.06l-3-3Z","clip-rule":"evenodd"})])}function K(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 6.31v9.44a.75.75 0 0 1-1.5 0V4.5a.75.75 0 0 1 .75-.75h11.25a.75.75 0 0 1 0 1.5H6.31l13.72 13.72a.75.75 0 1 1-1.06 1.06L5.25 6.31Z","clip-rule":"evenodd"})])}function Y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9.97.97a.75.75 0 0 1 1.06 0l3 3a.75.75 0 0 1-1.06 1.06l-1.72-1.72v3.44h-1.5V3.31L8.03 5.03a.75.75 0 0 1-1.06-1.06l3-3ZM9.75 6.75v6a.75.75 0 0 0 1.5 0v-6h3a3 3 0 0 1 3 3v7.5a3 3 0 0 1-3 3h-7.5a3 3 0 0 1-3-3v-7.5a3 3 0 0 1 3-3h3Z"}),(0,r.createElementVNode)("path",{d:"M7.151 21.75a2.999 2.999 0 0 0 2.599 1.5h7.5a3 3 0 0 0 3-3v-7.5c0-1.11-.603-2.08-1.5-2.599v7.099a4.5 4.5 0 0 1-4.5 4.5H7.151Z"})])}function X(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.47 1.72a.75.75 0 0 1 1.06 0l3 3a.75.75 0 0 1-1.06 1.06l-1.72-1.72V7.5h-1.5V4.06L9.53 5.78a.75.75 0 0 1-1.06-1.06l3-3ZM11.25 7.5V15a.75.75 0 0 0 1.5 0V7.5h3.75a3 3 0 0 1 3 3v9a3 3 0 0 1-3 3h-9a3 3 0 0 1-3-3v-9a3 3 0 0 1 3-3h3.75Z"})])}function J(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.25 3.75H19.5a.75.75 0 0 1 .75.75v11.25a.75.75 0 0 1-1.5 0V6.31L5.03 20.03a.75.75 0 0 1-1.06-1.06L17.69 5.25H8.25a.75.75 0 0 1 0-1.5Z","clip-rule":"evenodd"})])}function Q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 2.47a.75.75 0 0 1 1.06 0l4.5 4.5a.75.75 0 0 1-1.06 1.06l-3.22-3.22V16.5a.75.75 0 0 1-1.5 0V4.81L8.03 8.03a.75.75 0 0 1-1.06-1.06l4.5-4.5ZM3 15.75a.75.75 0 0 1 .75.75v2.25a1.5 1.5 0 0 0 1.5 1.5h13.5a1.5 1.5 0 0 0 1.5-1.5V16.5a.75.75 0 0 1 1.5 0v2.25a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3V16.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 2.47a.75.75 0 0 1 1.06 0l7.5 7.5a.75.75 0 1 1-1.06 1.06l-6.22-6.22V21a.75.75 0 0 1-1.5 0V4.81l-6.22 6.22a.75.75 0 1 1-1.06-1.06l7.5-7.5Z","clip-rule":"evenodd"})])}function te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 3.75A5.25 5.25 0 0 0 9.75 9v10.19l4.72-4.72a.75.75 0 1 1 1.06 1.06l-6 6a.75.75 0 0 1-1.06 0l-6-6a.75.75 0 1 1 1.06-1.06l4.72 4.72V9a6.75 6.75 0 0 1 13.5 0v3a.75.75 0 0 1-1.5 0V9c0-2.9-2.35-5.25-5.25-5.25Z","clip-rule":"evenodd"})])}function ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.53 2.47a.75.75 0 0 1 0 1.06L4.81 8.25H15a6.75 6.75 0 0 1 0 13.5h-3a.75.75 0 0 1 0-1.5h3a5.25 5.25 0 1 0 0-10.5H4.81l4.72 4.72a.75.75 0 1 1-1.06 1.06l-6-6a.75.75 0 0 1 0-1.06l6-6a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.47 2.47a.75.75 0 0 1 1.06 0l6 6a.75.75 0 0 1 0 1.06l-6 6a.75.75 0 1 1-1.06-1.06l4.72-4.72H9a5.25 5.25 0 1 0 0 10.5h3a.75.75 0 0 1 0 1.5H9a6.75 6.75 0 0 1 0-13.5h10.19l-4.72-4.72a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M21.53 9.53a.75.75 0 0 1-1.06 0l-4.72-4.72V15a6.75 6.75 0 0 1-13.5 0v-3a.75.75 0 0 1 1.5 0v3a5.25 5.25 0 1 0 10.5 0V4.81L9.53 9.53a.75.75 0 0 1-1.06-1.06l6-6a.75.75 0 0 1 1.06 0l6 6a.75.75 0 0 1 0 1.06Z","clip-rule":"evenodd"})])}function ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.22 3.22a.75.75 0 0 1 1.06 0l3.97 3.97V4.5a.75.75 0 0 1 1.5 0V9a.75.75 0 0 1-.75.75H4.5a.75.75 0 0 1 0-1.5h2.69L3.22 4.28a.75.75 0 0 1 0-1.06Zm17.56 0a.75.75 0 0 1 0 1.06l-3.97 3.97h2.69a.75.75 0 0 1 0 1.5H15a.75.75 0 0 1-.75-.75V4.5a.75.75 0 0 1 1.5 0v2.69l3.97-3.97a.75.75 0 0 1 1.06 0ZM3.75 15a.75.75 0 0 1 .75-.75H9a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0v-2.69l-3.97 3.97a.75.75 0 0 1-1.06-1.06l3.97-3.97H4.5a.75.75 0 0 1-.75-.75Zm10.5 0a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-2.69l3.97 3.97a.75.75 0 1 1-1.06 1.06l-3.97-3.97v2.69a.75.75 0 0 1-1.5 0V15Z","clip-rule":"evenodd"})])}function ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 3.75a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0V5.56l-3.97 3.97a.75.75 0 1 1-1.06-1.06l3.97-3.97h-2.69a.75.75 0 0 1-.75-.75Zm-12 0A.75.75 0 0 1 3.75 3h4.5a.75.75 0 0 1 0 1.5H5.56l3.97 3.97a.75.75 0 0 1-1.06 1.06L4.5 5.56v2.69a.75.75 0 0 1-1.5 0v-4.5Zm11.47 11.78a.75.75 0 1 1 1.06-1.06l3.97 3.97v-2.69a.75.75 0 0 1 1.5 0v4.5a.75.75 0 0 1-.75.75h-4.5a.75.75 0 0 1 0-1.5h2.69l-3.97-3.97Zm-4.94-1.06a.75.75 0 0 1 0 1.06L5.56 19.5h2.69a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75v-4.5a.75.75 0 0 1 1.5 0v2.69l3.97-3.97a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.97 2.47a.75.75 0 0 1 1.06 0l4.5 4.5a.75.75 0 0 1 0 1.06l-4.5 4.5a.75.75 0 1 1-1.06-1.06l3.22-3.22H7.5a.75.75 0 0 1 0-1.5h11.69l-3.22-3.22a.75.75 0 0 1 0-1.06Zm-7.94 9a.75.75 0 0 1 0 1.06l-3.22 3.22H16.5a.75.75 0 0 1 0 1.5H4.81l3.22 3.22a.75.75 0 1 1-1.06 1.06l-4.5-4.5a.75.75 0 0 1 0-1.06l4.5-4.5a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.97 2.47a.75.75 0 0 1 1.06 0l4.5 4.5a.75.75 0 0 1-1.06 1.06L8.25 4.81V16.5a.75.75 0 0 1-1.5 0V4.81L3.53 8.03a.75.75 0 0 1-1.06-1.06l4.5-4.5Zm9.53 4.28a.75.75 0 0 1 .75.75v11.69l3.22-3.22a.75.75 0 1 1 1.06 1.06l-4.5 4.5a.75.75 0 0 1-1.06 0l-4.5-4.5a.75.75 0 1 1 1.06-1.06l3.22 3.22V7.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.834 6.166a8.25 8.25 0 1 0 0 11.668.75.75 0 0 1 1.06 1.06c-3.807 3.808-9.98 3.808-13.788 0-3.808-3.807-3.808-9.98 0-13.788 3.807-3.808 9.98-3.808 13.788 0A9.722 9.722 0 0 1 21.75 12c0 .975-.296 1.887-.809 2.571-.514.685-1.28 1.179-2.191 1.179-.904 0-1.666-.487-2.18-1.164a5.25 5.25 0 1 1-.82-6.26V8.25a.75.75 0 0 1 1.5 0V12c0 .682.208 1.27.509 1.671.3.401.659.579.991.579.332 0 .69-.178.991-.579.3-.4.509-.99.509-1.671a8.222 8.222 0 0 0-2.416-5.834ZM15.75 12a3.75 3.75 0 1 0-7.5 0 3.75 3.75 0 0 0 7.5 0Z","clip-rule":"evenodd"})])}function ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.515 10.674a1.875 1.875 0 0 0 0 2.652L8.89 19.7c.352.351.829.549 1.326.549H19.5a3 3 0 0 0 3-3V6.75a3 3 0 0 0-3-3h-9.284c-.497 0-.974.198-1.326.55l-6.375 6.374ZM12.53 9.22a.75.75 0 1 0-1.06 1.06L13.19 12l-1.72 1.72a.75.75 0 1 0 1.06 1.06l1.72-1.72 1.72 1.72a.75.75 0 1 0 1.06-1.06L15.31 12l1.72-1.72a.75.75 0 1 0-1.06-1.06l-1.72 1.72-1.72-1.72Z","clip-rule":"evenodd"})])}function de(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9.195 18.44c1.25.714 2.805-.189 2.805-1.629v-2.34l6.945 3.968c1.25.715 2.805-.188 2.805-1.628V8.69c0-1.44-1.555-2.343-2.805-1.628L12 11.029v-2.34c0-1.44-1.555-2.343-2.805-1.628l-7.108 4.061c-1.26.72-1.26 2.536 0 3.256l7.108 4.061Z"})])}function he(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 7.5a2.25 2.25 0 1 0 0 4.5 2.25 2.25 0 0 0 0-4.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 4.875C1.5 3.839 2.34 3 3.375 3h17.25c1.035 0 1.875.84 1.875 1.875v9.75c0 1.036-.84 1.875-1.875 1.875H3.375A1.875 1.875 0 0 1 1.5 14.625v-9.75ZM8.25 9.75a3.75 3.75 0 1 1 7.5 0 3.75 3.75 0 0 1-7.5 0ZM18.75 9a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V9.75a.75.75 0 0 0-.75-.75h-.008ZM4.5 9.75A.75.75 0 0 1 5.25 9h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H5.25a.75.75 0 0 1-.75-.75V9.75Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M2.25 18a.75.75 0 0 0 0 1.5c5.4 0 10.63.722 15.6 2.075 1.19.324 2.4-.558 2.4-1.82V18.75a.75.75 0 0 0-.75-.75H2.25Z"})])}function pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 9a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 9Zm0 6.75a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6.75A.75.75 0 0 1 3.75 6h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 6.75ZM3 12a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 12Zm0 5.25a.75.75 0 0 1 .75-.75H12a.75.75 0 0 1 0 1.5H3.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6.75A.75.75 0 0 1 3.75 6h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 6.75ZM3 12a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 12Zm8.25 5.25a.75.75 0 0 1 .75-.75h8.25a.75.75 0 0 1 0 1.5H12a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6.75A.75.75 0 0 1 3.75 6h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 6.75ZM3 12a.75.75 0 0 1 .75-.75H12a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 12Zm0 5.25a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6.75A.75.75 0 0 1 3.75 6h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 6.75ZM3 12a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 12Zm0 5.25a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function we(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 5.25a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 5.25Zm0 4.5A.75.75 0 0 1 3.75 9h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 9.75Zm0 4.5a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75a.75.75 0 0 1-.75-.75Zm0 4.5a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 4.5A.75.75 0 0 1 3 3.75h14.25a.75.75 0 0 1 0 1.5H3a.75.75 0 0 1-.75-.75Zm0 4.5A.75.75 0 0 1 3 8.25h9.75a.75.75 0 0 1 0 1.5H3A.75.75 0 0 1 2.25 9Zm15-.75A.75.75 0 0 1 18 9v10.19l2.47-2.47a.75.75 0 1 1 1.06 1.06l-3.75 3.75a.75.75 0 0 1-1.06 0l-3.75-3.75a.75.75 0 1 1 1.06-1.06l2.47 2.47V9a.75.75 0 0 1 .75-.75Zm-15 5.25a.75.75 0 0 1 .75-.75h9.75a.75.75 0 0 1 0 1.5H3a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 4.5A.75.75 0 0 1 3 3.75h14.25a.75.75 0 0 1 0 1.5H3a.75.75 0 0 1-.75-.75Zm14.47 3.97a.75.75 0 0 1 1.06 0l3.75 3.75a.75.75 0 1 1-1.06 1.06L18 10.81V21a.75.75 0 0 1-1.5 0V10.81l-2.47 2.47a.75.75 0 1 1-1.06-1.06l3.75-3.75ZM2.25 9A.75.75 0 0 1 3 8.25h9.75a.75.75 0 0 1 0 1.5H3A.75.75 0 0 1 2.25 9Zm0 4.5a.75.75 0 0 1 .75-.75h5.25a.75.75 0 0 1 0 1.5H3a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M.75 9.75a3 3 0 0 1 3-3h15a3 3 0 0 1 3 3v.038c.856.173 1.5.93 1.5 1.837v2.25c0 .907-.644 1.664-1.5 1.838v.037a3 3 0 0 1-3 3h-15a3 3 0 0 1-3-3v-6Zm19.5 0a1.5 1.5 0 0 0-1.5-1.5h-15a1.5 1.5 0 0 0-1.5 1.5v6a1.5 1.5 0 0 0 1.5 1.5h15a1.5 1.5 0 0 0 1.5-1.5v-6Z","clip-rule":"evenodd"})])}function ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 6.75a3 3 0 0 0-3 3v6a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3v-.037c.856-.174 1.5-.93 1.5-1.838v-2.25c0-.907-.644-1.664-1.5-1.837V9.75a3 3 0 0 0-3-3h-15Zm15 1.5a1.5 1.5 0 0 1 1.5 1.5v6a1.5 1.5 0 0 1-1.5 1.5h-15a1.5 1.5 0 0 1-1.5-1.5v-6a1.5 1.5 0 0 1 1.5-1.5h15ZM4.5 9.75a.75.75 0 0 0-.75.75V15c0 .414.336.75.75.75H18a.75.75 0 0 0 .75-.75v-4.5a.75.75 0 0 0-.75-.75H4.5Z","clip-rule":"evenodd"})])}function Ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.5 9.75a.75.75 0 0 0-.75.75V15c0 .414.336.75.75.75h6.75A.75.75 0 0 0 12 15v-4.5a.75.75 0 0 0-.75-.75H4.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 6.75a3 3 0 0 0-3 3v6a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3v-.037c.856-.174 1.5-.93 1.5-1.838v-2.25c0-.907-.644-1.664-1.5-1.837V9.75a3 3 0 0 0-3-3h-15Zm15 1.5a1.5 1.5 0 0 1 1.5 1.5v6a1.5 1.5 0 0 1-1.5 1.5h-15a1.5 1.5 0 0 1-1.5-1.5v-6a1.5 1.5 0 0 1 1.5-1.5h15Z","clip-rule":"evenodd"})])}function Ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 3.798v5.02a3 3 0 0 1-.879 2.121l-2.377 2.377a9.845 9.845 0 0 1 5.091 1.013 8.315 8.315 0 0 0 5.713.636l.285-.071-3.954-3.955a3 3 0 0 1-.879-2.121v-5.02a23.614 23.614 0 0 0-3 0Zm4.5.138a.75.75 0 0 0 .093-1.495A24.837 24.837 0 0 0 12 2.25a25.048 25.048 0 0 0-3.093.191A.75.75 0 0 0 9 3.936v4.882a1.5 1.5 0 0 1-.44 1.06l-6.293 6.294c-1.62 1.621-.903 4.475 1.471 4.88 2.686.46 5.447.698 8.262.698 2.816 0 5.576-.239 8.262-.697 2.373-.406 3.092-3.26 1.47-4.881L15.44 9.879A1.5 1.5 0 0 1 15 8.818V3.936Z","clip-rule":"evenodd"})])}function Ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.85 3.5a.75.75 0 0 0-1.117-1 9.719 9.719 0 0 0-2.348 4.876.75.75 0 0 0 1.479.248A8.219 8.219 0 0 1 5.85 3.5ZM19.267 2.5a.75.75 0 1 0-1.118 1 8.22 8.22 0 0 1 1.987 4.124.75.75 0 0 0 1.48-.248A9.72 9.72 0 0 0 19.266 2.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25A6.75 6.75 0 0 0 5.25 9v.75a8.217 8.217 0 0 1-2.119 5.52.75.75 0 0 0 .298 1.206c1.544.57 3.16.99 4.831 1.243a3.75 3.75 0 1 0 7.48 0 24.583 24.583 0 0 0 4.83-1.244.75.75 0 0 0 .298-1.205 8.217 8.217 0 0 1-2.118-5.52V9A6.75 6.75 0 0 0 12 2.25ZM9.75 18c0-.034 0-.067.002-.1a25.05 25.05 0 0 0 4.496 0l.002.1a2.25 2.25 0 1 1-4.5 0Z","clip-rule":"evenodd"})])}function Be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.53 2.47a.75.75 0 0 0-1.06 1.06l18 18a.75.75 0 1 0 1.06-1.06l-18-18ZM20.57 16.476c-.223.082-.448.161-.674.238L7.319 4.137A6.75 6.75 0 0 1 18.75 9v.75c0 2.123.8 4.057 2.118 5.52a.75.75 0 0 1-.297 1.206Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 9c0-.184.007-.366.022-.546l10.384 10.384a3.751 3.751 0 0 1-7.396-1.119 24.585 24.585 0 0 1-4.831-1.244.75.75 0 0 1-.298-1.205A8.217 8.217 0 0 0 5.25 9.75V9Zm4.502 8.9a2.25 2.25 0 1 0 4.496 0 25.057 25.057 0 0 1-4.496 0Z","clip-rule":"evenodd"})])}function Me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25A6.75 6.75 0 0 0 5.25 9v.75a8.217 8.217 0 0 1-2.119 5.52.75.75 0 0 0 .298 1.206c1.544.57 3.16.99 4.831 1.243a3.75 3.75 0 1 0 7.48 0 24.583 24.583 0 0 0 4.83-1.244.75.75 0 0 0 .298-1.205 8.217 8.217 0 0 1-2.118-5.52V9A6.75 6.75 0 0 0 12 2.25ZM9.75 18c0-.034 0-.067.002-.1a25.05 25.05 0 0 0 4.496 0l.002.1a2.25 2.25 0 1 1-4.5 0Zm.75-10.5a.75.75 0 0 0 0 1.5h1.599l-2.223 3.334A.75.75 0 0 0 10.5 13.5h3a.75.75 0 0 0 0-1.5h-1.599l2.223-3.334A.75.75 0 0 0 13.5 7.5h-3Z","clip-rule":"evenodd"})])}function _e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 9a6.75 6.75 0 0 1 13.5 0v.75c0 2.123.8 4.057 2.118 5.52a.75.75 0 0 1-.297 1.206c-1.544.57-3.16.99-4.831 1.243a3.75 3.75 0 1 1-7.48 0 24.585 24.585 0 0 1-4.831-1.244.75.75 0 0 1-.298-1.205A8.217 8.217 0 0 0 5.25 9.75V9Zm4.502 8.9a2.25 2.25 0 1 0 4.496 0 25.057 25.057 0 0 1-4.496 0Z","clip-rule":"evenodd"})])}function Se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.246 3.744a.75.75 0 0 1 .75-.75h7.125a4.875 4.875 0 0 1 3.346 8.422 5.25 5.25 0 0 1-2.97 9.58h-7.5a.75.75 0 0 1-.75-.75V3.744Zm7.125 6.75a2.625 2.625 0 0 0 0-5.25H8.246v5.25h4.125Zm-4.125 2.251v6h4.5a3 3 0 0 0 0-6h-4.5Z","clip-rule":"evenodd"})])}function Ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m20.798 11.012-3.188 3.416L9.462 6.28l4.24-4.542a.75.75 0 0 1 1.272.71L12.982 9.75h7.268a.75.75 0 0 1 .548 1.262ZM3.202 12.988 6.39 9.572l8.148 8.148-4.24 4.542a.75.75 0 0 1-1.272-.71l1.992-7.302H3.75a.75.75 0 0 1-.548-1.262ZM3.53 2.47a.75.75 0 0 0-1.06 1.06l18 18a.75.75 0 1 0 1.06-1.06l-18-18Z"})])}function Ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.615 1.595a.75.75 0 0 1 .359.852L12.982 9.75h7.268a.75.75 0 0 1 .548 1.262l-10.5 11.25a.75.75 0 0 1-1.272-.71l1.992-7.302H3.75a.75.75 0 0 1-.548-1.262l10.5-11.25a.75.75 0 0 1 .913-.143Z","clip-rule":"evenodd"})])}function Le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.25 4.533A9.707 9.707 0 0 0 6 3a9.735 9.735 0 0 0-3.25.555.75.75 0 0 0-.5.707v14.25a.75.75 0 0 0 1 .707A8.237 8.237 0 0 1 6 18.75c1.995 0 3.823.707 5.25 1.886V4.533ZM12.75 20.636A8.214 8.214 0 0 1 18 18.75c.966 0 1.89.166 2.75.47a.75.75 0 0 0 1-.708V4.262a.75.75 0 0 0-.5-.707A9.735 9.735 0 0 0 18 3a9.707 9.707 0 0 0-5.25 1.533v16.103Z"})])}function Te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.53 2.47a.75.75 0 0 0-1.06 1.06l18 18a.75.75 0 1 0 1.06-1.06l-18-18ZM20.25 5.507v11.561L5.853 2.671c.15-.043.306-.075.467-.094a49.255 49.255 0 0 1 11.36 0c1.497.174 2.57 1.46 2.57 2.93ZM3.75 21V6.932l14.063 14.063L12 18.088l-7.165 3.583A.75.75 0 0 1 3.75 21Z"})])}function Ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 3a3 3 0 0 0-3 3v12a3 3 0 0 0 3 3h12a3 3 0 0 0 3-3V6a3 3 0 0 0-3-3H6Zm1.5 1.5a.75.75 0 0 0-.75.75V16.5a.75.75 0 0 0 1.085.67L12 15.089l4.165 2.083a.75.75 0 0 0 1.085-.671V5.25a.75.75 0 0 0-.75-.75h-9Z","clip-rule":"evenodd"})])}function Ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.32 2.577a49.255 49.255 0 0 1 11.36 0c1.497.174 2.57 1.46 2.57 2.93V21a.75.75 0 0 1-1.085.67L12 18.089l-7.165 3.583A.75.75 0 0 1 3.75 21V5.507c0-1.47 1.073-2.756 2.57-2.93Z","clip-rule":"evenodd"})])}function Oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 5.25a3 3 0 0 1 3-3h3a3 3 0 0 1 3 3v.205c.933.085 1.857.197 2.774.334 1.454.218 2.476 1.483 2.476 2.917v3.033c0 1.211-.734 2.352-1.936 2.752A24.726 24.726 0 0 1 12 15.75c-2.73 0-5.357-.442-7.814-1.259-1.202-.4-1.936-1.541-1.936-2.752V8.706c0-1.434 1.022-2.7 2.476-2.917A48.814 48.814 0 0 1 7.5 5.455V5.25Zm7.5 0v.09a49.488 49.488 0 0 0-6 0v-.09a1.5 1.5 0 0 1 1.5-1.5h3a1.5 1.5 0 0 1 1.5 1.5Zm-3 8.25a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M3 18.4v-2.796a4.3 4.3 0 0 0 .713.31A26.226 26.226 0 0 0 12 17.25c2.892 0 5.68-.468 8.287-1.335.252-.084.49-.189.713-.311V18.4c0 1.452-1.047 2.728-2.523 2.923-2.12.282-4.282.427-6.477.427a49.19 49.19 0 0 1-6.477-.427C4.047 21.128 3 19.852 3 18.4Z"})])}function De(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.478 1.6a.75.75 0 0 1 .273 1.026 3.72 3.72 0 0 0-.425 1.121c.058.058.118.114.18.168A4.491 4.491 0 0 1 12 2.25c1.413 0 2.673.651 3.497 1.668.06-.054.12-.11.178-.167a3.717 3.717 0 0 0-.426-1.125.75.75 0 1 1 1.298-.752 5.22 5.22 0 0 1 .671 2.046.75.75 0 0 1-.187.582c-.241.27-.505.52-.787.749a4.494 4.494 0 0 1 .216 2.1c-.106.792-.753 1.295-1.417 1.403-.182.03-.364.057-.547.081.152.227.273.476.359.742a23.122 23.122 0 0 0 3.832-.803 23.241 23.241 0 0 0-.345-2.634.75.75 0 0 1 1.474-.28c.21 1.115.348 2.256.404 3.418a.75.75 0 0 1-.516.75c-1.527.499-3.119.854-4.76 1.049-.074.38-.22.735-.423 1.05 2.066.209 4.058.672 5.943 1.358a.75.75 0 0 1 .492.75 24.665 24.665 0 0 1-1.189 6.25.75.75 0 0 1-1.425-.47 23.14 23.14 0 0 0 1.077-5.306c-.5-.169-1.009-.32-1.524-.455.068.234.104.484.104.746 0 3.956-2.521 7.5-6 7.5-3.478 0-6-3.544-6-7.5 0-.262.037-.511.104-.746-.514.135-1.022.286-1.522.455.154 1.838.52 3.616 1.077 5.307a.75.75 0 1 1-1.425.468 24.662 24.662 0 0 1-1.19-6.25.75.75 0 0 1 .493-.749 24.586 24.586 0 0 1 4.964-1.24h.01c.321-.046.644-.085.969-.118a2.983 2.983 0 0 1-.424-1.05 24.614 24.614 0 0 1-4.76-1.05.75.75 0 0 1-.516-.75c.057-1.16.194-2.302.405-3.417a.75.75 0 0 1 1.474.28c-.164.862-.28 1.74-.345 2.634 1.237.371 2.517.642 3.832.803.085-.266.207-.515.359-.742a18.698 18.698 0 0 1-.547-.08c-.664-.11-1.311-.612-1.417-1.404a4.535 4.535 0 0 1 .217-2.103 6.788 6.788 0 0 1-.788-.751.75.75 0 0 1-.187-.583 5.22 5.22 0 0 1 .67-2.04.75.75 0 0 1 1.026-.273Z","clip-rule":"evenodd"})])}function Re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.584 2.376a.75.75 0 0 1 .832 0l9 6a.75.75 0 1 1-.832 1.248L12 3.901 3.416 9.624a.75.75 0 0 1-.832-1.248l9-6Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.25 10.332v9.918H21a.75.75 0 0 1 0 1.5H3a.75.75 0 0 1 0-1.5h.75v-9.918a.75.75 0 0 1 .634-.74A49.109 49.109 0 0 1 12 9c2.59 0 5.134.202 7.616.592a.75.75 0 0 1 .634.74Zm-7.5 2.418a.75.75 0 0 0-1.5 0v6.75a.75.75 0 0 0 1.5 0v-6.75Zm3-.75a.75.75 0 0 1 .75.75v6.75a.75.75 0 0 1-1.5 0v-6.75a.75.75 0 0 1 .75-.75ZM9 12.75a.75.75 0 0 0-1.5 0v6.75a.75.75 0 0 0 1.5 0v-6.75Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M12 7.875a1.125 1.125 0 1 0 0-2.25 1.125 1.125 0 0 0 0 2.25Z"})])}function He(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 2.25a.75.75 0 0 0 0 1.5v16.5h-.75a.75.75 0 0 0 0 1.5H15v-18a.75.75 0 0 0 0-1.5H3ZM6.75 19.5v-2.25a.75.75 0 0 1 .75-.75h3a.75.75 0 0 1 .75.75v2.25a.75.75 0 0 1-.75.75h-3a.75.75 0 0 1-.75-.75ZM6 6.75A.75.75 0 0 1 6.75 6h.75a.75.75 0 0 1 0 1.5h-.75A.75.75 0 0 1 6 6.75ZM6.75 9a.75.75 0 0 0 0 1.5h.75a.75.75 0 0 0 0-1.5h-.75ZM6 12.75a.75.75 0 0 1 .75-.75h.75a.75.75 0 0 1 0 1.5h-.75a.75.75 0 0 1-.75-.75ZM10.5 6a.75.75 0 0 0 0 1.5h.75a.75.75 0 0 0 0-1.5h-.75Zm-.75 3.75A.75.75 0 0 1 10.5 9h.75a.75.75 0 0 1 0 1.5h-.75a.75.75 0 0 1-.75-.75ZM10.5 12a.75.75 0 0 0 0 1.5h.75a.75.75 0 0 0 0-1.5h-.75ZM16.5 6.75v15h5.25a.75.75 0 0 0 0-1.5H21v-12a.75.75 0 0 0 0-1.5h-4.5Zm1.5 4.5a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75v-.008Zm.75 2.25a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75v-.008a.75.75 0 0 0-.75-.75h-.008ZM18 17.25a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75v-.008Z","clip-rule":"evenodd"})])}function Pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2.25a.75.75 0 0 0 0 1.5v16.5h-.75a.75.75 0 0 0 0 1.5h16.5a.75.75 0 0 0 0-1.5h-.75V3.75a.75.75 0 0 0 0-1.5h-15ZM9 6a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 0-1.5H9Zm-.75 3.75A.75.75 0 0 1 9 9h1.5a.75.75 0 0 1 0 1.5H9a.75.75 0 0 1-.75-.75ZM9 12a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 0-1.5H9Zm3.75-5.25A.75.75 0 0 1 13.5 6H15a.75.75 0 0 1 0 1.5h-1.5a.75.75 0 0 1-.75-.75ZM13.5 9a.75.75 0 0 0 0 1.5H15A.75.75 0 0 0 15 9h-1.5Zm-.75 3.75a.75.75 0 0 1 .75-.75H15a.75.75 0 0 1 0 1.5h-1.5a.75.75 0 0 1-.75-.75ZM9 19.5v-2.25a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 .75.75v2.25a.75.75 0 0 1-.75.75h-4.5A.75.75 0 0 1 9 19.5Z","clip-rule":"evenodd"})])}function je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.223 2.25c-.497 0-.974.198-1.325.55l-1.3 1.298A3.75 3.75 0 0 0 7.5 9.75c.627.47 1.406.75 2.25.75.844 0 1.624-.28 2.25-.75.626.47 1.406.75 2.25.75.844 0 1.623-.28 2.25-.75a3.75 3.75 0 0 0 4.902-5.652l-1.3-1.299a1.875 1.875 0 0 0-1.325-.549H5.223Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 20.25v-8.755c1.42.674 3.08.673 4.5 0A5.234 5.234 0 0 0 9.75 12c.804 0 1.568-.182 2.25-.506a5.234 5.234 0 0 0 2.25.506c.804 0 1.567-.182 2.25-.506 1.42.674 3.08.675 4.5.001v8.755h.75a.75.75 0 0 1 0 1.5H2.25a.75.75 0 0 1 0-1.5H3Zm3-6a.75.75 0 0 1 .75-.75h3a.75.75 0 0 1 .75.75v3a.75.75 0 0 1-.75.75h-3a.75.75 0 0 1-.75-.75v-3Zm8.25-.75a.75.75 0 0 0-.75.75v5.25c0 .414.336.75.75.75h3a.75.75 0 0 0 .75-.75v-5.25a.75.75 0 0 0-.75-.75h-3Z","clip-rule":"evenodd"})])}function Fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m15 1.784-.796.795a1.125 1.125 0 1 0 1.591 0L15 1.784ZM12 1.784l-.796.795a1.125 1.125 0 1 0 1.591 0L12 1.784ZM9 1.784l-.796.795a1.125 1.125 0 1 0 1.591 0L9 1.784ZM9.75 7.547c.498-.021.998-.035 1.5-.042V6.75a.75.75 0 0 1 1.5 0v.755c.502.007 1.002.021 1.5.042V6.75a.75.75 0 0 1 1.5 0v.88l.307.022c1.55.117 2.693 1.427 2.693 2.946v1.018a62.182 62.182 0 0 0-13.5 0v-1.018c0-1.519 1.143-2.829 2.693-2.946l.307-.022v-.88a.75.75 0 0 1 1.5 0v.797ZM12 12.75c-2.472 0-4.9.184-7.274.54-1.454.217-2.476 1.482-2.476 2.916v.384a4.104 4.104 0 0 1 2.585.364 2.605 2.605 0 0 0 2.33 0 4.104 4.104 0 0 1 3.67 0 2.605 2.605 0 0 0 2.33 0 4.104 4.104 0 0 1 3.67 0 2.605 2.605 0 0 0 2.33 0 4.104 4.104 0 0 1 2.585-.364v-.384c0-1.434-1.022-2.7-2.476-2.917A49.138 49.138 0 0 0 12 12.75ZM21.75 18.131a2.604 2.604 0 0 0-1.915.165 4.104 4.104 0 0 1-3.67 0 2.605 2.605 0 0 0-2.33 0 4.104 4.104 0 0 1-3.67 0 2.605 2.605 0 0 0-2.33 0 4.104 4.104 0 0 1-3.67 0 2.604 2.604 0 0 0-1.915-.165v2.494c0 1.035.84 1.875 1.875 1.875h15.75c1.035 0 1.875-.84 1.875-1.875v-2.494Z"})])}function ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.32 1.827a49.255 49.255 0 0 1 11.36 0c1.497.174 2.57 1.46 2.57 2.93V19.5a3 3 0 0 1-3 3H6.75a3 3 0 0 1-3-3V4.757c0-1.47 1.073-2.756 2.57-2.93ZM7.5 11.25a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H8.25a.75.75 0 0 1-.75-.75v-.008Zm.75 1.5a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V13.5a.75.75 0 0 0-.75-.75H8.25Zm-.75 3a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H8.25a.75.75 0 0 1-.75-.75v-.008Zm.75 1.5a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V18a.75.75 0 0 0-.75-.75H8.25Zm1.748-6a.75.75 0 0 1 .75-.75h.007a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.007a.75.75 0 0 1-.75-.75v-.008Zm.75 1.5a.75.75 0 0 0-.75.75v.008c0 .414.335.75.75.75h.007a.75.75 0 0 0 .75-.75V13.5a.75.75 0 0 0-.75-.75h-.007Zm-.75 3a.75.75 0 0 1 .75-.75h.007a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.007a.75.75 0 0 1-.75-.75v-.008Zm.75 1.5a.75.75 0 0 0-.75.75v.008c0 .414.335.75.75.75h.007a.75.75 0 0 0 .75-.75V18a.75.75 0 0 0-.75-.75h-.007Zm1.754-6a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75v-.008Zm.75 1.5a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V13.5a.75.75 0 0 0-.75-.75h-.008Zm-.75 3a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75v-.008Zm.75 1.5a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V18a.75.75 0 0 0-.75-.75h-.008Zm1.748-6a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75v-.008Zm.75 1.5a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V13.5a.75.75 0 0 0-.75-.75h-.008Zm-8.25-6A.75.75 0 0 1 8.25 6h7.5a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-7.5a.75.75 0 0 1-.75-.75v-.75Zm9 9a.75.75 0 0 0-1.5 0V18a.75.75 0 0 0 1.5 0v-2.25Z","clip-rule":"evenodd"})])}function qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 11.993a.75.75 0 0 0-.75.75v.006c0 .414.336.75.75.75h.006a.75.75 0 0 0 .75-.75v-.006a.75.75 0 0 0-.75-.75H12ZM12 16.494a.75.75 0 0 0-.75.75v.005c0 .414.335.75.75.75h.005a.75.75 0 0 0 .75-.75v-.005a.75.75 0 0 0-.75-.75H12ZM8.999 17.244a.75.75 0 0 1 .75-.75h.006a.75.75 0 0 1 .75.75v.006a.75.75 0 0 1-.75.75h-.006a.75.75 0 0 1-.75-.75v-.006ZM7.499 16.494a.75.75 0 0 0-.75.75v.005c0 .414.336.75.75.75h.005a.75.75 0 0 0 .75-.75v-.005a.75.75 0 0 0-.75-.75H7.5ZM13.499 14.997a.75.75 0 0 1 .75-.75h.006a.75.75 0 0 1 .75.75v.005a.75.75 0 0 1-.75.75h-.006a.75.75 0 0 1-.75-.75v-.005ZM14.25 16.494a.75.75 0 0 0-.75.75v.006c0 .414.335.75.75.75h.005a.75.75 0 0 0 .75-.75v-.006a.75.75 0 0 0-.75-.75h-.005ZM15.75 14.995a.75.75 0 0 1 .75-.75h.005a.75.75 0 0 1 .75.75v.006a.75.75 0 0 1-.75.75H16.5a.75.75 0 0 1-.75-.75v-.006ZM13.498 12.743a.75.75 0 0 1 .75-.75h2.25a.75.75 0 1 1 0 1.5h-2.25a.75.75 0 0 1-.75-.75ZM6.748 14.993a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 2.993a.75.75 0 0 0-1.5 0v1.5h-9V2.994a.75.75 0 1 0-1.5 0v1.497h-.752a3 3 0 0 0-3 3v11.252a3 3 0 0 0 3 3h13.5a3 3 0 0 0 3-3V7.492a3 3 0 0 0-3-3H18V2.993ZM3.748 18.743v-7.5a1.5 1.5 0 0 1 1.5-1.5h13.5a1.5 1.5 0 0 1 1.5 1.5v7.5a1.5 1.5 0 0 1-1.5 1.5h-13.5a1.5 1.5 0 0 1-1.5-1.5Z","clip-rule":"evenodd"})])}function Ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12.75 12.75a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM7.5 15.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM8.25 17.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM9.75 15.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM10.5 17.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM12 15.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM12.75 17.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM14.25 15.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM15 17.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM16.5 15.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM15 12.75a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM16.5 13.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.75 2.25A.75.75 0 0 1 7.5 3v1.5h9V3A.75.75 0 0 1 18 3v1.5h.75a3 3 0 0 1 3 3v11.25a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3V7.5a3 3 0 0 1 3-3H6V3a.75.75 0 0 1 .75-.75Zm13.5 9a1.5 1.5 0 0 0-1.5-1.5H5.25a1.5 1.5 0 0 0-1.5 1.5v7.5a1.5 1.5 0 0 0 1.5 1.5h13.5a1.5 1.5 0 0 0 1.5-1.5v-7.5Z","clip-rule":"evenodd"})])}function $e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.75 2.25A.75.75 0 0 1 7.5 3v1.5h9V3A.75.75 0 0 1 18 3v1.5h.75a3 3 0 0 1 3 3v11.25a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3V7.5a3 3 0 0 1 3-3H6V3a.75.75 0 0 1 .75-.75Zm13.5 9a1.5 1.5 0 0 0-1.5-1.5H5.25a1.5 1.5 0 0 0-1.5 1.5v7.5a1.5 1.5 0 0 0 1.5 1.5h13.5a1.5 1.5 0 0 0 1.5-1.5v-7.5Z","clip-rule":"evenodd"})])}function We(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 9a3.75 3.75 0 1 0 0 7.5A3.75 3.75 0 0 0 12 9Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.344 3.071a49.52 49.52 0 0 1 5.312 0c.967.052 1.83.585 2.332 1.39l.821 1.317c.24.383.645.643 1.11.71.386.054.77.113 1.152.177 1.432.239 2.429 1.493 2.429 2.909V18a3 3 0 0 1-3 3h-15a3 3 0 0 1-3-3V9.574c0-1.416.997-2.67 2.429-2.909.382-.064.766-.123 1.151-.178a1.56 1.56 0 0 0 1.11-.71l.822-1.315a2.942 2.942 0 0 1 2.332-1.39ZM6.75 12.75a5.25 5.25 0 1 1 10.5 0 5.25 5.25 0 0 1-10.5 0Zm12-1.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function Ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6a3 3 0 0 1 3-3h12a3 3 0 0 1 3 3v12a3 3 0 0 1-3 3H6a3 3 0 0 1-3-3V6Zm4.5 7.5a.75.75 0 0 1 .75.75v2.25a.75.75 0 0 1-1.5 0v-2.25a.75.75 0 0 1 .75-.75Zm3.75-1.5a.75.75 0 0 0-1.5 0v4.5a.75.75 0 0 0 1.5 0V12Zm2.25-3a.75.75 0 0 1 .75.75v6.75a.75.75 0 0 1-1.5 0V9.75A.75.75 0 0 1 13.5 9Zm3.75-1.5a.75.75 0 0 0-1.5 0v9a.75.75 0 0 0 1.5 0v-9Z","clip-rule":"evenodd"})])}function Ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M18.375 2.25c-1.035 0-1.875.84-1.875 1.875v15.75c0 1.035.84 1.875 1.875 1.875h.75c1.035 0 1.875-.84 1.875-1.875V4.125c0-1.036-.84-1.875-1.875-1.875h-.75ZM9.75 8.625c0-1.036.84-1.875 1.875-1.875h.75c1.036 0 1.875.84 1.875 1.875v11.25c0 1.035-.84 1.875-1.875 1.875h-.75a1.875 1.875 0 0 1-1.875-1.875V8.625ZM3 13.125c0-1.036.84-1.875 1.875-1.875h.75c1.036 0 1.875.84 1.875 1.875v6.75c0 1.035-.84 1.875-1.875 1.875h-.75A1.875 1.875 0 0 1 3 19.875v-6.75Z"})])}function Ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 13.5a8.25 8.25 0 0 1 8.25-8.25.75.75 0 0 1 .75.75v6.75H18a.75.75 0 0 1 .75.75 8.25 8.25 0 0 1-16.5 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.75 3a.75.75 0 0 1 .75-.75 8.25 8.25 0 0 1 8.25 8.25.75.75 0 0 1-.75.75h-7.5a.75.75 0 0 1-.75-.75V3Z","clip-rule":"evenodd"})])}function Xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.848 2.771A49.144 49.144 0 0 1 12 2.25c2.43 0 4.817.178 7.152.52 1.978.292 3.348 2.024 3.348 3.97v6.02c0 1.946-1.37 3.678-3.348 3.97a48.901 48.901 0 0 1-3.476.383.39.39 0 0 0-.297.17l-2.755 4.133a.75.75 0 0 1-1.248 0l-2.755-4.133a.39.39 0 0 0-.297-.17 48.9 48.9 0 0 1-3.476-.384c-1.978-.29-3.348-2.024-3.348-3.97V6.741c0-1.946 1.37-3.68 3.348-3.97ZM6.75 8.25a.75.75 0 0 1 .75-.75h9a.75.75 0 0 1 0 1.5h-9a.75.75 0 0 1-.75-.75Zm.75 2.25a.75.75 0 0 0 0 1.5H12a.75.75 0 0 0 0-1.5H7.5Z","clip-rule":"evenodd"})])}function Je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.848 2.771A49.144 49.144 0 0 1 12 2.25c2.43 0 4.817.178 7.152.52 1.978.292 3.348 2.024 3.348 3.97v6.02c0 1.946-1.37 3.678-3.348 3.97a48.901 48.901 0 0 1-3.476.383.39.39 0 0 0-.297.17l-2.755 4.133a.75.75 0 0 1-1.248 0l-2.755-4.133a.39.39 0 0 0-.297-.17 48.9 48.9 0 0 1-3.476-.384c-1.978-.29-3.348-2.024-3.348-3.97V6.741c0-1.946 1.37-3.68 3.348-3.97Z","clip-rule":"evenodd"})])}function Qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-2.429 0-4.817.178-7.152.521C2.87 3.061 1.5 4.795 1.5 6.741v6.018c0 1.946 1.37 3.68 3.348 3.97.877.129 1.761.234 2.652.316V21a.75.75 0 0 0 1.28.53l4.184-4.183a.39.39 0 0 1 .266-.112c2.006-.05 3.982-.22 5.922-.506 1.978-.29 3.348-2.023 3.348-3.97V6.741c0-1.947-1.37-3.68-3.348-3.97A49.145 49.145 0 0 0 12 2.25ZM8.25 8.625a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25Zm2.625 1.125a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Zm4.875-1.125a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25Z","clip-rule":"evenodd"})])}function et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.913 2.658c2.075-.27 4.19-.408 6.337-.408 2.147 0 4.262.139 6.337.408 1.922.25 3.291 1.861 3.405 3.727a4.403 4.403 0 0 0-1.032-.211 50.89 50.89 0 0 0-8.42 0c-2.358.196-4.04 2.19-4.04 4.434v4.286a4.47 4.47 0 0 0 2.433 3.984L7.28 21.53A.75.75 0 0 1 6 21v-4.03a48.527 48.527 0 0 1-1.087-.128C2.905 16.58 1.5 14.833 1.5 12.862V6.638c0-1.97 1.405-3.718 3.413-3.979Z"}),(0,r.createElementVNode)("path",{d:"M15.75 7.5c-1.376 0-2.739.057-4.086.169C10.124 7.797 9 9.103 9 10.609v4.285c0 1.507 1.128 2.814 2.67 2.94 1.243.102 2.5.157 3.768.165l2.782 2.781a.75.75 0 0 0 1.28-.53v-2.39l.33-.026c1.542-.125 2.67-1.433 2.67-2.94v-4.286c0-1.505-1.125-2.811-2.664-2.94A49.392 49.392 0 0 0 15.75 7.5Z"})])}function tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.848 2.771A49.144 49.144 0 0 1 12 2.25c2.43 0 4.817.178 7.152.52 1.978.292 3.348 2.024 3.348 3.97v6.02c0 1.946-1.37 3.678-3.348 3.97-1.94.284-3.916.455-5.922.505a.39.39 0 0 0-.266.112L8.78 21.53A.75.75 0 0 1 7.5 21v-3.955a48.842 48.842 0 0 1-2.652-.316c-1.978-.29-3.348-2.024-3.348-3.97V6.741c0-1.946 1.37-3.68 3.348-3.97Z","clip-rule":"evenodd"})])}function nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.804 21.644A6.707 6.707 0 0 0 6 21.75a6.721 6.721 0 0 0 3.583-1.029c.774.182 1.584.279 2.417.279 5.322 0 9.75-3.97 9.75-9 0-5.03-4.428-9-9.75-9s-9.75 3.97-9.75 9c0 2.409 1.025 4.587 2.674 6.192.232.226.277.428.254.543a3.73 3.73 0 0 1-.814 1.686.75.75 0 0 0 .44 1.223ZM8.25 10.875a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25ZM10.875 12a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Zm4.875-1.125a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25Z","clip-rule":"evenodd"})])}function rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.337 21.718a6.707 6.707 0 0 1-.533-.074.75.75 0 0 1-.44-1.223 3.73 3.73 0 0 0 .814-1.686c.023-.115-.022-.317-.254-.543C3.274 16.587 2.25 14.41 2.25 12c0-5.03 4.428-9 9.75-9s9.75 3.97 9.75 9c0 5.03-4.428 9-9.75 9-.833 0-1.643-.097-2.417-.279a6.721 6.721 0 0 1-4.246.997Z","clip-rule":"evenodd"})])}function ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.603 3.799A4.49 4.49 0 0 1 12 2.25c1.357 0 2.573.6 3.397 1.549a4.49 4.49 0 0 1 3.498 1.307 4.491 4.491 0 0 1 1.307 3.497A4.49 4.49 0 0 1 21.75 12a4.49 4.49 0 0 1-1.549 3.397 4.491 4.491 0 0 1-1.307 3.497 4.491 4.491 0 0 1-3.497 1.307A4.49 4.49 0 0 1 12 21.75a4.49 4.49 0 0 1-3.397-1.549 4.49 4.49 0 0 1-3.498-1.306 4.491 4.491 0 0 1-1.307-3.498A4.49 4.49 0 0 1 2.25 12c0-1.357.6-2.573 1.549-3.397a4.49 4.49 0 0 1 1.307-3.497 4.49 4.49 0 0 1 3.497-1.307Zm7.007 6.387a.75.75 0 1 0-1.22-.872l-3.236 4.53L9.53 12.22a.75.75 0 0 0-1.06 1.06l2.25 2.25a.75.75 0 0 0 1.14-.094l3.75-5.25Z","clip-rule":"evenodd"})])}function it(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 12c0-5.385 4.365-9.75 9.75-9.75s9.75 4.365 9.75 9.75-4.365 9.75-9.75 9.75S2.25 17.385 2.25 12Zm13.36-1.814a.75.75 0 1 0-1.22-.872l-3.236 4.53L9.53 12.22a.75.75 0 0 0-1.06 1.06l2.25 2.25a.75.75 0 0 0 1.14-.094l3.75-5.25Z","clip-rule":"evenodd"})])}function at(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.916 4.626a.75.75 0 0 1 .208 1.04l-9 13.5a.75.75 0 0 1-1.154.114l-6-6a.75.75 0 0 1 1.06-1.06l5.353 5.353 8.493-12.74a.75.75 0 0 1 1.04-.207Z","clip-rule":"evenodd"})])}function lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 13.28a.75.75 0 0 0 1.06 0l7.5-7.5a.75.75 0 0 0-1.06-1.06L12 11.69 5.03 4.72a.75.75 0 0 0-1.06 1.06l7.5 7.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 19.28a.75.75 0 0 0 1.06 0l7.5-7.5a.75.75 0 1 0-1.06-1.06L12 17.69l-6.97-6.97a.75.75 0 0 0-1.06 1.06l7.5 7.5Z","clip-rule":"evenodd"})])}function st(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.72 11.47a.75.75 0 0 0 0 1.06l7.5 7.5a.75.75 0 1 0 1.06-1.06L12.31 12l6.97-6.97a.75.75 0 0 0-1.06-1.06l-7.5 7.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.72 11.47a.75.75 0 0 0 0 1.06l7.5 7.5a.75.75 0 1 0 1.06-1.06L6.31 12l6.97-6.97a.75.75 0 0 0-1.06-1.06l-7.5 7.5Z","clip-rule":"evenodd"})])}function ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.28 11.47a.75.75 0 0 1 0 1.06l-7.5 7.5a.75.75 0 0 1-1.06-1.06L11.69 12 4.72 5.03a.75.75 0 0 1 1.06-1.06l7.5 7.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.28 11.47a.75.75 0 0 1 0 1.06l-7.5 7.5a.75.75 0 1 1-1.06-1.06L17.69 12l-6.97-6.97a.75.75 0 0 1 1.06-1.06l7.5 7.5Z","clip-rule":"evenodd"})])}function ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 10.72a.75.75 0 0 1 1.06 0l7.5 7.5a.75.75 0 1 1-1.06 1.06L12 12.31l-6.97 6.97a.75.75 0 0 1-1.06-1.06l7.5-7.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 4.72a.75.75 0 0 1 1.06 0l7.5 7.5a.75.75 0 1 1-1.06 1.06L12 6.31l-6.97 6.97a.75.75 0 0 1-1.06-1.06l7.5-7.5Z","clip-rule":"evenodd"})])}function dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.53 16.28a.75.75 0 0 1-1.06 0l-7.5-7.5a.75.75 0 0 1 1.06-1.06L12 14.69l6.97-6.97a.75.75 0 1 1 1.06 1.06l-7.5 7.5Z","clip-rule":"evenodd"})])}function ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.72 12.53a.75.75 0 0 1 0-1.06l7.5-7.5a.75.75 0 1 1 1.06 1.06L9.31 12l6.97 6.97a.75.75 0 1 1-1.06 1.06l-7.5-7.5Z","clip-rule":"evenodd"})])}function pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.28 11.47a.75.75 0 0 1 0 1.06l-7.5 7.5a.75.75 0 0 1-1.06-1.06L14.69 12 7.72 5.03a.75.75 0 0 1 1.06-1.06l7.5 7.5Z","clip-rule":"evenodd"})])}function ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 4.72a.75.75 0 0 1 1.06 0l3.75 3.75a.75.75 0 0 1-1.06 1.06L12 6.31 8.78 9.53a.75.75 0 0 1-1.06-1.06l3.75-3.75Zm-3.75 9.75a.75.75 0 0 1 1.06 0L12 17.69l3.22-3.22a.75.75 0 1 1 1.06 1.06l-3.75 3.75a.75.75 0 0 1-1.06 0l-3.75-3.75a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 7.72a.75.75 0 0 1 1.06 0l7.5 7.5a.75.75 0 1 1-1.06 1.06L12 9.31l-6.97 6.97a.75.75 0 0 1-1.06-1.06l7.5-7.5Z","clip-rule":"evenodd"})])}function vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M21 6.375c0 2.692-4.03 4.875-9 4.875S3 9.067 3 6.375 7.03 1.5 12 1.5s9 2.183 9 4.875Z"}),(0,r.createElementVNode)("path",{d:"M12 12.75c2.685 0 5.19-.586 7.078-1.609a8.283 8.283 0 0 0 1.897-1.384c.016.121.025.244.025.368C21 12.817 16.97 15 12 15s-9-2.183-9-4.875c0-.124.009-.247.025-.368a8.285 8.285 0 0 0 1.897 1.384C6.809 12.164 9.315 12.75 12 12.75Z"}),(0,r.createElementVNode)("path",{d:"M12 16.5c2.685 0 5.19-.586 7.078-1.609a8.282 8.282 0 0 0 1.897-1.384c.016.121.025.244.025.368 0 2.692-4.03 4.875-9 4.875s-9-2.183-9-4.875c0-.124.009-.247.025-.368a8.284 8.284 0 0 0 1.897 1.384C6.809 15.914 9.315 16.5 12 16.5Z"}),(0,r.createElementVNode)("path",{d:"M12 20.25c2.685 0 5.19-.586 7.078-1.609a8.282 8.282 0 0 0 1.897-1.384c.016.121.025.244.025.368 0 2.692-4.03 4.875-9 4.875s-9-2.183-9-4.875c0-.124.009-.247.025-.368a8.284 8.284 0 0 0 1.897 1.384C6.809 19.664 9.315 20.25 12 20.25Z"})])}function gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.502 6h7.128A3.375 3.375 0 0 1 18 9.375v9.375a3 3 0 0 0 3-3V6.108c0-1.505-1.125-2.811-2.664-2.94a48.972 48.972 0 0 0-.673-.05A3 3 0 0 0 15 1.5h-1.5a3 3 0 0 0-2.663 1.618c-.225.015-.45.032-.673.05C8.662 3.295 7.554 4.542 7.502 6ZM13.5 3A1.5 1.5 0 0 0 12 4.5h4.5A1.5 1.5 0 0 0 15 3h-1.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 9.375C3 8.339 3.84 7.5 4.875 7.5h9.75c1.036 0 1.875.84 1.875 1.875v11.25c0 1.035-.84 1.875-1.875 1.875h-9.75A1.875 1.875 0 0 1 3 20.625V9.375Zm9.586 4.594a.75.75 0 0 0-1.172-.938l-2.476 3.096-.908-.907a.75.75 0 0 0-1.06 1.06l1.5 1.5a.75.75 0 0 0 1.116-.062l3-3.75Z","clip-rule":"evenodd"})])}function wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.502 6h7.128A3.375 3.375 0 0 1 18 9.375v9.375a3 3 0 0 0 3-3V6.108c0-1.505-1.125-2.811-2.664-2.94a48.972 48.972 0 0 0-.673-.05A3 3 0 0 0 15 1.5h-1.5a3 3 0 0 0-2.663 1.618c-.225.015-.45.032-.673.05C8.662 3.295 7.554 4.542 7.502 6ZM13.5 3A1.5 1.5 0 0 0 12 4.5h4.5A1.5 1.5 0 0 0 15 3h-1.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 9.375C3 8.339 3.84 7.5 4.875 7.5h9.75c1.036 0 1.875.84 1.875 1.875v11.25c0 1.035-.84 1.875-1.875 1.875h-9.75A1.875 1.875 0 0 1 3 20.625V9.375ZM6 12a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H6.75a.75.75 0 0 1-.75-.75V12Zm2.25 0a.75.75 0 0 1 .75-.75h3.75a.75.75 0 0 1 0 1.5H9a.75.75 0 0 1-.75-.75ZM6 15a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H6.75a.75.75 0 0 1-.75-.75V15Zm2.25 0a.75.75 0 0 1 .75-.75h3.75a.75.75 0 0 1 0 1.5H9a.75.75 0 0 1-.75-.75ZM6 18a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H6.75a.75.75 0 0 1-.75-.75V18Zm2.25 0a.75.75 0 0 1 .75-.75h3.75a.75.75 0 0 1 0 1.5H9a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.663 3.118c.225.015.45.032.673.05C19.876 3.298 21 4.604 21 6.109v9.642a3 3 0 0 1-3 3V16.5c0-5.922-4.576-10.775-10.384-11.217.324-1.132 1.3-2.01 2.548-2.114.224-.019.448-.036.673-.051A3 3 0 0 1 13.5 1.5H15a3 3 0 0 1 2.663 1.618ZM12 4.5A1.5 1.5 0 0 1 13.5 3H15a1.5 1.5 0 0 1 1.5 1.5H12Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M3 8.625c0-1.036.84-1.875 1.875-1.875h.375A3.75 3.75 0 0 1 9 10.5v1.875c0 1.036.84 1.875 1.875 1.875h1.875A3.75 3.75 0 0 1 16.5 18v2.625c0 1.035-.84 1.875-1.875 1.875h-9.75A1.875 1.875 0 0 1 3 20.625v-12Z"}),(0,r.createElementVNode)("path",{d:"M10.5 10.5a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963 5.23 5.23 0 0 0-3.434-1.279h-1.875a.375.375 0 0 1-.375-.375V10.5Z"})])}function bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 3A1.501 1.501 0 0 0 9 4.5h6A1.5 1.5 0 0 0 13.5 3h-3Zm-2.693.178A3 3 0 0 1 10.5 1.5h3a3 3 0 0 1 2.694 1.678c.497.042.992.092 1.486.15 1.497.173 2.57 1.46 2.57 2.929V19.5a3 3 0 0 1-3 3H6.75a3 3 0 0 1-3-3V6.257c0-1.47 1.073-2.756 2.57-2.93.493-.057.989-.107 1.487-.15Z","clip-rule":"evenodd"})])}function xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM12.75 6a.75.75 0 0 0-1.5 0v6c0 .414.336.75.75.75h4.5a.75.75 0 0 0 0-1.5h-3.75V6Z","clip-rule":"evenodd"})])}function kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 3.75a6 6 0 0 0-5.98 6.496A5.25 5.25 0 0 0 6.75 20.25H18a4.5 4.5 0 0 0 2.206-8.423 3.75 3.75 0 0 0-4.133-4.303A6.001 6.001 0 0 0 10.5 3.75Zm2.25 6a.75.75 0 0 0-1.5 0v4.94l-1.72-1.72a.75.75 0 0 0-1.06 1.06l3 3a.75.75 0 0 0 1.06 0l3-3a.75.75 0 1 0-1.06-1.06l-1.72 1.72V9.75Z","clip-rule":"evenodd"})])}function Et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 3.75a6 6 0 0 0-5.98 6.496A5.25 5.25 0 0 0 6.75 20.25H18a4.5 4.5 0 0 0 2.206-8.423 3.75 3.75 0 0 0-4.133-4.303A6.001 6.001 0 0 0 10.5 3.75Zm2.03 5.47a.75.75 0 0 0-1.06 0l-3 3a.75.75 0 1 0 1.06 1.06l1.72-1.72v4.94a.75.75 0 0 0 1.5 0v-4.94l1.72 1.72a.75.75 0 1 0 1.06-1.06l-3-3Z","clip-rule":"evenodd"})])}function At(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 9.75a6 6 0 0 1 11.573-2.226 3.75 3.75 0 0 1 4.133 4.303A4.5 4.5 0 0 1 18 20.25H6.75a5.25 5.25 0 0 1-2.23-10.004 6.072 6.072 0 0 1-.02-.496Z","clip-rule":"evenodd"})])}function Ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6a3 3 0 0 1 3-3h12a3 3 0 0 1 3 3v12a3 3 0 0 1-3 3H6a3 3 0 0 1-3-3V6Zm14.25 6a.75.75 0 0 1-.22.53l-2.25 2.25a.75.75 0 1 1-1.06-1.06L15.44 12l-1.72-1.72a.75.75 0 1 1 1.06-1.06l2.25 2.25c.141.14.22.331.22.53Zm-10.28-.53a.75.75 0 0 0 0 1.06l2.25 2.25a.75.75 0 1 0 1.06-1.06L8.56 12l1.72-1.72a.75.75 0 1 0-1.06-1.06l-2.25 2.25Z","clip-rule":"evenodd"})])}function Bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.447 3.026a.75.75 0 0 1 .527.921l-4.5 16.5a.75.75 0 0 1-1.448-.394l4.5-16.5a.75.75 0 0 1 .921-.527ZM16.72 6.22a.75.75 0 0 1 1.06 0l5.25 5.25a.75.75 0 0 1 0 1.06l-5.25 5.25a.75.75 0 1 1-1.06-1.06L21.44 12l-4.72-4.72a.75.75 0 0 1 0-1.06Zm-9.44 0a.75.75 0 0 1 0 1.06L2.56 12l4.72 4.72a.75.75 0 0 1-1.06 1.06L.97 12.53a.75.75 0 0 1 0-1.06l5.25-5.25a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function Mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.078 2.25c-.917 0-1.699.663-1.85 1.567L9.05 4.889c-.02.12-.115.26-.297.348a7.493 7.493 0 0 0-.986.57c-.166.115-.334.126-.45.083L6.3 5.508a1.875 1.875 0 0 0-2.282.819l-.922 1.597a1.875 1.875 0 0 0 .432 2.385l.84.692c.095.078.17.229.154.43a7.598 7.598 0 0 0 0 1.139c.015.2-.059.352-.153.43l-.841.692a1.875 1.875 0 0 0-.432 2.385l.922 1.597a1.875 1.875 0 0 0 2.282.818l1.019-.382c.115-.043.283-.031.45.082.312.214.641.405.985.57.182.088.277.228.297.35l.178 1.071c.151.904.933 1.567 1.85 1.567h1.844c.916 0 1.699-.663 1.85-1.567l.178-1.072c.02-.12.114-.26.297-.349.344-.165.673-.356.985-.57.167-.114.335-.125.45-.082l1.02.382a1.875 1.875 0 0 0 2.28-.819l.923-1.597a1.875 1.875 0 0 0-.432-2.385l-.84-.692c-.095-.078-.17-.229-.154-.43a7.614 7.614 0 0 0 0-1.139c-.016-.2.059-.352.153-.43l.84-.692c.708-.582.891-1.59.433-2.385l-.922-1.597a1.875 1.875 0 0 0-2.282-.818l-1.02.382c-.114.043-.282.031-.449-.083a7.49 7.49 0 0 0-.985-.57c-.183-.087-.277-.227-.297-.348l-.179-1.072a1.875 1.875 0 0 0-1.85-1.567h-1.843ZM12 15.75a3.75 3.75 0 1 0 0-7.5 3.75 3.75 0 0 0 0 7.5Z","clip-rule":"evenodd"})])}function _t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.828 2.25c-.916 0-1.699.663-1.85 1.567l-.091.549a.798.798 0 0 1-.517.608 7.45 7.45 0 0 0-.478.198.798.798 0 0 1-.796-.064l-.453-.324a1.875 1.875 0 0 0-2.416.2l-.243.243a1.875 1.875 0 0 0-.2 2.416l.324.453a.798.798 0 0 1 .064.796 7.448 7.448 0 0 0-.198.478.798.798 0 0 1-.608.517l-.55.092a1.875 1.875 0 0 0-1.566 1.849v.344c0 .916.663 1.699 1.567 1.85l.549.091c.281.047.508.25.608.517.06.162.127.321.198.478a.798.798 0 0 1-.064.796l-.324.453a1.875 1.875 0 0 0 .2 2.416l.243.243c.648.648 1.67.733 2.416.2l.453-.324a.798.798 0 0 1 .796-.064c.157.071.316.137.478.198.267.1.47.327.517.608l.092.55c.15.903.932 1.566 1.849 1.566h.344c.916 0 1.699-.663 1.85-1.567l.091-.549a.798.798 0 0 1 .517-.608 7.52 7.52 0 0 0 .478-.198.798.798 0 0 1 .796.064l.453.324a1.875 1.875 0 0 0 2.416-.2l.243-.243c.648-.648.733-1.67.2-2.416l-.324-.453a.798.798 0 0 1-.064-.796c.071-.157.137-.316.198-.478.1-.267.327-.47.608-.517l.55-.091a1.875 1.875 0 0 0 1.566-1.85v-.344c0-.916-.663-1.699-1.567-1.85l-.549-.091a.798.798 0 0 1-.608-.517 7.507 7.507 0 0 0-.198-.478.798.798 0 0 1 .064-.796l.324-.453a1.875 1.875 0 0 0-.2-2.416l-.243-.243a1.875 1.875 0 0 0-2.416-.2l-.453.324a.798.798 0 0 1-.796.064 7.462 7.462 0 0 0-.478-.198.798.798 0 0 1-.517-.608l-.091-.55a1.875 1.875 0 0 0-1.85-1.566h-.344ZM12 15.75a3.75 3.75 0 1 0 0-7.5 3.75 3.75 0 0 0 0 7.5Z","clip-rule":"evenodd"})])}function St(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M17.004 10.407c.138.435-.216.842-.672.842h-3.465a.75.75 0 0 1-.65-.375l-1.732-3c-.229-.396-.053-.907.393-1.004a5.252 5.252 0 0 1 6.126 3.537ZM8.12 8.464c.307-.338.838-.235 1.066.16l1.732 3a.75.75 0 0 1 0 .75l-1.732 3c-.229.397-.76.5-1.067.161A5.23 5.23 0 0 1 6.75 12a5.23 5.23 0 0 1 1.37-3.536ZM10.878 17.13c-.447-.098-.623-.608-.394-1.004l1.733-3.002a.75.75 0 0 1 .65-.375h3.465c.457 0 .81.407.672.842a5.252 5.252 0 0 1-6.126 3.539Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M21 12.75a.75.75 0 1 0 0-1.5h-.783a8.22 8.22 0 0 0-.237-1.357l.734-.267a.75.75 0 1 0-.513-1.41l-.735.268a8.24 8.24 0 0 0-.689-1.192l.6-.503a.75.75 0 1 0-.964-1.149l-.6.504a8.3 8.3 0 0 0-1.054-.885l.391-.678a.75.75 0 1 0-1.299-.75l-.39.676a8.188 8.188 0 0 0-1.295-.47l.136-.77a.75.75 0 0 0-1.477-.26l-.136.77a8.36 8.36 0 0 0-1.377 0l-.136-.77a.75.75 0 1 0-1.477.26l.136.77c-.448.121-.88.28-1.294.47l-.39-.676a.75.75 0 0 0-1.3.75l.392.678a8.29 8.29 0 0 0-1.054.885l-.6-.504a.75.75 0 1 0-.965 1.149l.6.503a8.243 8.243 0 0 0-.689 1.192L3.8 8.216a.75.75 0 1 0-.513 1.41l.735.267a8.222 8.222 0 0 0-.238 1.356h-.783a.75.75 0 0 0 0 1.5h.783c.042.464.122.917.238 1.356l-.735.268a.75.75 0 0 0 .513 1.41l.735-.268c.197.417.428.816.69 1.191l-.6.504a.75.75 0 0 0 .963 1.15l.601-.505c.326.323.679.62 1.054.885l-.392.68a.75.75 0 0 0 1.3.75l.39-.679c.414.192.847.35 1.294.471l-.136.77a.75.75 0 0 0 1.477.261l.137-.772a8.332 8.332 0 0 0 1.376 0l.136.772a.75.75 0 1 0 1.477-.26l-.136-.771a8.19 8.19 0 0 0 1.294-.47l.391.677a.75.75 0 0 0 1.3-.75l-.393-.679a8.29 8.29 0 0 0 1.054-.885l.601.504a.75.75 0 0 0 .964-1.15l-.6-.503c.261-.375.492-.774.69-1.191l.735.267a.75.75 0 1 0 .512-1.41l-.734-.267c.115-.439.195-.892.237-1.356h.784Zm-2.657-3.06a6.744 6.744 0 0 0-1.19-2.053 6.784 6.784 0 0 0-1.82-1.51A6.705 6.705 0 0 0 12 5.25a6.8 6.8 0 0 0-1.225.11 6.7 6.7 0 0 0-2.15.793 6.784 6.784 0 0 0-2.952 3.489.76.76 0 0 1-.036.098A6.74 6.74 0 0 0 5.251 12a6.74 6.74 0 0 0 3.366 5.842l.009.005a6.704 6.704 0 0 0 2.18.798l.022.003a6.792 6.792 0 0 0 2.368-.004 6.704 6.704 0 0 0 2.205-.811 6.785 6.785 0 0 0 1.762-1.484l.009-.01.009-.01a6.743 6.743 0 0 0 1.18-2.066c.253-.707.39-1.469.39-2.263a6.74 6.74 0 0 0-.408-2.309Z","clip-rule":"evenodd"})])}function Nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 6a3 3 0 0 1 3-3h13.5a3 3 0 0 1 3 3v12a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3V6Zm3.97.97a.75.75 0 0 1 1.06 0l2.25 2.25a.75.75 0 0 1 0 1.06l-2.25 2.25a.75.75 0 0 1-1.06-1.06l1.72-1.72-1.72-1.72a.75.75 0 0 1 0-1.06Zm4.28 4.28a.75.75 0 0 0 0 1.5h3a.75.75 0 0 0 0-1.5h-3Z","clip-rule":"evenodd"})])}function Vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 5.25a3 3 0 0 1 3-3h13.5a3 3 0 0 1 3 3V15a3 3 0 0 1-3 3h-3v.257c0 .597.237 1.17.659 1.591l.621.622a.75.75 0 0 1-.53 1.28h-9a.75.75 0 0 1-.53-1.28l.621-.622a2.25 2.25 0 0 0 .659-1.59V18h-3a3 3 0 0 1-3-3V5.25Zm1.5 0v7.5a1.5 1.5 0 0 0 1.5 1.5h13.5a1.5 1.5 0 0 0 1.5-1.5v-7.5a1.5 1.5 0 0 0-1.5-1.5H5.25a1.5 1.5 0 0 0-1.5 1.5Z","clip-rule":"evenodd"})])}function Lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M16.5 7.5h-9v9h9v-9Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.25 2.25A.75.75 0 0 1 9 3v.75h2.25V3a.75.75 0 0 1 1.5 0v.75H15V3a.75.75 0 0 1 1.5 0v.75h.75a3 3 0 0 1 3 3v.75H21A.75.75 0 0 1 21 9h-.75v2.25H21a.75.75 0 0 1 0 1.5h-.75V15H21a.75.75 0 0 1 0 1.5h-.75v.75a3 3 0 0 1-3 3h-.75V21a.75.75 0 0 1-1.5 0v-.75h-2.25V21a.75.75 0 0 1-1.5 0v-.75H9V21a.75.75 0 0 1-1.5 0v-.75h-.75a3 3 0 0 1-3-3v-.75H3A.75.75 0 0 1 3 15h.75v-2.25H3a.75.75 0 0 1 0-1.5h.75V9H3a.75.75 0 0 1 0-1.5h.75v-.75a3 3 0 0 1 3-3h.75V3a.75.75 0 0 1 .75-.75ZM6 6.75A.75.75 0 0 1 6.75 6h10.5a.75.75 0 0 1 .75.75v10.5a.75.75 0 0 1-.75.75H6.75a.75.75 0 0 1-.75-.75V6.75Z","clip-rule":"evenodd"})])}function Tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.5 3.75a3 3 0 0 0-3 3v.75h21v-.75a3 3 0 0 0-3-3h-15Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M22.5 9.75h-21v7.5a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3v-7.5Zm-18 3.75a.75.75 0 0 1 .75-.75h6a.75.75 0 0 1 0 1.5h-6a.75.75 0 0 1-.75-.75Zm.75 2.25a.75.75 0 0 0 0 1.5h3a.75.75 0 0 0 0-1.5h-3Z","clip-rule":"evenodd"})])}function It(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.622 1.602a.75.75 0 0 1 .756 0l2.25 1.313a.75.75 0 0 1-.756 1.295L12 3.118 10.128 4.21a.75.75 0 1 1-.756-1.295l2.25-1.313ZM5.898 5.81a.75.75 0 0 1-.27 1.025l-1.14.665 1.14.665a.75.75 0 1 1-.756 1.295L3.75 8.806v.944a.75.75 0 0 1-1.5 0V7.5a.75.75 0 0 1 .372-.648l2.25-1.312a.75.75 0 0 1 1.026.27Zm12.204 0a.75.75 0 0 1 1.026-.27l2.25 1.312a.75.75 0 0 1 .372.648v2.25a.75.75 0 0 1-1.5 0v-.944l-1.122.654a.75.75 0 1 1-.756-1.295l1.14-.665-1.14-.665a.75.75 0 0 1-.27-1.025Zm-9 5.25a.75.75 0 0 1 1.026-.27L12 11.882l1.872-1.092a.75.75 0 1 1 .756 1.295l-1.878 1.096V15a.75.75 0 0 1-1.5 0v-1.82l-1.878-1.095a.75.75 0 0 1-.27-1.025ZM3 13.5a.75.75 0 0 1 .75.75v1.82l1.878 1.095a.75.75 0 1 1-.756 1.295l-2.25-1.312a.75.75 0 0 1-.372-.648v-2.25A.75.75 0 0 1 3 13.5Zm18 0a.75.75 0 0 1 .75.75v2.25a.75.75 0 0 1-.372.648l-2.25 1.312a.75.75 0 1 1-.756-1.295l1.878-1.096V14.25a.75.75 0 0 1 .75-.75Zm-9 5.25a.75.75 0 0 1 .75.75v.944l1.122-.654a.75.75 0 1 1 .756 1.295l-2.25 1.313a.75.75 0 0 1-.756 0l-2.25-1.313a.75.75 0 1 1 .756-1.295l1.122.654V19.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function Zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12.378 1.602a.75.75 0 0 0-.756 0L3 6.632l9 5.25 9-5.25-8.622-5.03ZM21.75 7.93l-9 5.25v9l8.628-5.032a.75.75 0 0 0 .372-.648V7.93ZM11.25 22.18v-9l-9-5.25v8.57a.75.75 0 0 0 .372.648l8.628 5.033Z"})])}function Ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 21.75c5.385 0 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25 2.25 6.615 2.25 12s4.365 9.75 9.75 9.75ZM10.5 7.963a1.5 1.5 0 0 0-2.17-1.341l-.415.207a.75.75 0 0 0 .67 1.342L9 7.963V9.75h-.75a.75.75 0 1 0 0 1.5H9v4.688c0 .563.26 1.198.867 1.525A4.501 4.501 0 0 0 16.41 14.4c.199-.977-.636-1.649-1.415-1.649h-.745a.75.75 0 1 0 0 1.5h.656a3.002 3.002 0 0 1-4.327 1.893.113.113 0 0 1-.045-.051.336.336 0 0 1-.034-.154V11.25h5.25a.75.75 0 0 0 0-1.5H10.5V7.963Z","clip-rule":"evenodd"})])}function Dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.464 8.746c.227-.18.497-.311.786-.394v2.795a2.252 2.252 0 0 1-.786-.393c-.394-.313-.546-.681-.546-1.004 0-.323.152-.691.546-1.004ZM12.75 15.662v-2.824c.347.085.664.228.921.421.427.32.579.686.579.991 0 .305-.152.671-.579.991a2.534 2.534 0 0 1-.921.42Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM12.75 6a.75.75 0 0 0-1.5 0v.816a3.836 3.836 0 0 0-1.72.756c-.712.566-1.112 1.35-1.112 2.178 0 .829.4 1.612 1.113 2.178.502.4 1.102.647 1.719.756v2.978a2.536 2.536 0 0 1-.921-.421l-.879-.66a.75.75 0 0 0-.9 1.2l.879.66c.533.4 1.169.645 1.821.75V18a.75.75 0 0 0 1.5 0v-.81a4.124 4.124 0 0 0 1.821-.749c.745-.559 1.179-1.344 1.179-2.191 0-.847-.434-1.632-1.179-2.191a4.122 4.122 0 0 0-1.821-.75V8.354c.29.082.559.213.786.393l.415.33a.75.75 0 0 0 .933-1.175l-.415-.33a3.836 3.836 0 0 0-1.719-.755V6Z","clip-rule":"evenodd"})])}function Rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm-1.902 7.098a3.75 3.75 0 0 1 3.903-.884.75.75 0 1 0 .498-1.415A5.25 5.25 0 0 0 8.005 9.75H7.5a.75.75 0 0 0 0 1.5h.054a5.281 5.281 0 0 0 0 1.5H7.5a.75.75 0 0 0 0 1.5h.505a5.25 5.25 0 0 0 6.494 2.701.75.75 0 1 0-.498-1.415 3.75 3.75 0 0 1-4.252-1.286h3.001a.75.75 0 0 0 0-1.5H9.075a3.77 3.77 0 0 1 0-1.5h3.675a.75.75 0 0 0 0-1.5h-3c.105-.14.221-.274.348-.402Z","clip-rule":"evenodd"})])}function Ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM9.763 9.51a2.25 2.25 0 0 1 3.828-1.351.75.75 0 0 0 1.06-1.06 3.75 3.75 0 0 0-6.38 2.252c-.033.307 0 .595.032.822l.154 1.077H8.25a.75.75 0 0 0 0 1.5h.421l.138.964a3.75 3.75 0 0 1-.358 2.208l-.122.242a.75.75 0 0 0 .908 1.047l1.539-.512a1.5 1.5 0 0 1 .948 0l.655.218a3 3 0 0 0 2.29-.163l.666-.333a.75.75 0 1 0-.67-1.342l-.667.333a1.5 1.5 0 0 1-1.145.082l-.654-.218a3 3 0 0 0-1.898 0l-.06.02a5.25 5.25 0 0 0 .053-1.794l-.108-.752H12a.75.75 0 0 0 0-1.5H9.972l-.184-1.29a1.863 1.863 0 0 1-.025-.45Z","clip-rule":"evenodd"})])}function Pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM9 7.5A.75.75 0 0 0 9 9h1.5c.98 0 1.813.626 2.122 1.5H9A.75.75 0 0 0 9 12h3.622a2.251 2.251 0 0 1-2.122 1.5H9a.75.75 0 0 0-.53 1.28l3 3a.75.75 0 1 0 1.06-1.06L10.8 14.988A3.752 3.752 0 0 0 14.175 12H15a.75.75 0 0 0 0-1.5h-.825A3.733 3.733 0 0 0 13.5 9H15a.75.75 0 0 0 0-1.5H9Z","clip-rule":"evenodd"})])}function jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM9.624 7.084a.75.75 0 0 0-1.248.832l2.223 3.334H9a.75.75 0 0 0 0 1.5h2.25v1.5H9a.75.75 0 0 0 0 1.5h2.25v1.5a.75.75 0 0 0 1.5 0v-1.5H15a.75.75 0 0 0 0-1.5h-2.25v-1.5H15a.75.75 0 0 0 0-1.5h-1.599l2.223-3.334a.75.75 0 1 0-1.248-.832L12 10.648 9.624 7.084Z","clip-rule":"evenodd"})])}function Ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 1.5a.75.75 0 0 1 .75.75V4.5a.75.75 0 0 1-1.5 0V2.25A.75.75 0 0 1 12 1.5ZM5.636 4.136a.75.75 0 0 1 1.06 0l1.592 1.591a.75.75 0 0 1-1.061 1.06l-1.591-1.59a.75.75 0 0 1 0-1.061Zm12.728 0a.75.75 0 0 1 0 1.06l-1.591 1.592a.75.75 0 0 1-1.06-1.061l1.59-1.591a.75.75 0 0 1 1.061 0Zm-6.816 4.496a.75.75 0 0 1 .82.311l5.228 7.917a.75.75 0 0 1-.777 1.148l-2.097-.43 1.045 3.9a.75.75 0 0 1-1.45.388l-1.044-3.899-1.601 1.42a.75.75 0 0 1-1.247-.606l.569-9.47a.75.75 0 0 1 .554-.68ZM3 10.5a.75.75 0 0 1 .75-.75H6a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 10.5Zm14.25 0a.75.75 0 0 1 .75-.75h2.25a.75.75 0 0 1 0 1.5H18a.75.75 0 0 1-.75-.75Zm-8.962 3.712a.75.75 0 0 1 0 1.061l-1.591 1.591a.75.75 0 1 1-1.061-1.06l1.591-1.592a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.303 5.197A7.5 7.5 0 0 0 6.697 15.803a.75.75 0 0 1-1.061 1.061A9 9 0 1 1 21 10.5a.75.75 0 0 1-1.5 0c0-1.92-.732-3.839-2.197-5.303Zm-2.121 2.121a4.5 4.5 0 0 0-6.364 6.364.75.75 0 1 1-1.06 1.06A6 6 0 1 1 18 10.5a.75.75 0 0 1-1.5 0c0-1.153-.44-2.303-1.318-3.182Zm-3.634 1.314a.75.75 0 0 1 .82.311l5.228 7.917a.75.75 0 0 1-.777 1.148l-2.097-.43 1.045 3.9a.75.75 0 0 1-1.45.388l-1.044-3.899-1.601 1.42a.75.75 0 0 1-1.247-.606l.569-9.47a.75.75 0 0 1 .554-.68Z","clip-rule":"evenodd"})])}function qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.5 18.75a.75.75 0 0 0 0 1.5h3a.75.75 0 0 0 0-1.5h-3Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.625.75A3.375 3.375 0 0 0 5.25 4.125v15.75a3.375 3.375 0 0 0 3.375 3.375h6.75a3.375 3.375 0 0 0 3.375-3.375V4.125A3.375 3.375 0 0 0 15.375.75h-6.75ZM7.5 4.125C7.5 3.504 8.004 3 8.625 3H9.75v.375c0 .621.504 1.125 1.125 1.125h2.25c.621 0 1.125-.504 1.125-1.125V3h1.125c.621 0 1.125.504 1.125 1.125v15.75c0 .621-.504 1.125-1.125 1.125h-6.75A1.125 1.125 0 0 1 7.5 19.875V4.125Z","clip-rule":"evenodd"})])}function Ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.5 18a.75.75 0 0 0 0 1.5h3a.75.75 0 0 0 0-1.5h-3Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.125 1.5A3.375 3.375 0 0 0 3.75 4.875v14.25A3.375 3.375 0 0 0 7.125 22.5h9.75a3.375 3.375 0 0 0 3.375-3.375V4.875A3.375 3.375 0 0 0 16.875 1.5h-9.75ZM6 4.875c0-.621.504-1.125 1.125-1.125h9.75c.621 0 1.125.504 1.125 1.125v14.25c0 .621-.504 1.125-1.125 1.125h-9.75A1.125 1.125 0 0 1 6 19.125V4.875Z","clip-rule":"evenodd"})])}function $t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.874 5.248a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Zm-7.125 6.75a.75.75 0 0 1 .75-.75h15a.75.75 0 0 1 0 1.5h-15a.75.75 0 0 1-.75-.75Zm7.125 6.753a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Z","clip-rule":"evenodd"})])}function Wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.625 1.5H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375c0-1.036.84-1.875 1.875-1.875Zm5.845 17.03a.75.75 0 0 0 1.06 0l3-3a.75.75 0 1 0-1.06-1.06l-1.72 1.72V12a.75.75 0 0 0-1.5 0v4.19l-1.72-1.72a.75.75 0 0 0-1.06 1.06l3 3Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.25 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Z"})])}function Gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.625 1.5H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375c0-1.036.84-1.875 1.875-1.875Zm6.905 9.97a.75.75 0 0 0-1.06 0l-3 3a.75.75 0 1 0 1.06 1.06l1.72-1.72V18a.75.75 0 0 0 1.5 0v-4.19l1.72 1.72a.75.75 0 1 0 1.06-1.06l-3-3Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.25 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Z"})])}function Kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.625 1.5H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375c0-1.036.84-1.875 1.875-1.875ZM9.75 17.25a.75.75 0 0 0-1.5 0V18a.75.75 0 0 0 1.5 0v-.75Zm2.25-3a.75.75 0 0 1 .75.75v3a.75.75 0 0 1-1.5 0v-3a.75.75 0 0 1 .75-.75Zm3.75-1.5a.75.75 0 0 0-1.5 0V18a.75.75 0 0 0 1.5 0v-5.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.25 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Z"})])}function Yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9 1.5H5.625c-1.036 0-1.875.84-1.875 1.875v17.25c0 1.035.84 1.875 1.875 1.875h12.75c1.035 0 1.875-.84 1.875-1.875V12.75A3.75 3.75 0 0 0 16.5 9h-1.875a1.875 1.875 0 0 1-1.875-1.875V5.25A3.75 3.75 0 0 0 9 1.5Zm6.61 10.936a.75.75 0 1 0-1.22-.872l-3.236 4.53L9.53 14.47a.75.75 0 0 0-1.06 1.06l2.25 2.25a.75.75 0 0 0 1.14-.094l3.75-5.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M12.971 1.816A5.23 5.23 0 0 1 14.25 5.25v1.875c0 .207.168.375.375.375H16.5a5.23 5.23 0 0 1 3.434 1.279 9.768 9.768 0 0 0-6.963-6.963Z"})])}function Xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3.375c0-1.036.84-1.875 1.875-1.875H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375Zm10.5 1.875a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Zm-3.75 5.56c0-1.336-1.616-2.005-2.56-1.06l-.22.22a.75.75 0 0 0 1.06 1.06l.22-.22v1.94h-.75a.75.75 0 0 0 0 1.5H9v3c0 .671.307 1.453 1.068 1.815a4.5 4.5 0 0 0 5.993-2.123c.233-.487.14-1-.136-1.37A1.459 1.459 0 0 0 14.757 15h-.507a.75.75 0 0 0 0 1.5h.349a2.999 2.999 0 0 1-3.887 1.21c-.091-.043-.212-.186-.212-.46v-3h5.25a.75.75 0 1 0 0-1.5H10.5v-1.94Z","clip-rule":"evenodd"})])}function Jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3.375c0-1.036.84-1.875 1.875-1.875H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375Zm10.5 1.875a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25ZM12 10.5a.75.75 0 0 1 .75.75v.028a9.727 9.727 0 0 1 1.687.28.75.75 0 1 1-.374 1.452 8.207 8.207 0 0 0-1.313-.226v1.68l.969.332c.67.23 1.281.85 1.281 1.704 0 .158-.007.314-.02.468-.083.931-.83 1.582-1.669 1.695a9.776 9.776 0 0 1-.561.059v.028a.75.75 0 0 1-1.5 0v-.029a9.724 9.724 0 0 1-1.687-.278.75.75 0 0 1 .374-1.453c.425.11.864.186 1.313.226v-1.68l-.968-.332C9.612 14.974 9 14.354 9 13.5c0-.158.007-.314.02-.468.083-.931.831-1.582 1.67-1.694.185-.025.372-.045.56-.06v-.028a.75.75 0 0 1 .75-.75Zm-1.11 2.324c.119-.016.239-.03.36-.04v1.166l-.482-.165c-.208-.072-.268-.211-.268-.285 0-.113.005-.225.015-.336.013-.146.14-.309.374-.34Zm1.86 4.392V16.05l.482.165c.208.072.268.211.268.285 0 .113-.005.225-.015.336-.012.146-.14.309-.374.34-.12.016-.24.03-.361.04Z","clip-rule":"evenodd"})])}function Qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3.375c0-1.036.84-1.875 1.875-1.875H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375Zm7.464 9.442c.459-.573 1.019-.817 1.536-.817.517 0 1.077.244 1.536.817a.75.75 0 1 0 1.171-.937c-.713-.892-1.689-1.38-2.707-1.38-1.018 0-1.994.488-2.707 1.38a4.61 4.61 0 0 0-.705 1.245H8.25a.75.75 0 0 0 0 1.5h.763c-.017.25-.017.5 0 .75H8.25a.75.75 0 0 0 0 1.5h1.088c.17.449.406.87.705 1.245.713.892 1.689 1.38 2.707 1.38 1.018 0 1.994-.488 2.707-1.38a.75.75 0 0 0-1.171-.937c-.459.573-1.019.817-1.536.817-.517 0-1.077-.244-1.536-.817-.078-.098-.15-.2-.215-.308h1.751a.75.75 0 0 0 0-1.5h-2.232a3.965 3.965 0 0 1 0-.75h2.232a.75.75 0 0 0 0-1.5H11c.065-.107.136-.21.214-.308Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.25 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Z"})])}function en(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3.375c0-1.036.84-1.875 1.875-1.875H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375Zm10.5 1.875a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Zm-3.674 9.583a2.249 2.249 0 0 1 3.765-2.174.75.75 0 0 0 1.06-1.06A3.75 3.75 0 0 0 9.076 15H8.25a.75.75 0 0 0 0 1.5h1.156a3.75 3.75 0 0 1-.206 1.559l-.156.439a.75.75 0 0 0 1.042.923l.439-.22a2.113 2.113 0 0 1 1.613-.115 3.613 3.613 0 0 0 2.758-.196l.44-.22a.75.75 0 1 0-.671-1.341l-.44.22a2.113 2.113 0 0 1-1.613.114 3.612 3.612 0 0 0-1.745-.134c.048-.341.062-.686.042-1.029H12a.75.75 0 0 0 0-1.5h-1.379l-.045-.167Z","clip-rule":"evenodd"})])}function tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3.375c0-1.036.84-1.875 1.875-1.875H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375Zm10.5 1.875a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Zm-4.5 5.25a.75.75 0 0 0 0 1.5h.375c.769 0 1.43.463 1.719 1.125H9.75a.75.75 0 0 0 0 1.5h2.094a1.875 1.875 0 0 1-1.719 1.125H9.75a.75.75 0 0 0-.53 1.28l2.25 2.25a.75.75 0 0 0 1.06-1.06l-1.193-1.194a3.382 3.382 0 0 0 2.08-2.401h.833a.75.75 0 0 0 0-1.5h-.834A3.357 3.357 0 0 0 12.932 12h1.318a.75.75 0 0 0 0-1.5H10.5c-.04 0-.08.003-.12.01a3.425 3.425 0 0 0-.255-.01H9.75Z","clip-rule":"evenodd"})])}function nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3.375c0-1.036.84-1.875 1.875-1.875H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375Zm10.5 1.875a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Zm-3.9 5.55a.75.75 0 0 0-1.2.9l1.912 2.55H9.75a.75.75 0 0 0 0 1.5h1.5v.75h-1.5a.75.75 0 0 0 0 1.5h1.5v.75a.75.75 0 1 0 1.5 0V18h1.5a.75.75 0 1 0 0-1.5h-1.5v-.75h1.5a.75.75 0 1 0 0-1.5h-1.313l1.913-2.55a.75.75 0 1 0-1.2-.9L12 13l-1.65-2.2Z","clip-rule":"evenodd"})])}function rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.5 3.375c0-1.036.84-1.875 1.875-1.875h.375a3.75 3.75 0 0 1 3.75 3.75v1.875C13.5 8.161 14.34 9 15.375 9h1.875A3.75 3.75 0 0 1 21 12.75v3.375C21 17.16 20.16 18 19.125 18h-9.75A1.875 1.875 0 0 1 7.5 16.125V3.375Z"}),(0,r.createElementVNode)("path",{d:"M15 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 17.25 7.5h-1.875A.375.375 0 0 1 15 7.125V5.25ZM4.875 6H6v10.125A3.375 3.375 0 0 0 9.375 19.5H16.5v1.125c0 1.035-.84 1.875-1.875 1.875h-9.75A1.875 1.875 0 0 1 3 20.625V7.875C3 6.839 3.84 6 4.875 6Z"})])}function on(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.625 16.5a1.875 1.875 0 1 0 0-3.75 1.875 1.875 0 0 0 0 3.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.625 1.5H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375c0-1.036.84-1.875 1.875-1.875Zm6 16.5c.66 0 1.277-.19 1.797-.518l1.048 1.048a.75.75 0 0 0 1.06-1.06l-1.047-1.048A3.375 3.375 0 1 0 11.625 18Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.25 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Z"})])}function an(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.625 1.5H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375c0-1.036.84-1.875 1.875-1.875ZM9.75 14.25a.75.75 0 0 0 0 1.5H15a.75.75 0 0 0 0-1.5H9.75Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.25 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Z"})])}function ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.625 1.5H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375c0-1.036.84-1.875 1.875-1.875ZM12.75 12a.75.75 0 0 0-1.5 0v2.25H9a.75.75 0 0 0 0 1.5h2.25V18a.75.75 0 0 0 1.5 0v-2.25H15a.75.75 0 0 0 0-1.5h-2.25V12Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.25 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Z"})])}function sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.625 1.5c-1.036 0-1.875.84-1.875 1.875v17.25c0 1.035.84 1.875 1.875 1.875h12.75c1.035 0 1.875-.84 1.875-1.875V12.75A3.75 3.75 0 0 0 16.5 9h-1.875a1.875 1.875 0 0 1-1.875-1.875V5.25A3.75 3.75 0 0 0 9 1.5H5.625ZM7.5 15a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-7.5A.75.75 0 0 1 7.5 15Zm.75 2.25a.75.75 0 0 0 0 1.5H12a.75.75 0 0 0 0-1.5H8.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M12.971 1.816A5.23 5.23 0 0 1 14.25 5.25v1.875c0 .207.168.375.375.375H16.5a5.23 5.23 0 0 1 3.434 1.279 9.768 9.768 0 0 0-6.963-6.963Z"})])}function cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.625 1.5c-1.036 0-1.875.84-1.875 1.875v17.25c0 1.035.84 1.875 1.875 1.875h12.75c1.035 0 1.875-.84 1.875-1.875V12.75A3.75 3.75 0 0 0 16.5 9h-1.875a1.875 1.875 0 0 1-1.875-1.875V5.25A3.75 3.75 0 0 0 9 1.5H5.625Z"}),(0,r.createElementVNode)("path",{d:"M12.971 1.816A5.23 5.23 0 0 1 14.25 5.25v1.875c0 .207.168.375.375.375H16.5a5.23 5.23 0 0 1 3.434 1.279 9.768 9.768 0 0 0-6.963-6.963Z"})])}function un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm0 8.625a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25ZM15.375 12a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0ZM7.5 10.875a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25Z","clip-rule":"evenodd"})])}function dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 12a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Zm6 0a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Zm6 0a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Z","clip-rule":"evenodd"})])}function hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 6a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Zm0 6a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Zm0 6a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Z","clip-rule":"evenodd"})])}function pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M19.5 22.5a3 3 0 0 0 3-3v-8.174l-6.879 4.022 3.485 1.876a.75.75 0 1 1-.712 1.321l-5.683-3.06a1.5 1.5 0 0 0-1.422 0l-5.683 3.06a.75.75 0 0 1-.712-1.32l3.485-1.877L1.5 11.326V19.5a3 3 0 0 0 3 3h15Z"}),(0,r.createElementVNode)("path",{d:"M1.5 9.589v-.745a3 3 0 0 1 1.578-2.642l7.5-4.038a3 3 0 0 1 2.844 0l7.5 4.038A3 3 0 0 1 22.5 8.844v.745l-8.426 4.926-.652-.351a3 3 0 0 0-2.844 0l-.652.351L1.5 9.589Z"})])}function fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1.5 8.67v8.58a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3V8.67l-8.928 5.493a3 3 0 0 1-3.144 0L1.5 8.67Z"}),(0,r.createElementVNode)("path",{d:"M22.5 6.908V6.75a3 3 0 0 0-3-3h-15a3 3 0 0 0-3 3v.158l9.714 5.978a1.5 1.5 0 0 0 1.572 0L22.5 6.908Z"})])}function mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.748 8.248a.75.75 0 0 1 .75-.75h15a.75.75 0 0 1 0 1.5h-15a.75.75 0 0 1-.75-.75ZM3.748 15.75a.75.75 0 0 1 .75-.751h15a.75.75 0 0 1 0 1.5h-15a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 12c0-5.385 4.365-9.75 9.75-9.75s9.75 4.365 9.75 9.75-4.365 9.75-9.75 9.75S2.25 17.385 2.25 12ZM12 8.25a.75.75 0 0 1 .75.75v3.75a.75.75 0 0 1-1.5 0V9a.75.75 0 0 1 .75-.75Zm0 8.25a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.401 3.003c1.155-2 4.043-2 5.197 0l7.355 12.748c1.154 2-.29 4.5-2.599 4.5H4.645c-2.309 0-3.752-2.5-2.598-4.5L9.4 3.003ZM12 8.25a.75.75 0 0 1 .75.75v3.75a.75.75 0 0 1-1.5 0V9a.75.75 0 0 1 .75-.75Zm0 8.25a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.098 2.598a3.75 3.75 0 1 1 3.622 6.275l-1.72.46V12a.75.75 0 0 1-.22.53l-.75.75a.75.75 0 0 1-1.06 0l-.97-.97-7.94 7.94a2.56 2.56 0 0 1-1.81.75 1.06 1.06 0 0 0-.75.31l-.97.97a.75.75 0 0 1-1.06 0l-.75-.75a.75.75 0 0 1 0-1.06l.97-.97a1.06 1.06 0 0 0 .31-.75c0-.68.27-1.33.75-1.81L11.69 9l-.97-.97a.75.75 0 0 1 0-1.06l.75-.75A.75.75 0 0 1 12 6h2.666l.461-1.72c.165-.617.49-1.2.971-1.682Zm-3.348 7.463L4.81 18a1.06 1.06 0 0 0-.31.75c0 .318-.06.63-.172.922a2.56 2.56 0 0 1 .922-.172c.281 0 .551-.112.75-.31l7.94-7.94-1.19-1.19Z","clip-rule":"evenodd"})])}function yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.53 2.47a.75.75 0 0 0-1.06 1.06l18 18a.75.75 0 1 0 1.06-1.06l-18-18ZM22.676 12.553a11.249 11.249 0 0 1-2.631 4.31l-3.099-3.099a5.25 5.25 0 0 0-6.71-6.71L7.759 4.577a11.217 11.217 0 0 1 4.242-.827c4.97 0 9.185 3.223 10.675 7.69.12.362.12.752 0 1.113Z"}),(0,r.createElementVNode)("path",{d:"M15.75 12c0 .18-.013.357-.037.53l-4.244-4.243A3.75 3.75 0 0 1 15.75 12ZM12.53 15.713l-4.243-4.244a3.75 3.75 0 0 0 4.244 4.243Z"}),(0,r.createElementVNode)("path",{d:"M6.75 12c0-.619.107-1.213.304-1.764l-3.1-3.1a11.25 11.25 0 0 0-2.63 4.31c-.12.362-.12.752 0 1.114 1.489 4.467 5.704 7.69 10.675 7.69 1.5 0 2.933-.294 4.242-.827l-2.477-2.477A5.25 5.25 0 0 1 6.75 12Z"})])}function bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 15a3 3 0 1 0 0-6 3 3 0 0 0 0 6Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.323 11.447C2.811 6.976 7.028 3.75 12.001 3.75c4.97 0 9.185 3.223 10.675 7.69.12.362.12.752 0 1.113-1.487 4.471-5.705 7.697-10.677 7.697-4.97 0-9.186-3.223-10.675-7.69a1.762 1.762 0 0 1 0-1.113ZM17.25 12a5.25 5.25 0 1 1-10.5 0 5.25 5.25 0 0 1 10.5 0Z","clip-rule":"evenodd"})])}function xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm-2.625 6c-.54 0-.828.419-.936.634a1.96 1.96 0 0 0-.189.866c0 .298.059.605.189.866.108.215.395.634.936.634.54 0 .828-.419.936-.634.13-.26.189-.568.189-.866 0-.298-.059-.605-.189-.866-.108-.215-.395-.634-.936-.634Zm4.314.634c.108-.215.395-.634.936-.634.54 0 .828.419.936.634.13.26.189.568.189.866 0 .298-.059.605-.189.866-.108.215-.395.634-.936.634-.54 0-.828-.419-.936-.634a1.96 1.96 0 0 1-.189-.866c0-.298.059-.605.189-.866Zm-4.34 7.964a.75.75 0 0 1-1.061-1.06 5.236 5.236 0 0 1 3.73-1.538 5.236 5.236 0 0 1 3.695 1.538.75.75 0 1 1-1.061 1.06 3.736 3.736 0 0 0-2.639-1.098 3.736 3.736 0 0 0-2.664 1.098Z","clip-rule":"evenodd"})])}function kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm-2.625 6c-.54 0-.828.419-.936.634a1.96 1.96 0 0 0-.189.866c0 .298.059.605.189.866.108.215.395.634.936.634.54 0 .828-.419.936-.634.13-.26.189-.568.189-.866 0-.298-.059-.605-.189-.866-.108-.215-.395-.634-.936-.634Zm4.314.634c.108-.215.395-.634.936-.634.54 0 .828.419.936.634.13.26.189.568.189.866 0 .298-.059.605-.189.866-.108.215-.395.634-.936.634-.54 0-.828-.419-.936-.634a1.96 1.96 0 0 1-.189-.866c0-.298.059-.605.189-.866Zm2.023 6.828a.75.75 0 1 0-1.06-1.06 3.75 3.75 0 0 1-5.304 0 .75.75 0 0 0-1.06 1.06 5.25 5.25 0 0 0 7.424 0Z","clip-rule":"evenodd"})])}function En(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 5.625c0-1.036.84-1.875 1.875-1.875h17.25c1.035 0 1.875.84 1.875 1.875v12.75c0 1.035-.84 1.875-1.875 1.875H3.375A1.875 1.875 0 0 1 1.5 18.375V5.625Zm1.5 0v1.5c0 .207.168.375.375.375h1.5a.375.375 0 0 0 .375-.375v-1.5a.375.375 0 0 0-.375-.375h-1.5A.375.375 0 0 0 3 5.625Zm16.125-.375a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h1.5A.375.375 0 0 0 21 7.125v-1.5a.375.375 0 0 0-.375-.375h-1.5ZM21 9.375A.375.375 0 0 0 20.625 9h-1.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h1.5a.375.375 0 0 0 .375-.375v-1.5Zm0 3.75a.375.375 0 0 0-.375-.375h-1.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h1.5a.375.375 0 0 0 .375-.375v-1.5Zm0 3.75a.375.375 0 0 0-.375-.375h-1.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h1.5a.375.375 0 0 0 .375-.375v-1.5ZM4.875 18.75a.375.375 0 0 0 .375-.375v-1.5a.375.375 0 0 0-.375-.375h-1.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h1.5ZM3.375 15h1.5a.375.375 0 0 0 .375-.375v-1.5a.375.375 0 0 0-.375-.375h-1.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375Zm0-3.75h1.5a.375.375 0 0 0 .375-.375v-1.5A.375.375 0 0 0 4.875 9h-1.5A.375.375 0 0 0 3 9.375v1.5c0 .207.168.375.375.375Zm4.125 0a.75.75 0 0 0 0 1.5h9a.75.75 0 0 0 0-1.5h-9Z","clip-rule":"evenodd"})])}function An(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 3.75a6.715 6.715 0 0 0-3.722 1.118.75.75 0 1 1-.828-1.25 8.25 8.25 0 0 1 12.8 6.883c0 3.014-.574 5.897-1.62 8.543a.75.75 0 0 1-1.395-.551A21.69 21.69 0 0 0 18.75 10.5 6.75 6.75 0 0 0 12 3.75ZM6.157 5.739a.75.75 0 0 1 .21 1.04A6.715 6.715 0 0 0 5.25 10.5c0 1.613-.463 3.12-1.265 4.393a.75.75 0 0 1-1.27-.8A6.715 6.715 0 0 0 3.75 10.5c0-1.68.503-3.246 1.367-4.55a.75.75 0 0 1 1.04-.211ZM12 7.5a3 3 0 0 0-3 3c0 3.1-1.176 5.927-3.105 8.056a.75.75 0 1 1-1.112-1.008A10.459 10.459 0 0 0 7.5 10.5a4.5 4.5 0 1 1 9 0c0 .547-.022 1.09-.067 1.626a.75.75 0 0 1-1.495-.123c.041-.495.062-.996.062-1.503a3 3 0 0 0-3-3Zm0 2.25a.75.75 0 0 1 .75.75c0 3.908-1.424 7.485-3.781 10.238a.75.75 0 0 1-1.14-.975A14.19 14.19 0 0 0 11.25 10.5a.75.75 0 0 1 .75-.75Zm3.239 5.183a.75.75 0 0 1 .515.927 19.417 19.417 0 0 1-2.585 5.544.75.75 0 0 1-1.243-.84 17.915 17.915 0 0 0 2.386-5.116.75.75 0 0 1 .927-.515Z","clip-rule":"evenodd"})])}function Cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.963 2.286a.75.75 0 0 0-1.071-.136 9.742 9.742 0 0 0-3.539 6.176 7.547 7.547 0 0 1-1.705-1.715.75.75 0 0 0-1.152-.082A9 9 0 1 0 15.68 4.534a7.46 7.46 0 0 1-2.717-2.248ZM15.75 14.25a3.75 3.75 0 1 1-7.313-1.172c.628.465 1.35.81 2.133 1a5.99 5.99 0 0 1 1.925-3.546 3.75 3.75 0 0 1 3.255 3.718Z","clip-rule":"evenodd"})])}function Bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 2.25a.75.75 0 0 1 .75.75v.54l1.838-.46a9.75 9.75 0 0 1 6.725.738l.108.054A8.25 8.25 0 0 0 18 4.524l3.11-.732a.75.75 0 0 1 .917.81 47.784 47.784 0 0 0 .005 10.337.75.75 0 0 1-.574.812l-3.114.733a9.75 9.75 0 0 1-6.594-.77l-.108-.054a8.25 8.25 0 0 0-5.69-.625l-2.202.55V21a.75.75 0 0 1-1.5 0V3A.75.75 0 0 1 3 2.25Z","clip-rule":"evenodd"})])}function Mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.5 21a3 3 0 0 0 3-3V9a3 3 0 0 0-3-3h-5.379a.75.75 0 0 1-.53-.22L11.47 3.66A2.25 2.25 0 0 0 9.879 3H4.5a3 3 0 0 0-3 3v12a3 3 0 0 0 3 3h15Zm-6.75-10.5a.75.75 0 0 0-1.5 0v4.19l-1.72-1.72a.75.75 0 0 0-1.06 1.06l3 3a.75.75 0 0 0 1.06 0l3-3a.75.75 0 1 0-1.06-1.06l-1.72 1.72V10.5Z","clip-rule":"evenodd"})])}function _n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.5 21a3 3 0 0 0 3-3V9a3 3 0 0 0-3-3h-5.379a.75.75 0 0 1-.53-.22L11.47 3.66A2.25 2.25 0 0 0 9.879 3H4.5a3 3 0 0 0-3 3v12a3 3 0 0 0 3 3h15ZM9 12.75a.75.75 0 0 0 0 1.5h6a.75.75 0 0 0 0-1.5H9Z","clip-rule":"evenodd"})])}function Sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M19.906 9c.382 0 .749.057 1.094.162V9a3 3 0 0 0-3-3h-3.879a.75.75 0 0 1-.53-.22L11.47 3.66A2.25 2.25 0 0 0 9.879 3H6a3 3 0 0 0-3 3v3.162A3.756 3.756 0 0 1 4.094 9h15.812ZM4.094 10.5a2.25 2.25 0 0 0-2.227 2.568l.857 6A2.25 2.25 0 0 0 4.951 21H19.05a2.25 2.25 0 0 0 2.227-1.932l.857-6a2.25 2.25 0 0 0-2.227-2.568H4.094Z"})])}function Nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.5 21a3 3 0 0 0 3-3V9a3 3 0 0 0-3-3h-5.379a.75.75 0 0 1-.53-.22L11.47 3.66A2.25 2.25 0 0 0 9.879 3H4.5a3 3 0 0 0-3 3v12a3 3 0 0 0 3 3h15Zm-6.75-10.5a.75.75 0 0 0-1.5 0v2.25H9a.75.75 0 0 0 0 1.5h2.25v2.25a.75.75 0 0 0 1.5 0v-2.25H15a.75.75 0 0 0 0-1.5h-2.25V10.5Z","clip-rule":"evenodd"})])}function Vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M19.5 21a3 3 0 0 0 3-3v-4.5a3 3 0 0 0-3-3h-15a3 3 0 0 0-3 3V18a3 3 0 0 0 3 3h15ZM1.5 10.146V6a3 3 0 0 1 3-3h5.379a2.25 2.25 0 0 1 1.59.659l2.122 2.121c.14.141.331.22.53.22H19.5a3 3 0 0 1 3 3v1.146A4.483 4.483 0 0 0 19.5 9h-15a4.483 4.483 0 0 0-3 1.146Z"})])}function Ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.055 7.06C3.805 6.347 2.25 7.25 2.25 8.69v8.122c0 1.44 1.555 2.343 2.805 1.628L12 14.471v2.34c0 1.44 1.555 2.343 2.805 1.628l7.108-4.061c1.26-.72 1.26-2.536 0-3.256l-7.108-4.061C13.555 6.346 12 7.249 12 8.689v2.34L5.055 7.061Z"})])}function Tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.792 2.938A49.069 49.069 0 0 1 12 2.25c2.797 0 5.54.236 8.209.688a1.857 1.857 0 0 1 1.541 1.836v1.044a3 3 0 0 1-.879 2.121l-6.182 6.182a1.5 1.5 0 0 0-.439 1.061v2.927a3 3 0 0 1-1.658 2.684l-1.757.878A.75.75 0 0 1 9.75 21v-5.818a1.5 1.5 0 0 0-.44-1.06L3.13 7.938a3 3 0 0 1-.879-2.121V4.774c0-.897.64-1.683 1.542-1.836Z","clip-rule":"evenodd"})])}function In(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 3.75a3 3 0 0 0-3 3v10.5a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3V6.75a3 3 0 0 0-3-3h-15Zm9 4.5a.75.75 0 0 0-1.5 0v7.5a.75.75 0 0 0 1.5 0v-7.5Zm1.5 0a.75.75 0 0 1 .75-.75h3a.75.75 0 0 1 0 1.5H16.5v2.25H18a.75.75 0 0 1 0 1.5h-1.5v3a.75.75 0 0 1-1.5 0v-7.5ZM6.636 9.78c.404-.575.867-.78 1.25-.78s.846.205 1.25.78a.75.75 0 0 0 1.228-.863C9.738 8.027 8.853 7.5 7.886 7.5c-.966 0-1.852.527-2.478 1.417-.62.882-.908 2-.908 3.083 0 1.083.288 2.201.909 3.083.625.89 1.51 1.417 2.477 1.417.967 0 1.852-.527 2.478-1.417a.75.75 0 0 0 .136-.431V12a.75.75 0 0 0-.75-.75h-1.5a.75.75 0 0 0 0 1.5H9v1.648c-.37.44-.774.602-1.114.602-.383 0-.846-.205-1.25-.78C6.226 13.638 6 12.837 6 12c0-.837.226-1.638.636-2.22Z","clip-rule":"evenodd"})])}function Zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.25 3v4.046a3 3 0 0 0-4.277 4.204H1.5v-6A2.25 2.25 0 0 1 3.75 3h7.5ZM12.75 3v4.011a3 3 0 0 1 4.239 4.239H22.5v-6A2.25 2.25 0 0 0 20.25 3h-7.5ZM22.5 12.75h-8.983a4.125 4.125 0 0 0 4.108 3.75.75.75 0 0 1 0 1.5 5.623 5.623 0 0 1-4.875-2.817V21h7.5a2.25 2.25 0 0 0 2.25-2.25v-6ZM11.25 21v-5.817A5.623 5.623 0 0 1 6.375 18a.75.75 0 0 1 0-1.5 4.126 4.126 0 0 0 4.108-3.75H1.5v6A2.25 2.25 0 0 0 3.75 21h7.5Z"}),(0,r.createElementVNode)("path",{d:"M11.085 10.354c.03.297.038.575.036.805a7.484 7.484 0 0 1-.805-.036c-.833-.084-1.677-.325-2.195-.843a1.5 1.5 0 0 1 2.122-2.12c.517.517.759 1.36.842 2.194ZM12.877 10.354c-.03.297-.038.575-.036.805.23.002.508-.006.805-.036.833-.084 1.677-.325 2.195-.843A1.5 1.5 0 0 0 13.72 8.16c-.518.518-.76 1.362-.843 2.194Z"})])}function On(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9.375 3a1.875 1.875 0 0 0 0 3.75h1.875v4.5H3.375A1.875 1.875 0 0 1 1.5 9.375v-.75c0-1.036.84-1.875 1.875-1.875h3.193A3.375 3.375 0 0 1 12 2.753a3.375 3.375 0 0 1 5.432 3.997h3.943c1.035 0 1.875.84 1.875 1.875v.75c0 1.036-.84 1.875-1.875 1.875H12.75v-4.5h1.875a1.875 1.875 0 1 0-1.875-1.875V6.75h-1.5V4.875C11.25 3.839 10.41 3 9.375 3ZM11.25 12.75H3v6.75a2.25 2.25 0 0 0 2.25 2.25h6v-9ZM12.75 12.75v9h6.75a2.25 2.25 0 0 0 2.25-2.25v-6.75h-9Z"})])}function Dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M21.721 12.752a9.711 9.711 0 0 0-.945-5.003 12.754 12.754 0 0 1-4.339 2.708 18.991 18.991 0 0 1-.214 4.772 17.165 17.165 0 0 0 5.498-2.477ZM14.634 15.55a17.324 17.324 0 0 0 .332-4.647c-.952.227-1.945.347-2.966.347-1.021 0-2.014-.12-2.966-.347a17.515 17.515 0 0 0 .332 4.647 17.385 17.385 0 0 0 5.268 0ZM9.772 17.119a18.963 18.963 0 0 0 4.456 0A17.182 17.182 0 0 1 12 21.724a17.18 17.18 0 0 1-2.228-4.605ZM7.777 15.23a18.87 18.87 0 0 1-.214-4.774 12.753 12.753 0 0 1-4.34-2.708 9.711 9.711 0 0 0-.944 5.004 17.165 17.165 0 0 0 5.498 2.477ZM21.356 14.752a9.765 9.765 0 0 1-7.478 6.817 18.64 18.64 0 0 0 1.988-4.718 18.627 18.627 0 0 0 5.49-2.098ZM2.644 14.752c1.682.971 3.53 1.688 5.49 2.099a18.64 18.64 0 0 0 1.988 4.718 9.765 9.765 0 0 1-7.478-6.816ZM13.878 2.43a9.755 9.755 0 0 1 6.116 3.986 11.267 11.267 0 0 1-3.746 2.504 18.63 18.63 0 0 0-2.37-6.49ZM12 2.276a17.152 17.152 0 0 1 2.805 7.121c-.897.23-1.837.353-2.805.353-.968 0-1.908-.122-2.805-.353A17.151 17.151 0 0 1 12 2.276ZM10.122 2.43a18.629 18.629 0 0 0-2.37 6.49 11.266 11.266 0 0 1-3.746-2.504 9.754 9.754 0 0 1 6.116-3.985Z"})])}function Rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM6.262 6.072a8.25 8.25 0 1 0 10.562-.766 4.5 4.5 0 0 1-1.318 1.357L14.25 7.5l.165.33a.809.809 0 0 1-1.086 1.085l-.604-.302a1.125 1.125 0 0 0-1.298.21l-.132.131c-.439.44-.439 1.152 0 1.591l.296.296c.256.257.622.374.98.314l1.17-.195c.323-.054.654.036.905.245l1.33 1.108c.32.267.46.694.358 1.1a8.7 8.7 0 0 1-2.288 4.04l-.723.724a1.125 1.125 0 0 1-1.298.21l-.153-.076a1.125 1.125 0 0 1-.622-1.006v-1.089c0-.298-.119-.585-.33-.796l-1.347-1.347a1.125 1.125 0 0 1-.21-1.298L9.75 12l-1.64-1.64a6 6 0 0 1-1.676-3.257l-.172-1.03Z","clip-rule":"evenodd"})])}function Hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M15.75 8.25a.75.75 0 0 1 .75.75c0 1.12-.492 2.126-1.27 2.812a.75.75 0 1 1-.992-1.124A2.243 2.243 0 0 0 15 9a.75.75 0 0 1 .75-.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM4.575 15.6a8.25 8.25 0 0 0 9.348 4.425 1.966 1.966 0 0 0-1.84-1.275.983.983 0 0 1-.97-.822l-.073-.437c-.094-.565.25-1.11.8-1.267l.99-.282c.427-.123.783-.418.982-.816l.036-.073a1.453 1.453 0 0 1 2.328-.377L16.5 15h.628a2.25 2.25 0 0 1 1.983 1.186 8.25 8.25 0 0 0-6.345-12.4c.044.262.18.503.389.676l1.068.89c.442.369.535 1.01.216 1.49l-.51.766a2.25 2.25 0 0 1-1.161.886l-.143.048a1.107 1.107 0 0 0-.57 1.664c.369.555.169 1.307-.427 1.605L9 13.125l.423 1.059a.956.956 0 0 1-1.652.928l-.679-.906a1.125 1.125 0 0 0-1.906.172L4.575 15.6Z","clip-rule":"evenodd"})])}function Pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM8.547 4.505a8.25 8.25 0 1 0 11.672 8.214l-.46-.46a2.252 2.252 0 0 1-.422-.586l-1.08-2.16a.414.414 0 0 0-.663-.107.827.827 0 0 1-.812.21l-1.273-.363a.89.89 0 0 0-.738 1.595l.587.39c.59.395.674 1.23.172 1.732l-.2.2c-.211.212-.33.498-.33.796v.41c0 .409-.11.809-.32 1.158l-1.315 2.191a2.11 2.11 0 0 1-1.81 1.025 1.055 1.055 0 0 1-1.055-1.055v-1.172c0-.92-.56-1.747-1.414-2.089l-.654-.261a2.25 2.25 0 0 1-1.384-2.46l.007-.042a2.25 2.25 0 0 1 .29-.787l.09-.15a2.25 2.25 0 0 1 2.37-1.048l1.178.236a1.125 1.125 0 0 0 1.302-.795l.208-.73a1.125 1.125 0 0 0-.578-1.315l-.665-.332-.091.091a2.25 2.25 0 0 1-1.591.659h-.18c-.249 0-.487.1-.662.274a.931.931 0 0 1-1.458-1.137l1.279-2.132Z","clip-rule":"evenodd"})])}function jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.243 3.743a.75.75 0 0 1 .75.75v6.75h9v-6.75a.75.75 0 1 1 1.5 0v15.002a.75.75 0 1 1-1.5 0v-6.751h-9v6.75a.75.75 0 1 1-1.5 0v-15a.75.75 0 0 1 .75-.75Zm17.605 4.964a.75.75 0 0 1 .396.661v9.376h1.5a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1 0-1.5h1.5V10.77l-1.084.722a.75.75 0 1 1-.832-1.248l2.25-1.5a.75.75 0 0 1 .77-.037Z","clip-rule":"evenodd"})])}function Fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.246 3.743a.75.75 0 0 1 .75.75v6.75h9v-6.75a.75.75 0 0 1 1.5 0v15.002a.75.75 0 1 1-1.5 0v-6.751h-9v6.75a.75.75 0 1 1-1.5 0v-15a.75.75 0 0 1 .75-.75ZM18.75 10.5c-.727 0-1.441.054-2.138.16a.75.75 0 1 1-.223-1.484 15.867 15.867 0 0 1 3.635-.125c1.149.092 2.153.923 2.348 2.115.084.516.128 1.045.128 1.584 0 1.065-.676 1.927-1.531 2.354l-2.89 1.445a1.5 1.5 0 0 0-.829 1.342v.86h4.5a.75.75 0 1 1 0 1.5H16.5a.75.75 0 0 1-.75-.75v-1.61a3 3 0 0 1 1.659-2.684l2.89-1.445c.447-.223.701-.62.701-1.012a8.32 8.32 0 0 0-.108-1.342c-.075-.457-.47-.82-.987-.862a14.45 14.45 0 0 0-1.155-.046Z","clip-rule":"evenodd"})])}function zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.749 3.743a.75.75 0 0 1 .75.75v15.002a.75.75 0 1 1-1.5 0v-6.75H2.997v6.75a.75.75 0 0 1-1.5 0V4.494a.75.75 0 1 1 1.5 0v6.75H12v-6.75a.75.75 0 0 1 .75-.75ZM18.75 10.5c-.727 0-1.441.055-2.139.16a.75.75 0 1 1-.223-1.483 15.87 15.87 0 0 1 3.82-.11c.95.088 1.926.705 2.168 1.794a5.265 5.265 0 0 1-.579 3.765 5.265 5.265 0 0 1 .578 3.765c-.24 1.088-1.216 1.706-2.167 1.793a15.942 15.942 0 0 1-3.82-.109.75.75 0 0 1 .223-1.483 14.366 14.366 0 0 0 3.46.099c.467-.043.773-.322.84-.624a3.768 3.768 0 0 0-.413-2.691H18a.75.75 0 0 1 0-1.5h2.498a3.768 3.768 0 0 0 .413-2.69c-.067-.303-.373-.582-.84-.625-.435-.04-.876-.06-1.321-.06Z","clip-rule":"evenodd"})])}function qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.5 1.875a1.125 1.125 0 0 1 2.25 0v8.219c.517.162 1.02.382 1.5.659V3.375a1.125 1.125 0 0 1 2.25 0v10.937a4.505 4.505 0 0 0-3.25 2.373 8.963 8.963 0 0 1 4-.935A.75.75 0 0 0 18 15v-2.266a3.368 3.368 0 0 1 .988-2.37 1.125 1.125 0 0 1 1.591 1.59 1.118 1.118 0 0 0-.329.79v3.006h-.005a6 6 0 0 1-1.752 4.007l-1.736 1.736a6 6 0 0 1-4.242 1.757H10.5a7.5 7.5 0 0 1-7.5-7.5V6.375a1.125 1.125 0 0 1 2.25 0v5.519c.46-.452.965-.832 1.5-1.141V3.375a1.125 1.125 0 0 1 2.25 0v6.526c.495-.1.997-.151 1.5-.151V1.875Z"})])}function Un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M15.73 5.5h1.035A7.465 7.465 0 0 1 18 9.625a7.465 7.465 0 0 1-1.235 4.125h-.148c-.806 0-1.534.446-2.031 1.08a9.04 9.04 0 0 1-2.861 2.4c-.723.384-1.35.956-1.653 1.715a4.499 4.499 0 0 0-.322 1.672v.633A.75.75 0 0 1 9 22a2.25 2.25 0 0 1-2.25-2.25c0-1.152.26-2.243.723-3.218.266-.558-.107-1.282-.725-1.282H3.622c-1.026 0-1.945-.694-2.054-1.715A12.137 12.137 0 0 1 1.5 12.25c0-2.848.992-5.464 2.649-7.521C4.537 4.247 5.136 4 5.754 4H9.77a4.5 4.5 0 0 1 1.423.23l3.114 1.04a4.5 4.5 0 0 0 1.423.23ZM21.669 14.023c.536-1.362.831-2.845.831-4.398 0-1.22-.182-2.398-.52-3.507-.26-.85-1.084-1.368-1.973-1.368H19.1c-.445 0-.72.498-.523.898.591 1.2.924 2.55.924 3.977a8.958 8.958 0 0 1-1.302 4.666c-.245.403.028.959.5.959h1.053c.832 0 1.612-.453 1.918-1.227Z"})])}function $n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.493 18.5c-.425 0-.82-.236-.975-.632A7.48 7.48 0 0 1 6 15.125c0-1.75.599-3.358 1.602-4.634.151-.192.373-.309.6-.397.473-.183.89-.514 1.212-.924a9.042 9.042 0 0 1 2.861-2.4c.723-.384 1.35-.956 1.653-1.715a4.498 4.498 0 0 0 .322-1.672V2.75A.75.75 0 0 1 15 2a2.25 2.25 0 0 1 2.25 2.25c0 1.152-.26 2.243-.723 3.218-.266.558.107 1.282.725 1.282h3.126c1.026 0 1.945.694 2.054 1.715.045.422.068.85.068 1.285a11.95 11.95 0 0 1-2.649 7.521c-.388.482-.987.729-1.605.729H14.23c-.483 0-.964-.078-1.423-.23l-3.114-1.04a4.501 4.501 0 0 0-1.423-.23h-.777ZM2.331 10.727a11.969 11.969 0 0 0-.831 4.398 12 12 0 0 0 .52 3.507C2.28 19.482 3.105 20 3.994 20H4.9c.445 0 .72-.498.523-.898a8.963 8.963 0 0 1-.924-3.977c0-1.708.476-3.305 1.302-4.666.245-.403-.028-.959-.5-.959H4.25c-.832 0-1.612.453-1.918 1.227Z"})])}function Wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.097 1.515a.75.75 0 0 1 .589.882L10.666 7.5h4.47l1.079-5.397a.75.75 0 1 1 1.47.294L16.665 7.5h3.585a.75.75 0 0 1 0 1.5h-3.885l-1.2 6h3.585a.75.75 0 0 1 0 1.5h-3.885l-1.08 5.397a.75.75 0 1 1-1.47-.294l1.02-5.103h-4.47l-1.08 5.397a.75.75 0 1 1-1.47-.294l1.02-5.103H3.75a.75.75 0 0 1 0-1.5h3.885l1.2-6H5.25a.75.75 0 0 1 0-1.5h3.885l1.08-5.397a.75.75 0 0 1 .882-.588ZM10.365 9l-1.2 6h4.47l1.2-6h-4.47Z","clip-rule":"evenodd"})])}function Gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m11.645 20.91-.007-.003-.022-.012a15.247 15.247 0 0 1-.383-.218 25.18 25.18 0 0 1-4.244-3.17C4.688 15.36 2.25 12.174 2.25 8.25 2.25 5.322 4.714 3 7.688 3A5.5 5.5 0 0 1 12 5.052 5.5 5.5 0 0 1 16.313 3c2.973 0 5.437 2.322 5.437 5.25 0 3.925-2.438 7.111-4.739 9.256a25.175 25.175 0 0 1-4.244 3.17 15.247 15.247 0 0 1-.383.219l-.022.012-.007.004-.003.001a.752.752 0 0 1-.704 0l-.003-.001Z"})])}function Kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M19.006 3.705a.75.75 0 1 0-.512-1.41L6 6.838V3a.75.75 0 0 0-.75-.75h-1.5A.75.75 0 0 0 3 3v4.93l-1.006.365a.75.75 0 0 0 .512 1.41l16.5-6Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.019 11.114 18 5.667v3.421l4.006 1.457a.75.75 0 1 1-.512 1.41l-.494-.18v8.475h.75a.75.75 0 0 1 0 1.5H2.25a.75.75 0 0 1 0-1.5H3v-9.129l.019-.007ZM18 20.25v-9.566l1.5.546v9.02H18Zm-9-6a.75.75 0 0 0-.75.75v4.5c0 .414.336.75.75.75h3a.75.75 0 0 0 .75-.75V15a.75.75 0 0 0-.75-.75H9Z","clip-rule":"evenodd"})])}function Yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.47 3.841a.75.75 0 0 1 1.06 0l8.69 8.69a.75.75 0 1 0 1.06-1.061l-8.689-8.69a2.25 2.25 0 0 0-3.182 0l-8.69 8.69a.75.75 0 1 0 1.061 1.06l8.69-8.689Z"}),(0,r.createElementVNode)("path",{d:"m12 5.432 8.159 8.159c.03.03.06.058.091.086v6.198c0 1.035-.84 1.875-1.875 1.875H15a.75.75 0 0 1-.75-.75v-4.5a.75.75 0 0 0-.75-.75h-3a.75.75 0 0 0-.75.75V21a.75.75 0 0 1-.75.75H5.625a1.875 1.875 0 0 1-1.875-1.875v-6.198a2.29 2.29 0 0 0 .091-.086L12 5.432Z"})])}function Xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 3.75a3 3 0 0 0-3 3v10.5a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3V6.75a3 3 0 0 0-3-3h-15Zm4.125 3a2.25 2.25 0 1 0 0 4.5 2.25 2.25 0 0 0 0-4.5Zm-3.873 8.703a4.126 4.126 0 0 1 7.746 0 .75.75 0 0 1-.351.92 7.47 7.47 0 0 1-3.522.877 7.47 7.47 0 0 1-3.522-.877.75.75 0 0 1-.351-.92ZM15 8.25a.75.75 0 0 0 0 1.5h3.75a.75.75 0 0 0 0-1.5H15ZM14.25 12a.75.75 0 0 1 .75-.75h3.75a.75.75 0 0 1 0 1.5H15a.75.75 0 0 1-.75-.75Zm.75 2.25a.75.75 0 0 0 0 1.5h3.75a.75.75 0 0 0 0-1.5H15Z","clip-rule":"evenodd"})])}function Jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.478 5.559A1.5 1.5 0 0 1 6.912 4.5H9A.75.75 0 0 0 9 3H6.912a3 3 0 0 0-2.868 2.118l-2.411 7.838a3 3 0 0 0-.133.882V18a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3v-4.162c0-.299-.045-.596-.133-.882l-2.412-7.838A3 3 0 0 0 17.088 3H15a.75.75 0 0 0 0 1.5h2.088a1.5 1.5 0 0 1 1.434 1.059l2.213 7.191H17.89a3 3 0 0 0-2.684 1.658l-.256.513a1.5 1.5 0 0 1-1.342.829h-3.218a1.5 1.5 0 0 1-1.342-.83l-.256-.512a3 3 0 0 0-2.684-1.658H3.265l2.213-7.191Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25a.75.75 0 0 1 .75.75v6.44l1.72-1.72a.75.75 0 1 1 1.06 1.06l-3 3a.75.75 0 0 1-1.06 0l-3-3a.75.75 0 0 1 1.06-1.06l1.72 1.72V3a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function Qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 9.832v1.793c0 1.036.84 1.875 1.875 1.875h17.25c1.035 0 1.875-.84 1.875-1.875V9.832a3 3 0 0 0-.722-1.952l-3.285-3.832A3 3 0 0 0 16.215 3h-8.43a3 3 0 0 0-2.278 1.048L2.222 7.88A3 3 0 0 0 1.5 9.832ZM7.785 4.5a1.5 1.5 0 0 0-1.139.524L3.881 8.25h3.165a3 3 0 0 1 2.496 1.336l.164.246a1.5 1.5 0 0 0 1.248.668h2.092a1.5 1.5 0 0 0 1.248-.668l.164-.246a3 3 0 0 1 2.496-1.336h3.165l-2.765-3.226a1.5 1.5 0 0 0-1.139-.524h-8.43Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M2.813 15c-.725 0-1.313.588-1.313 1.313V18a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3v-1.688c0-.724-.588-1.312-1.313-1.312h-4.233a3 3 0 0 0-2.496 1.336l-.164.246a1.5 1.5 0 0 1-1.248.668h-2.092a1.5 1.5 0 0 1-1.248-.668l-.164-.246A3 3 0 0 0 7.046 15H2.812Z"})])}function er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.912 3a3 3 0 0 0-2.868 2.118l-2.411 7.838a3 3 0 0 0-.133.882V18a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3v-4.162c0-.299-.045-.596-.133-.882l-2.412-7.838A3 3 0 0 0 17.088 3H6.912Zm13.823 9.75-2.213-7.191A1.5 1.5 0 0 0 17.088 4.5H6.912a1.5 1.5 0 0 0-1.434 1.059L3.265 12.75H6.11a3 3 0 0 1 2.684 1.658l.256.513a1.5 1.5 0 0 0 1.342.829h3.218a1.5 1.5 0 0 0 1.342-.83l.256-.512a3 3 0 0 1 2.684-1.658h2.844Z","clip-rule":"evenodd"})])}function tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 12c0-5.385 4.365-9.75 9.75-9.75s9.75 4.365 9.75 9.75-4.365 9.75-9.75 9.75S2.25 17.385 2.25 12Zm8.706-1.442c1.146-.573 2.437.463 2.126 1.706l-.709 2.836.042-.02a.75.75 0 0 1 .67 1.34l-.04.022c-1.147.573-2.438-.463-2.127-1.706l.71-2.836-.042.02a.75.75 0 1 1-.671-1.34l.041-.022ZM12 9a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.497 3.744a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-3.275l-5.357 15.002h2.632a.75.75 0 1 1 0 1.5h-7.5a.75.75 0 1 1 0-1.5h3.275l5.357-15.002h-2.632a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.75 1.5a6.75 6.75 0 0 0-6.651 7.906c.067.39-.032.717-.221.906l-6.5 6.499a3 3 0 0 0-.878 2.121v2.818c0 .414.336.75.75.75H6a.75.75 0 0 0 .75-.75v-1.5h1.5A.75.75 0 0 0 9 19.5V18h1.5a.75.75 0 0 0 .53-.22l2.658-2.658c.19-.189.517-.288.906-.22A6.75 6.75 0 1 0 15.75 1.5Zm0 3a.75.75 0 0 0 0 1.5A2.25 2.25 0 0 1 18 8.25a.75.75 0 0 0 1.5 0 3.75 3.75 0 0 0-3.75-3.75Z","clip-rule":"evenodd"})])}function or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9 2.25a.75.75 0 0 1 .75.75v1.506a49.384 49.384 0 0 1 5.343.371.75.75 0 1 1-.186 1.489c-.66-.083-1.323-.151-1.99-.206a18.67 18.67 0 0 1-2.97 6.323c.318.384.65.753 1 1.107a.75.75 0 0 1-1.07 1.052A18.902 18.902 0 0 1 9 13.687a18.823 18.823 0 0 1-5.656 4.482.75.75 0 0 1-.688-1.333 17.323 17.323 0 0 0 5.396-4.353A18.72 18.72 0 0 1 5.89 8.598a.75.75 0 0 1 1.388-.568A17.21 17.21 0 0 0 9 11.224a17.168 17.168 0 0 0 2.391-5.165 48.04 48.04 0 0 0-8.298.307.75.75 0 0 1-.186-1.489 49.159 49.159 0 0 1 5.343-.371V3A.75.75 0 0 1 9 2.25ZM15.75 9a.75.75 0 0 1 .68.433l5.25 11.25a.75.75 0 1 1-1.36.634l-1.198-2.567h-6.744l-1.198 2.567a.75.75 0 0 1-1.36-.634l5.25-11.25A.75.75 0 0 1 15.75 9Zm-2.672 8.25h5.344l-2.672-5.726-2.672 5.726Z","clip-rule":"evenodd"})])}function ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.449 8.448 16.388 11a4.52 4.52 0 0 1 0 2.002l3.061 2.55a8.275 8.275 0 0 0 0-7.103ZM15.552 19.45 13 16.388a4.52 4.52 0 0 1-2.002 0l-2.55 3.061a8.275 8.275 0 0 0 7.103 0ZM4.55 15.552 7.612 13a4.52 4.52 0 0 1 0-2.002L4.551 8.45a8.275 8.275 0 0 0 0 7.103ZM8.448 4.55 11 7.612a4.52 4.52 0 0 1 2.002 0l2.55-3.061a8.275 8.275 0 0 0-7.103 0Zm8.657-.86a9.776 9.776 0 0 1 1.79 1.415 9.776 9.776 0 0 1 1.414 1.788 9.764 9.764 0 0 1 0 10.211 9.777 9.777 0 0 1-1.415 1.79 9.777 9.777 0 0 1-1.788 1.414 9.764 9.764 0 0 1-10.212 0 9.776 9.776 0 0 1-1.788-1.415 9.776 9.776 0 0 1-1.415-1.788 9.764 9.764 0 0 1 0-10.212 9.774 9.774 0 0 1 1.415-1.788A9.774 9.774 0 0 1 6.894 3.69a9.764 9.764 0 0 1 10.211 0ZM14.121 9.88a2.985 2.985 0 0 0-1.11-.704 3.015 3.015 0 0 0-2.022 0 2.985 2.985 0 0 0-1.11.704c-.326.325-.56.705-.704 1.11a3.015 3.015 0 0 0 0 2.022c.144.405.378.785.704 1.11.325.326.705.56 1.11.704.652.233 1.37.233 2.022 0a2.985 2.985 0 0 0 1.11-.704c.326-.325.56-.705.704-1.11a3.016 3.016 0 0 0 0-2.022 2.985 2.985 0 0 0-.704-1.11Z","clip-rule":"evenodd"})])}function ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 .75a8.25 8.25 0 0 0-4.135 15.39c.686.398 1.115 1.008 1.134 1.623a.75.75 0 0 0 .577.706c.352.083.71.148 1.074.195.323.041.6-.218.6-.544v-4.661a6.714 6.714 0 0 1-.937-.171.75.75 0 1 1 .374-1.453 5.261 5.261 0 0 0 2.626 0 .75.75 0 1 1 .374 1.452 6.712 6.712 0 0 1-.937.172v4.66c0 .327.277.586.6.545.364-.047.722-.112 1.074-.195a.75.75 0 0 0 .577-.706c.02-.615.448-1.225 1.134-1.623A8.25 8.25 0 0 0 12 .75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.013 19.9a.75.75 0 0 1 .877-.597 11.319 11.319 0 0 0 4.22 0 .75.75 0 1 1 .28 1.473 12.819 12.819 0 0 1-4.78 0 .75.75 0 0 1-.597-.876ZM9.754 22.344a.75.75 0 0 1 .824-.668 13.682 13.682 0 0 0 2.844 0 .75.75 0 1 1 .156 1.492 15.156 15.156 0 0 1-3.156 0 .75.75 0 0 1-.668-.824Z","clip-rule":"evenodd"})])}function lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.892 4.09a3.75 3.75 0 0 0-5.303 0l-4.5 4.5c-.074.074-.144.15-.21.229l4.965 4.966a3.75 3.75 0 0 0-1.986-4.428.75.75 0 0 1 .646-1.353 5.253 5.253 0 0 1 2.502 6.944l5.515 5.515a.75.75 0 0 1-1.061 1.06l-18-18.001A.75.75 0 0 1 3.521 2.46l5.294 5.295a5.31 5.31 0 0 1 .213-.227l4.5-4.5a5.25 5.25 0 1 1 7.425 7.425l-1.757 1.757a.75.75 0 1 1-1.06-1.06l1.756-1.757a3.75 3.75 0 0 0 0-5.304ZM5.846 11.773a.75.75 0 0 1 0 1.06l-1.757 1.758a3.75 3.75 0 0 0 5.303 5.304l3.129-3.13a.75.75 0 1 1 1.06 1.061l-3.128 3.13a5.25 5.25 0 1 1-7.425-7.426l1.757-1.757a.75.75 0 0 1 1.061 0Zm2.401.26a.75.75 0 0 1 .957.458c.18.512.474.992.885 1.403.31.311.661.555 1.035.733a.75.75 0 0 1-.647 1.354 5.244 5.244 0 0 1-1.449-1.026 5.232 5.232 0 0 1-1.24-1.965.75.75 0 0 1 .46-.957Z","clip-rule":"evenodd"})])}function sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.902 4.098a3.75 3.75 0 0 0-5.304 0l-4.5 4.5a3.75 3.75 0 0 0 1.035 6.037.75.75 0 0 1-.646 1.353 5.25 5.25 0 0 1-1.449-8.45l4.5-4.5a5.25 5.25 0 1 1 7.424 7.424l-1.757 1.757a.75.75 0 1 1-1.06-1.06l1.757-1.757a3.75 3.75 0 0 0 0-5.304Zm-7.389 4.267a.75.75 0 0 1 1-.353 5.25 5.25 0 0 1 1.449 8.45l-4.5 4.5a5.25 5.25 0 1 1-7.424-7.424l1.757-1.757a.75.75 0 1 1 1.06 1.06l-1.757 1.757a3.75 3.75 0 1 0 5.304 5.304l4.5-4.5a3.75 3.75 0 0 0-1.035-6.037.75.75 0 0 1-.354-1Z","clip-rule":"evenodd"})])}function cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.625 6.75a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Zm4.875 0A.75.75 0 0 1 8.25 6h12a.75.75 0 0 1 0 1.5h-12a.75.75 0 0 1-.75-.75ZM2.625 12a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0ZM7.5 12a.75.75 0 0 1 .75-.75h12a.75.75 0 0 1 0 1.5h-12A.75.75 0 0 1 7.5 12Zm-4.875 5.25a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Zm4.875 0a.75.75 0 0 1 .75-.75h12a.75.75 0 0 1 0 1.5h-12a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 1.5a5.25 5.25 0 0 0-5.25 5.25v3a3 3 0 0 0-3 3v6.75a3 3 0 0 0 3 3h10.5a3 3 0 0 0 3-3v-6.75a3 3 0 0 0-3-3v-3c0-2.9-2.35-5.25-5.25-5.25Zm3.75 8.25v-3a3.75 3.75 0 1 0-7.5 0v3h7.5Z","clip-rule":"evenodd"})])}function dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M18 1.5c2.9 0 5.25 2.35 5.25 5.25v3.75a.75.75 0 0 1-1.5 0V6.75a3.75 3.75 0 1 0-7.5 0v3a3 3 0 0 1 3 3v6.75a3 3 0 0 1-3 3H3.75a3 3 0 0 1-3-3v-6.75a3 3 0 0 1 3-3h9v-3c0-2.9 2.35-5.25 5.25-5.25Z"})])}function hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.25 10.875a2.625 2.625 0 1 1 5.25 0 2.625 2.625 0 0 1-5.25 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm-1.125 4.5a4.125 4.125 0 1 0 2.338 7.524l2.007 2.006a.75.75 0 1 0 1.06-1.06l-2.006-2.007a4.125 4.125 0 0 0-3.399-6.463Z","clip-rule":"evenodd"})])}function pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 3.75a6.75 6.75 0 1 0 0 13.5 6.75 6.75 0 0 0 0-13.5ZM2.25 10.5a8.25 8.25 0 1 1 14.59 5.28l4.69 4.69a.75.75 0 1 1-1.06 1.06l-4.69-4.69A8.25 8.25 0 0 1 2.25 10.5Zm4.5 0a.75.75 0 0 1 .75-.75h6a.75.75 0 0 1 0 1.5h-6a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 3.75a6.75 6.75 0 1 0 0 13.5 6.75 6.75 0 0 0 0-13.5ZM2.25 10.5a8.25 8.25 0 1 1 14.59 5.28l4.69 4.69a.75.75 0 1 1-1.06 1.06l-4.69-4.69A8.25 8.25 0 0 1 2.25 10.5Zm8.25-3.75a.75.75 0 0 1 .75.75v2.25h2.25a.75.75 0 0 1 0 1.5h-2.25v2.25a.75.75 0 0 1-1.5 0v-2.25H7.5a.75.75 0 0 1 0-1.5h2.25V7.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 3.75a6.75 6.75 0 1 0 0 13.5 6.75 6.75 0 0 0 0-13.5ZM2.25 10.5a8.25 8.25 0 1 1 14.59 5.28l4.69 4.69a.75.75 0 1 1-1.06 1.06l-4.69-4.69A8.25 8.25 0 0 1 2.25 10.5Z","clip-rule":"evenodd"})])}function vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m11.54 22.351.07.04.028.016a.76.76 0 0 0 .723 0l.028-.015.071-.041a16.975 16.975 0 0 0 1.144-.742 19.58 19.58 0 0 0 2.683-2.282c1.944-1.99 3.963-4.98 3.963-8.827a8.25 8.25 0 0 0-16.5 0c0 3.846 2.02 6.837 3.963 8.827a19.58 19.58 0 0 0 2.682 2.282 16.975 16.975 0 0 0 1.145.742ZM12 13.5a3 3 0 1 0 0-6 3 3 0 0 0 0 6Z","clip-rule":"evenodd"})])}function gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.161 2.58a1.875 1.875 0 0 1 1.678 0l4.993 2.498c.106.052.23.052.336 0l3.869-1.935A1.875 1.875 0 0 1 21.75 4.82v12.485c0 .71-.401 1.36-1.037 1.677l-4.875 2.437a1.875 1.875 0 0 1-1.676 0l-4.994-2.497a.375.375 0 0 0-.336 0l-3.868 1.935A1.875 1.875 0 0 1 2.25 19.18V6.695c0-.71.401-1.36 1.036-1.677l4.875-2.437ZM9 6a.75.75 0 0 1 .75.75V15a.75.75 0 0 1-1.5 0V6.75A.75.75 0 0 1 9 6Zm6.75 3a.75.75 0 0 0-1.5 0v8.25a.75.75 0 0 0 1.5 0V9Z","clip-rule":"evenodd"})])}function wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M16.881 4.345A23.112 23.112 0 0 1 8.25 6H7.5a5.25 5.25 0 0 0-.88 10.427 21.593 21.593 0 0 0 1.378 3.94c.464 1.004 1.674 1.32 2.582.796l.657-.379c.88-.508 1.165-1.593.772-2.468a17.116 17.116 0 0 1-.628-1.607c1.918.258 3.76.75 5.5 1.446A21.727 21.727 0 0 0 18 11.25c0-2.414-.393-4.735-1.119-6.905ZM18.26 3.74a23.22 23.22 0 0 1 1.24 7.51 23.22 23.22 0 0 1-1.41 7.992.75.75 0 1 0 1.409.516 24.555 24.555 0 0 0 1.415-6.43 2.992 2.992 0 0 0 .836-2.078c0-.807-.319-1.54-.836-2.078a24.65 24.65 0 0 0-1.415-6.43.75.75 0 1 0-1.409.516c.059.16.116.321.17.483Z"})])}function yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.25 4.5a3.75 3.75 0 1 1 7.5 0v8.25a3.75 3.75 0 1 1-7.5 0V4.5Z"}),(0,r.createElementVNode)("path",{d:"M6 10.5a.75.75 0 0 1 .75.75v1.5a5.25 5.25 0 1 0 10.5 0v-1.5a.75.75 0 0 1 1.5 0v1.5a6.751 6.751 0 0 1-6 6.709v2.291h3a.75.75 0 0 1 0 1.5h-7.5a.75.75 0 0 1 0-1.5h3v-2.291a6.751 6.751 0 0 1-6-6.709v-1.5A.75.75 0 0 1 6 10.5Z"})])}function br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm3 10.5a.75.75 0 0 0 0-1.5H9a.75.75 0 0 0 0 1.5h6Z","clip-rule":"evenodd"})])}function xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 12a.75.75 0 0 1 .75-.75h12a.75.75 0 0 1 0 1.5H6a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.25 12a.75.75 0 0 1 .75-.75h14a.75.75 0 0 1 0 1.5H5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function Er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.528 1.718a.75.75 0 0 1 .162.819A8.97 8.97 0 0 0 9 6a9 9 0 0 0 9 9 8.97 8.97 0 0 0 3.463-.69.75.75 0 0 1 .981.98 10.503 10.503 0 0 1-9.694 6.46c-5.799 0-10.5-4.7-10.5-10.5 0-4.368 2.667-8.112 6.46-9.694a.75.75 0 0 1 .818.162Z","clip-rule":"evenodd"})])}function Ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.952 1.651a.75.75 0 0 1 .298.599V16.303a3 3 0 0 1-2.176 2.884l-1.32.377a2.553 2.553 0 1 1-1.403-4.909l2.311-.66a1.5 1.5 0 0 0 1.088-1.442V6.994l-9 2.572v9.737a3 3 0 0 1-2.176 2.884l-1.32.377a2.553 2.553 0 1 1-1.402-4.909l2.31-.66a1.5 1.5 0 0 0 1.088-1.442V5.25a.75.75 0 0 1 .544-.721l10.5-3a.75.75 0 0 1 .658.122Z","clip-rule":"evenodd"})])}function Cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.125 3C3.089 3 2.25 3.84 2.25 4.875V18a3 3 0 0 0 3 3h15a3 3 0 0 1-3-3V4.875C17.25 3.839 16.41 3 15.375 3H4.125ZM12 9.75a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 0-1.5H12Zm-.75-2.25a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 0 1.5H12a.75.75 0 0 1-.75-.75ZM6 12.75a.75.75 0 0 0 0 1.5h7.5a.75.75 0 0 0 0-1.5H6Zm-.75 3.75a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5H6a.75.75 0 0 1-.75-.75ZM6 6.75a.75.75 0 0 0-.75.75v3c0 .414.336.75.75.75h3a.75.75 0 0 0 .75-.75v-3A.75.75 0 0 0 9 6.75H6Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M18.75 6.75h1.875c.621 0 1.125.504 1.125 1.125V18a1.5 1.5 0 0 1-3 0V6.75Z"})])}function Br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m6.72 5.66 11.62 11.62A8.25 8.25 0 0 0 6.72 5.66Zm10.56 12.68L5.66 6.72a8.25 8.25 0 0 0 11.62 11.62ZM5.105 5.106c3.807-3.808 9.98-3.808 13.788 0 3.808 3.807 3.808 9.98 0 13.788-3.807 3.808-9.98 3.808-13.788 0-3.808-3.807-3.808-9.98 0-13.788Z","clip-rule":"evenodd"})])}function Mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.491 5.992a.75.75 0 0 1 .75-.75h12a.75.75 0 1 1 0 1.5h-12a.75.75 0 0 1-.75-.75ZM7.49 11.995a.75.75 0 0 1 .75-.75h12a.75.75 0 0 1 0 1.5h-12a.75.75 0 0 1-.75-.75ZM7.491 17.994a.75.75 0 0 1 .75-.75h12a.75.75 0 1 1 0 1.5h-12a.75.75 0 0 1-.75-.75ZM2.24 3.745a.75.75 0 0 1 .75-.75h1.125a.75.75 0 0 1 .75.75v3h.375a.75.75 0 0 1 0 1.5H2.99a.75.75 0 0 1 0-1.5h.375v-2.25H2.99a.75.75 0 0 1-.75-.75ZM2.79 10.602a.75.75 0 0 1 0-1.06 1.875 1.875 0 1 1 2.652 2.651l-.55.55h.35a.75.75 0 0 1 0 1.5h-2.16a.75.75 0 0 1-.53-1.281l1.83-1.83a.375.375 0 0 0-.53-.53.75.75 0 0 1-1.062 0ZM2.24 15.745a.75.75 0 0 1 .75-.75h1.125a1.875 1.875 0 0 1 1.501 2.999 1.875 1.875 0 0 1-1.501 3H2.99a.75.75 0 0 1 0-1.501h1.125a.375.375 0 0 0 .036-.748H3.74a.75.75 0 0 1-.75-.75v-.002a.75.75 0 0 1 .75-.75h.411a.375.375 0 0 0-.036-.748H2.99a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function _r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.599 1.5c-.376 0-.743.111-1.055.32l-5.08 3.385a18.747 18.747 0 0 0-3.471 2.987 10.04 10.04 0 0 1 4.815 4.815 18.748 18.748 0 0 0 2.987-3.472l3.386-5.079A1.902 1.902 0 0 0 20.599 1.5Zm-8.3 14.025a18.76 18.76 0 0 0 1.896-1.207 8.026 8.026 0 0 0-4.513-4.513A18.75 18.75 0 0 0 8.475 11.7l-.278.5a5.26 5.26 0 0 1 3.601 3.602l.502-.278ZM6.75 13.5A3.75 3.75 0 0 0 3 17.25a1.5 1.5 0 0 1-1.601 1.497.75.75 0 0 0-.7 1.123 5.25 5.25 0 0 0 9.8-2.62 3.75 3.75 0 0 0-3.75-3.75Z","clip-rule":"evenodd"})])}function Sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.478 2.404a.75.75 0 0 0-.926.941l2.432 7.905H13.5a.75.75 0 0 1 0 1.5H4.984l-2.432 7.905a.75.75 0 0 0 .926.94 60.519 60.519 0 0 0 18.445-8.986.75.75 0 0 0 0-1.218A60.517 60.517 0 0 0 3.478 2.404Z"})])}function Nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18.97 3.659a2.25 2.25 0 0 0-3.182 0l-10.94 10.94a3.75 3.75 0 1 0 5.304 5.303l7.693-7.693a.75.75 0 0 1 1.06 1.06l-7.693 7.693a5.25 5.25 0 1 1-7.424-7.424l10.939-10.94a3.75 3.75 0 1 1 5.303 5.304L9.097 18.835l-.008.008-.007.007-.002.002-.003.002A2.25 2.25 0 0 1 5.91 15.66l7.81-7.81a.75.75 0 0 1 1.061 1.06l-7.81 7.81a.75.75 0 0 0 1.054 1.068L18.97 6.84a2.25 2.25 0 0 0 0-3.182Z","clip-rule":"evenodd"})])}function Vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 12c0-5.385 4.365-9.75 9.75-9.75s9.75 4.365 9.75 9.75-4.365 9.75-9.75 9.75S2.25 17.385 2.25 12ZM9 8.25a.75.75 0 0 0-.75.75v6c0 .414.336.75.75.75h.75a.75.75 0 0 0 .75-.75V9a.75.75 0 0 0-.75-.75H9Zm5.25 0a.75.75 0 0 0-.75.75v6c0 .414.336.75.75.75H15a.75.75 0 0 0 .75-.75V9a.75.75 0 0 0-.75-.75h-.75Z","clip-rule":"evenodd"})])}function Lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.75 5.25a.75.75 0 0 1 .75-.75H9a.75.75 0 0 1 .75.75v13.5a.75.75 0 0 1-.75.75H7.5a.75.75 0 0 1-.75-.75V5.25Zm7.5 0A.75.75 0 0 1 15 4.5h1.5a.75.75 0 0 1 .75.75v13.5a.75.75 0 0 1-.75.75H15a.75.75 0 0 1-.75-.75V5.25Z","clip-rule":"evenodd"})])}function Tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M21.731 2.269a2.625 2.625 0 0 0-3.712 0l-1.157 1.157 3.712 3.712 1.157-1.157a2.625 2.625 0 0 0 0-3.712ZM19.513 8.199l-3.712-3.712-8.4 8.4a5.25 5.25 0 0 0-1.32 2.214l-.8 2.685a.75.75 0 0 0 .933.933l2.685-.8a5.25 5.25 0 0 0 2.214-1.32l8.4-8.4Z"}),(0,r.createElementVNode)("path",{d:"M5.25 5.25a3 3 0 0 0-3 3v10.5a3 3 0 0 0 3 3h10.5a3 3 0 0 0 3-3V13.5a.75.75 0 0 0-1.5 0v5.25a1.5 1.5 0 0 1-1.5 1.5H5.25a1.5 1.5 0 0 1-1.5-1.5V8.25a1.5 1.5 0 0 1 1.5-1.5h5.25a.75.75 0 0 0 0-1.5H5.25Z"})])}function Ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M21.731 2.269a2.625 2.625 0 0 0-3.712 0l-1.157 1.157 3.712 3.712 1.157-1.157a2.625 2.625 0 0 0 0-3.712ZM19.513 8.199l-3.712-3.712-12.15 12.15a5.25 5.25 0 0 0-1.32 2.214l-.8 2.685a.75.75 0 0 0 .933.933l2.685-.8a5.25 5.25 0 0 0 2.214-1.32L19.513 8.2Z"})])}function Zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.99 2.243a4.49 4.49 0 0 0-3.398 1.55 4.49 4.49 0 0 0-3.497 1.306 4.491 4.491 0 0 0-1.307 3.498 4.491 4.491 0 0 0-1.548 3.397c0 1.357.6 2.573 1.548 3.397a4.491 4.491 0 0 0 1.307 3.498 4.49 4.49 0 0 0 3.498 1.307 4.49 4.49 0 0 0 3.397 1.549 4.49 4.49 0 0 0 3.397-1.549 4.49 4.49 0 0 0 3.497-1.307 4.491 4.491 0 0 0 1.306-3.497 4.491 4.491 0 0 0 1.55-3.398c0-1.357-.601-2.573-1.549-3.397a4.491 4.491 0 0 0-1.307-3.498 4.49 4.49 0 0 0-3.498-1.307 4.49 4.49 0 0 0-3.396-1.549Zm3.53 7.28a.75.75 0 0 0-1.06-1.06l-6 6a.75.75 0 1 0 1.06 1.06l6-6Zm-5.78-.905a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25Zm4.5 4.5a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25Z","clip-rule":"evenodd"})])}function Or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.5 9.75a.75.75 0 0 1-.75.75h-4.5a.75.75 0 0 1-.75-.75v-4.5a.75.75 0 0 1 1.5 0v2.69l4.72-4.72a.75.75 0 1 1 1.06 1.06L16.06 9h2.69a.75.75 0 0 1 .75.75Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 4.5a3 3 0 0 1 3-3h1.372c.86 0 1.61.586 1.819 1.42l1.105 4.423a1.875 1.875 0 0 1-.694 1.955l-1.293.97c-.135.101-.164.249-.126.352a11.285 11.285 0 0 0 6.697 6.697c.103.038.25.009.352-.126l.97-1.293a1.875 1.875 0 0 1 1.955-.694l4.423 1.105c.834.209 1.42.959 1.42 1.82V19.5a3 3 0 0 1-3 3h-2.25C8.552 22.5 1.5 15.448 1.5 6.75V4.5Z","clip-rule":"evenodd"})])}function Dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 3.75a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0V5.56l-4.72 4.72a.75.75 0 1 1-1.06-1.06l4.72-4.72h-2.69a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 4.5a3 3 0 0 1 3-3h1.372c.86 0 1.61.586 1.819 1.42l1.105 4.423a1.875 1.875 0 0 1-.694 1.955l-1.293.97c-.135.101-.164.249-.126.352a11.285 11.285 0 0 0 6.697 6.697c.103.038.25.009.352-.126l.97-1.293a1.875 1.875 0 0 1 1.955-.694l4.423 1.105c.834.209 1.42.959 1.42 1.82V19.5a3 3 0 0 1-3 3h-2.25C8.552 22.5 1.5 15.448 1.5 6.75V4.5Z","clip-rule":"evenodd"})])}function Rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.22 3.22a.75.75 0 0 1 1.06 0L18 4.94l1.72-1.72a.75.75 0 1 1 1.06 1.06L19.06 6l1.72 1.72a.75.75 0 0 1-1.06 1.06L18 7.06l-1.72 1.72a.75.75 0 1 1-1.06-1.06L16.94 6l-1.72-1.72a.75.75 0 0 1 0-1.06ZM1.5 4.5a3 3 0 0 1 3-3h1.372c.86 0 1.61.586 1.819 1.42l1.105 4.423a1.875 1.875 0 0 1-.694 1.955l-1.293.97c-.135.101-.164.249-.126.352a11.285 11.285 0 0 0 6.697 6.697c.103.038.25.009.352-.126l.97-1.293a1.875 1.875 0 0 1 1.955-.694l4.423 1.105c.834.209 1.42.959 1.42 1.82V19.5a3 3 0 0 1-3 3h-2.25C8.552 22.5 1.5 15.448 1.5 6.75V4.5Z","clip-rule":"evenodd"})])}function Hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 4.5a3 3 0 0 1 3-3h1.372c.86 0 1.61.586 1.819 1.42l1.105 4.423a1.875 1.875 0 0 1-.694 1.955l-1.293.97c-.135.101-.164.249-.126.352a11.285 11.285 0 0 0 6.697 6.697c.103.038.25.009.352-.126l.97-1.293a1.875 1.875 0 0 1 1.955-.694l4.423 1.105c.834.209 1.42.959 1.42 1.82V19.5a3 3 0 0 1-3 3h-2.25C8.552 22.5 1.5 15.448 1.5 6.75V4.5Z","clip-rule":"evenodd"})])}function Pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 6a2.25 2.25 0 0 1 2.25-2.25h16.5A2.25 2.25 0 0 1 22.5 6v12a2.25 2.25 0 0 1-2.25 2.25H3.75A2.25 2.25 0 0 1 1.5 18V6ZM3 16.06V18c0 .414.336.75.75.75h16.5A.75.75 0 0 0 21 18v-1.94l-2.69-2.689a1.5 1.5 0 0 0-2.12 0l-.88.879.97.97a.75.75 0 1 1-1.06 1.06l-5.16-5.159a1.5 1.5 0 0 0-2.12 0L3 16.061Zm10.125-7.81a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Z","clip-rule":"evenodd"})])}function jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 12c0-5.385 4.365-9.75 9.75-9.75s9.75 4.365 9.75 9.75-4.365 9.75-9.75 9.75S2.25 17.385 2.25 12Zm14.024-.983a1.125 1.125 0 0 1 0 1.966l-5.603 3.113A1.125 1.125 0 0 1 9 15.113V8.887c0-.857.921-1.4 1.671-.983l5.603 3.113Z","clip-rule":"evenodd"})])}function Fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M15 6.75a.75.75 0 0 0-.75.75V18a.75.75 0 0 0 .75.75h.75a.75.75 0 0 0 .75-.75V7.5a.75.75 0 0 0-.75-.75H15ZM20.25 6.75a.75.75 0 0 0-.75.75V18c0 .414.336.75.75.75H21a.75.75 0 0 0 .75-.75V7.5a.75.75 0 0 0-.75-.75h-.75ZM5.055 7.06C3.805 6.347 2.25 7.25 2.25 8.69v8.122c0 1.44 1.555 2.343 2.805 1.628l7.108-4.061c1.26-.72 1.26-2.536 0-3.256L5.055 7.061Z"})])}function zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 5.653c0-1.427 1.529-2.33 2.779-1.643l11.54 6.347c1.295.712 1.295 2.573 0 3.286L7.28 19.99c-1.25.687-2.779-.217-2.779-1.643V5.653Z","clip-rule":"evenodd"})])}function qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM12.75 9a.75.75 0 0 0-1.5 0v2.25H9a.75.75 0 0 0 0 1.5h2.25V15a.75.75 0 0 0 1.5 0v-2.25H15a.75.75 0 0 0 0-1.5h-2.25V9Z","clip-rule":"evenodd"})])}function Ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 5.25a.75.75 0 0 1 .75.75v5.25H18a.75.75 0 0 1 0 1.5h-5.25V18a.75.75 0 0 1-1.5 0v-5.25H6a.75.75 0 0 1 0-1.5h5.25V6a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function $r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 3.75a.75.75 0 0 1 .75.75v6.75h6.75a.75.75 0 0 1 0 1.5h-6.75v6.75a.75.75 0 0 1-1.5 0v-6.75H4.5a.75.75 0 0 1 0-1.5h6.75V4.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function Wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25a.75.75 0 0 1 .75.75v9a.75.75 0 0 1-1.5 0V3a.75.75 0 0 1 .75-.75ZM6.166 5.106a.75.75 0 0 1 0 1.06 8.25 8.25 0 1 0 11.668 0 .75.75 0 1 1 1.06-1.06c3.808 3.807 3.808 9.98 0 13.788-3.807 3.808-9.98 3.808-13.788 0-3.808-3.807-3.808-9.98 0-13.788a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function Gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 2.25a.75.75 0 0 0 0 1.5H3v10.5a3 3 0 0 0 3 3h1.21l-1.172 3.513a.75.75 0 0 0 1.424.474l.329-.987h8.418l.33.987a.75.75 0 0 0 1.422-.474l-1.17-3.513H18a3 3 0 0 0 3-3V3.75h.75a.75.75 0 0 0 0-1.5H2.25Zm6.04 16.5.5-1.5h6.42l.5 1.5H8.29Zm7.46-12a.75.75 0 0 0-1.5 0v6a.75.75 0 0 0 1.5 0v-6Zm-3 2.25a.75.75 0 0 0-1.5 0v3.75a.75.75 0 0 0 1.5 0V9Zm-3 2.25a.75.75 0 0 0-1.5 0v1.5a.75.75 0 0 0 1.5 0v-1.5Z","clip-rule":"evenodd"})])}function Kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 2.25a.75.75 0 0 0 0 1.5H3v10.5a3 3 0 0 0 3 3h1.21l-1.172 3.513a.75.75 0 0 0 1.424.474l.329-.987h8.418l.33.987a.75.75 0 0 0 1.422-.474l-1.17-3.513H18a3 3 0 0 0 3-3V3.75h.75a.75.75 0 0 0 0-1.5H2.25Zm6.54 15h6.42l.5 1.5H8.29l.5-1.5Zm8.085-8.995a.75.75 0 1 0-.75-1.299 12.81 12.81 0 0 0-3.558 3.05L11.03 8.47a.75.75 0 0 0-1.06 0l-3 3a.75.75 0 1 0 1.06 1.06l2.47-2.47 1.617 1.618a.75.75 0 0 0 1.146-.102 11.312 11.312 0 0 1 3.612-3.321Z","clip-rule":"evenodd"})])}function Yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.875 1.5C6.839 1.5 6 2.34 6 3.375v2.99c-.426.053-.851.11-1.274.174-1.454.218-2.476 1.483-2.476 2.917v6.294a3 3 0 0 0 3 3h.27l-.155 1.705A1.875 1.875 0 0 0 7.232 22.5h9.536a1.875 1.875 0 0 0 1.867-2.045l-.155-1.705h.27a3 3 0 0 0 3-3V9.456c0-1.434-1.022-2.7-2.476-2.917A48.716 48.716 0 0 0 18 6.366V3.375c0-1.036-.84-1.875-1.875-1.875h-8.25ZM16.5 6.205v-2.83A.375.375 0 0 0 16.125 3h-8.25a.375.375 0 0 0-.375.375v2.83a49.353 49.353 0 0 1 9 0Zm-.217 8.265c.178.018.317.16.333.337l.526 5.784a.375.375 0 0 1-.374.409H7.232a.375.375 0 0 1-.374-.409l.526-5.784a.373.373 0 0 1 .333-.337 41.741 41.741 0 0 1 8.566 0Zm.967-3.97a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H18a.75.75 0 0 1-.75-.75V10.5ZM15 9.75a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V10.5a.75.75 0 0 0-.75-.75H15Z","clip-rule":"evenodd"})])}function Xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.25 5.337c0-.355-.186-.676-.401-.959a1.647 1.647 0 0 1-.349-1.003c0-1.036 1.007-1.875 2.25-1.875S15 2.34 15 3.375c0 .369-.128.713-.349 1.003-.215.283-.401.604-.401.959 0 .332.278.598.61.578 1.91-.114 3.79-.342 5.632-.676a.75.75 0 0 1 .878.645 49.17 49.17 0 0 1 .376 5.452.657.657 0 0 1-.66.664c-.354 0-.675-.186-.958-.401a1.647 1.647 0 0 0-1.003-.349c-1.035 0-1.875 1.007-1.875 2.25s.84 2.25 1.875 2.25c.369 0 .713-.128 1.003-.349.283-.215.604-.401.959-.401.31 0 .557.262.534.571a48.774 48.774 0 0 1-.595 4.845.75.75 0 0 1-.61.61c-1.82.317-3.673.533-5.555.642a.58.58 0 0 1-.611-.581c0-.355.186-.676.401-.959.221-.29.349-.634.349-1.003 0-1.035-1.007-1.875-2.25-1.875s-2.25.84-2.25 1.875c0 .369.128.713.349 1.003.215.283.401.604.401.959a.641.641 0 0 1-.658.643 49.118 49.118 0 0 1-4.708-.36.75.75 0 0 1-.645-.878c.293-1.614.504-3.257.629-4.924A.53.53 0 0 0 5.337 15c-.355 0-.676.186-.959.401-.29.221-.634.349-1.003.349-1.036 0-1.875-1.007-1.875-2.25s.84-2.25 1.875-2.25c.369 0 .713.128 1.003.349.283.215.604.401.959.401a.656.656 0 0 0 .659-.663 47.703 47.703 0 0 0-.31-4.82.75.75 0 0 1 .83-.832c1.343.155 2.703.254 4.077.294a.64.64 0 0 0 .657-.642Z"})])}function Jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4.875C3 3.839 3.84 3 4.875 3h4.5c1.036 0 1.875.84 1.875 1.875v4.5c0 1.036-.84 1.875-1.875 1.875h-4.5A1.875 1.875 0 0 1 3 9.375v-4.5ZM4.875 4.5a.375.375 0 0 0-.375.375v4.5c0 .207.168.375.375.375h4.5a.375.375 0 0 0 .375-.375v-4.5a.375.375 0 0 0-.375-.375h-4.5Zm7.875.375c0-1.036.84-1.875 1.875-1.875h4.5C20.16 3 21 3.84 21 4.875v4.5c0 1.036-.84 1.875-1.875 1.875h-4.5a1.875 1.875 0 0 1-1.875-1.875v-4.5Zm1.875-.375a.375.375 0 0 0-.375.375v4.5c0 .207.168.375.375.375h4.5a.375.375 0 0 0 .375-.375v-4.5a.375.375 0 0 0-.375-.375h-4.5ZM6 6.75A.75.75 0 0 1 6.75 6h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75A.75.75 0 0 1 6 7.5v-.75Zm9.75 0A.75.75 0 0 1 16.5 6h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75ZM3 14.625c0-1.036.84-1.875 1.875-1.875h4.5c1.036 0 1.875.84 1.875 1.875v4.5c0 1.035-.84 1.875-1.875 1.875h-4.5A1.875 1.875 0 0 1 3 19.125v-4.5Zm1.875-.375a.375.375 0 0 0-.375.375v4.5c0 .207.168.375.375.375h4.5a.375.375 0 0 0 .375-.375v-4.5a.375.375 0 0 0-.375-.375h-4.5Zm7.875-.75a.75.75 0 0 1 .75-.75h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75Zm6 0a.75.75 0 0 1 .75-.75h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75ZM6 16.5a.75.75 0 0 1 .75-.75h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75Zm9.75 0a.75.75 0 0 1 .75-.75h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75Zm-3 3a.75.75 0 0 1 .75-.75h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75Zm6 0a.75.75 0 0 1 .75-.75h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75Z","clip-rule":"evenodd"})])}function Qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 12c0-5.385 4.365-9.75 9.75-9.75s9.75 4.365 9.75 9.75-4.365 9.75-9.75 9.75S2.25 17.385 2.25 12Zm11.378-3.917c-.89-.777-2.366-.777-3.255 0a.75.75 0 0 1-.988-1.129c1.454-1.272 3.776-1.272 5.23 0 1.513 1.324 1.513 3.518 0 4.842a3.75 3.75 0 0 1-.837.552c-.676.328-1.028.774-1.028 1.152v.75a.75.75 0 0 1-1.5 0v-.75c0-1.279 1.06-2.107 1.875-2.502.182-.088.351-.199.503-.331.83-.727.83-1.857 0-2.584ZM12 18a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.625 3.75a2.625 2.625 0 1 0 0 5.25h12.75a2.625 2.625 0 0 0 0-5.25H5.625ZM3.75 11.25a.75.75 0 0 0 0 1.5h16.5a.75.75 0 0 0 0-1.5H3.75ZM3 15.75a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75a.75.75 0 0 1-.75-.75ZM3.75 18.75a.75.75 0 0 0 0 1.5h16.5a.75.75 0 0 0 0-1.5H3.75Z"})])}function to(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.432 4.103a.75.75 0 0 0-.364-1.456L4.128 6.632l-.2.033C2.498 6.904 1.5 8.158 1.5 9.574v9.176a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3V9.574c0-1.416-.997-2.67-2.429-2.909a49.017 49.017 0 0 0-7.255-.658l7.616-1.904Zm-9.585 8.56a.75.75 0 0 1 0 1.06l-.005.006a.75.75 0 0 1-1.06 0l-.006-.006a.75.75 0 0 1 0-1.06l.005-.005a.75.75 0 0 1 1.06 0l.006.005ZM9.781 15.85a.75.75 0 0 0 1.061 0l.005-.005a.75.75 0 0 0 0-1.061l-.005-.005a.75.75 0 0 0-1.06 0l-.006.005a.75.75 0 0 0 0 1.06l.005.006Zm-1.055-1.066a.75.75 0 0 1 0 1.06l-.005.006a.75.75 0 0 1-1.061 0l-.005-.005a.75.75 0 0 1 0-1.06l.005-.006a.75.75 0 0 1 1.06 0l.006.005ZM7.66 13.73a.75.75 0 0 0 1.061 0l.005-.006a.75.75 0 0 0 0-1.06l-.005-.006a.75.75 0 0 0-1.06 0l-.006.006a.75.75 0 0 0 0 1.06l.005.006ZM9.255 9.75a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75V10.5a.75.75 0 0 1 .75-.75h.008Zm3.624 3.28a.75.75 0 0 0 .275-1.025L13.15 12a.75.75 0 0 0-1.025-.275l-.006.004a.75.75 0 0 0-.275 1.024l.004.007a.75.75 0 0 0 1.025.274l.006-.003Zm-1.38 5.126a.75.75 0 0 1-1.024-.275l-.004-.006a.75.75 0 0 1 .275-1.025l.006-.004a.75.75 0 0 1 1.025.275l.004.007a.75.75 0 0 1-.275 1.024l-.006.004Zm.282-6.776a.75.75 0 0 0-.274-1.025l-.007-.003a.75.75 0 0 0-1.024.274l-.004.007a.75.75 0 0 0 .274 1.024l.007.004a.75.75 0 0 0 1.024-.275l.004-.006Zm1.369 5.129a.75.75 0 0 1-1.025.274l-.006-.004a.75.75 0 0 1-.275-1.024l.004-.007a.75.75 0 0 1 1.025-.274l.006.004a.75.75 0 0 1 .275 1.024l-.004.007Zm-.145-1.502a.75.75 0 0 0 .75-.75v-.007a.75.75 0 0 0-.75-.75h-.008a.75.75 0 0 0-.75.75v.007c0 .415.336.75.75.75h.008Zm-3.75 2.243a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75V18a.75.75 0 0 1 .75-.75h.008Zm-2.871-.47a.75.75 0 0 0 .274-1.025l-.003-.006a.75.75 0 0 0-1.025-.275l-.006.004a.75.75 0 0 0-.275 1.024l.004.007a.75.75 0 0 0 1.024.274l.007-.003Zm1.366-5.12a.75.75 0 0 1-1.025-.274l-.004-.006a.75.75 0 0 1 .275-1.025l.006-.004a.75.75 0 0 1 1.025.275l.004.006a.75.75 0 0 1-.275 1.025l-.006.004Zm.281 6.215a.75.75 0 0 0-.275-1.024l-.006-.004a.75.75 0 0 0-1.025.274l-.003.007a.75.75 0 0 0 .274 1.024l.007.004a.75.75 0 0 0 1.024-.274l.004-.007Zm-1.376-5.116a.75.75 0 0 1-1.025.274l-.006-.003a.75.75 0 0 1-.275-1.025l.004-.007a.75.75 0 0 1 1.025-.274l.006.004a.75.75 0 0 1 .275 1.024l-.004.007Zm-1.15 2.248a.75.75 0 0 0 .75-.75v-.007a.75.75 0 0 0-.75-.75h-.008a.75.75 0 0 0-.75.75v.007c0 .415.336.75.75.75h.008ZM17.25 10.5a1.5 1.5 0 1 1 0 3 1.5 1.5 0 0 1 0-3Zm1.5 6a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0Z","clip-rule":"evenodd"})])}function no(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 1.5c-1.921 0-3.816.111-5.68.327-1.497.174-2.57 1.46-2.57 2.93V21.75a.75.75 0 0 0 1.029.696l3.471-1.388 3.472 1.388a.75.75 0 0 0 .556 0l3.472-1.388 3.471 1.388a.75.75 0 0 0 1.029-.696V4.757c0-1.47-1.073-2.756-2.57-2.93A49.255 49.255 0 0 0 12 1.5Zm3.53 7.28a.75.75 0 0 0-1.06-1.06l-6 6a.75.75 0 1 0 1.06 1.06l6-6ZM8.625 9a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Zm5.625 3.375a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25Z","clip-rule":"evenodd"})])}function ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 1.5c-1.921 0-3.816.111-5.68.327-1.497.174-2.57 1.46-2.57 2.93V21.75a.75.75 0 0 0 1.029.696l3.471-1.388 3.472 1.388a.75.75 0 0 0 .556 0l3.472-1.388 3.471 1.388a.75.75 0 0 0 1.029-.696V4.757c0-1.47-1.073-2.756-2.57-2.93A49.255 49.255 0 0 0 12 1.5Zm-.97 6.53a.75.75 0 1 0-1.06-1.06L7.72 9.22a.75.75 0 0 0 0 1.06l2.25 2.25a.75.75 0 1 0 1.06-1.06l-.97-.97h3.065a1.875 1.875 0 0 1 0 3.75H12a.75.75 0 0 0 0 1.5h1.125a3.375 3.375 0 1 0 0-6.75h-3.064l.97-.97Z","clip-rule":"evenodd"})])}function oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 7.125c0-1.036.84-1.875 1.875-1.875h6c1.036 0 1.875.84 1.875 1.875v3.75c0 1.036-.84 1.875-1.875 1.875h-6A1.875 1.875 0 0 1 1.5 10.875v-3.75Zm12 1.5c0-1.036.84-1.875 1.875-1.875h5.25c1.035 0 1.875.84 1.875 1.875v8.25c0 1.035-.84 1.875-1.875 1.875h-5.25a1.875 1.875 0 0 1-1.875-1.875v-8.25ZM3 16.125c0-1.036.84-1.875 1.875-1.875h5.25c1.036 0 1.875.84 1.875 1.875v2.25c0 1.035-.84 1.875-1.875 1.875h-5.25A1.875 1.875 0 0 1 3 18.375v-2.25Z","clip-rule":"evenodd"})])}function io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.566 4.657A4.505 4.505 0 0 1 6.75 4.5h10.5c.41 0 .806.055 1.183.157A3 3 0 0 0 15.75 3h-7.5a3 3 0 0 0-2.684 1.657ZM2.25 12a3 3 0 0 1 3-3h13.5a3 3 0 0 1 3 3v6a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3v-6ZM5.25 7.5c-.41 0-.806.055-1.184.157A3 3 0 0 1 6.75 6h10.5a3 3 0 0 1 2.683 1.657A4.505 4.505 0 0 0 18.75 7.5H5.25Z"})])}function ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.315 7.584C12.195 3.883 16.695 1.5 21.75 1.5a.75.75 0 0 1 .75.75c0 5.056-2.383 9.555-6.084 12.436A6.75 6.75 0 0 1 9.75 22.5a.75.75 0 0 1-.75-.75v-4.131A15.838 15.838 0 0 1 6.382 15H2.25a.75.75 0 0 1-.75-.75 6.75 6.75 0 0 1 7.815-6.666ZM15 6.75a2.25 2.25 0 1 0 0 4.5 2.25 2.25 0 0 0 0-4.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M5.26 17.242a.75.75 0 1 0-.897-1.203 5.243 5.243 0 0 0-2.05 5.022.75.75 0 0 0 .625.627 5.243 5.243 0 0 0 5.022-2.051.75.75 0 1 0-1.202-.897 3.744 3.744 0 0 1-3.008 1.51c0-1.23.592-2.323 1.51-3.008Z"})])}function lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 4.5a.75.75 0 0 1 .75-.75h.75c8.284 0 15 6.716 15 15v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75C18 11.708 12.292 6 5.25 6H4.5a.75.75 0 0 1-.75-.75V4.5Zm0 6.75a.75.75 0 0 1 .75-.75h.75a8.25 8.25 0 0 1 8.25 8.25v.75a.75.75 0 0 1-.75.75H12a.75.75 0 0 1-.75-.75v-.75a6 6 0 0 0-6-6H4.5a.75.75 0 0 1-.75-.75v-.75Zm0 7.5a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Z","clip-rule":"evenodd"})])}function so(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25a.75.75 0 0 1 .75.75v.756a49.106 49.106 0 0 1 9.152 1 .75.75 0 0 1-.152 1.485h-1.918l2.474 10.124a.75.75 0 0 1-.375.84A6.723 6.723 0 0 1 18.75 18a6.723 6.723 0 0 1-3.181-.795.75.75 0 0 1-.375-.84l2.474-10.124H12.75v13.28c1.293.076 2.534.343 3.697.776a.75.75 0 0 1-.262 1.453h-8.37a.75.75 0 0 1-.262-1.453c1.162-.433 2.404-.7 3.697-.775V6.24H6.332l2.474 10.124a.75.75 0 0 1-.375.84A6.723 6.723 0 0 1 5.25 18a6.723 6.723 0 0 1-3.181-.795.75.75 0 0 1-.375-.84L4.168 6.241H2.25a.75.75 0 0 1-.152-1.485 49.105 49.105 0 0 1 9.152-1V3a.75.75 0 0 1 .75-.75Zm4.878 13.543 1.872-7.662 1.872 7.662h-3.744Zm-9.756 0L5.25 8.131l-1.872 7.662h3.744Z","clip-rule":"evenodd"})])}function co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.128 9.155a3.751 3.751 0 1 1 .713-1.321l1.136.656a.75.75 0 0 1 .222 1.104l-.006.007a.75.75 0 0 1-1.032.157 1.421 1.421 0 0 0-.113-.072l-.92-.531Zm-4.827-3.53a2.25 2.25 0 0 1 3.994 2.063.756.756 0 0 0-.122.23 2.25 2.25 0 0 1-3.872-2.293ZM13.348 8.272a5.073 5.073 0 0 0-3.428 3.57 5.08 5.08 0 0 0-.165 1.202 1.415 1.415 0 0 1-.707 1.201l-.96.554a3.751 3.751 0 1 0 .734 1.309l13.729-7.926a.75.75 0 0 0-.181-1.374l-.803-.215a5.25 5.25 0 0 0-2.894.05l-5.325 1.629Zm-9.223 7.03a2.25 2.25 0 1 0 2.25 3.897 2.25 2.25 0 0 0-2.25-3.897ZM12 12.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M16.372 12.615a.75.75 0 0 1 .75 0l5.43 3.135a.75.75 0 0 1-.182 1.374l-.802.215a5.25 5.25 0 0 1-2.894-.051l-5.147-1.574a.75.75 0 0 1-.156-1.367l3-1.732Z"})])}function uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.507 4.048A3 3 0 0 1 7.785 3h8.43a3 3 0 0 1 2.278 1.048l1.722 2.008A4.533 4.533 0 0 0 19.5 6h-15c-.243 0-.482.02-.715.056l1.722-2.008Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 10.5a3 3 0 0 1 3-3h15a3 3 0 1 1 0 6h-15a3 3 0 0 1-3-3Zm15 0a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm2.25.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM4.5 15a3 3 0 1 0 0 6h15a3 3 0 1 0 0-6h-15Zm11.25 3.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM19.5 18a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z","clip-rule":"evenodd"})])}function ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.08 5.227A3 3 0 0 1 6.979 3H17.02a3 3 0 0 1 2.9 2.227l2.113 7.926A5.228 5.228 0 0 0 18.75 12H5.25a5.228 5.228 0 0 0-3.284 1.153L4.08 5.227Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 13.5a3.75 3.75 0 1 0 0 7.5h13.5a3.75 3.75 0 1 0 0-7.5H5.25Zm10.5 4.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm3.75-.75a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z","clip-rule":"evenodd"})])}function po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.75 4.5a3 3 0 1 1 .825 2.066l-8.421 4.679a3.002 3.002 0 0 1 0 1.51l8.421 4.679a3 3 0 1 1-.729 1.31l-8.421-4.678a3 3 0 1 1 0-4.132l8.421-4.679a3 3 0 0 1-.096-.755Z","clip-rule":"evenodd"})])}function fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.516 2.17a.75.75 0 0 0-1.032 0 11.209 11.209 0 0 1-7.877 3.08.75.75 0 0 0-.722.515A12.74 12.74 0 0 0 2.25 9.75c0 5.942 4.064 10.933 9.563 12.348a.749.749 0 0 0 .374 0c5.499-1.415 9.563-6.406 9.563-12.348 0-1.39-.223-2.73-.635-3.985a.75.75 0 0 0-.722-.516l-.143.001c-2.996 0-5.717-1.17-7.734-3.08Zm3.094 8.016a.75.75 0 1 0-1.22-.872l-3.236 4.53L9.53 12.22a.75.75 0 0 0-1.06 1.06l2.25 2.25a.75.75 0 0 0 1.14-.094l3.75-5.25Z","clip-rule":"evenodd"})])}function mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.484 2.17a.75.75 0 0 1 1.032 0 11.209 11.209 0 0 0 7.877 3.08.75.75 0 0 1 .722.515 12.74 12.74 0 0 1 .635 3.985c0 5.942-4.064 10.933-9.563 12.348a.749.749 0 0 1-.374 0C6.314 20.683 2.25 15.692 2.25 9.75c0-1.39.223-2.73.635-3.985a.75.75 0 0 1 .722-.516l.143.001c2.996 0 5.718-1.17 7.734-3.08ZM12 8.25a.75.75 0 0 1 .75.75v3.75a.75.75 0 0 1-1.5 0V9a.75.75 0 0 1 .75-.75ZM12 15a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75v-.008a.75.75 0 0 0-.75-.75H12Z","clip-rule":"evenodd"})])}function vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 6v.75H5.513c-.96 0-1.764.724-1.865 1.679l-1.263 12A1.875 1.875 0 0 0 4.25 22.5h15.5a1.875 1.875 0 0 0 1.865-2.071l-1.263-12a1.875 1.875 0 0 0-1.865-1.679H16.5V6a4.5 4.5 0 1 0-9 0ZM12 3a3 3 0 0 0-3 3v.75h6V6a3 3 0 0 0-3-3Zm-3 8.25a3 3 0 1 0 6 0v-.75a.75.75 0 0 1 1.5 0v.75a4.5 4.5 0 1 1-9 0v-.75a.75.75 0 0 1 1.5 0v.75Z","clip-rule":"evenodd"})])}function go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.25 2.25a.75.75 0 0 0 0 1.5h1.386c.17 0 .318.114.362.278l2.558 9.592a3.752 3.752 0 0 0-2.806 3.63c0 .414.336.75.75.75h15.75a.75.75 0 0 0 0-1.5H5.378A2.25 2.25 0 0 1 7.5 15h11.218a.75.75 0 0 0 .674-.421 60.358 60.358 0 0 0 2.96-7.228.75.75 0 0 0-.525-.965A60.864 60.864 0 0 0 5.68 4.509l-.232-.867A1.875 1.875 0 0 0 3.636 2.25H2.25ZM3.75 20.25a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0ZM16.5 20.25a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Z"})])}function wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.47 2.47a.75.75 0 0 1 1.06 0l8.407 8.407a1.125 1.125 0 0 1 1.186 1.186l1.462 1.461a3.001 3.001 0 0 0-.464-3.645.75.75 0 1 1 1.061-1.061 4.501 4.501 0 0 1 .486 5.79l1.072 1.072a6.001 6.001 0 0 0-.497-7.923.75.75 0 0 1 1.06-1.06 7.501 7.501 0 0 1 .505 10.05l1.064 1.065a9 9 0 0 0-.508-12.176.75.75 0 0 1 1.06-1.06c3.923 3.922 4.093 10.175.512 14.3l1.594 1.594a.75.75 0 1 1-1.06 1.06l-2.106-2.105-2.121-2.122h-.001l-4.705-4.706a.747.747 0 0 1-.127-.126L2.47 3.53a.75.75 0 0 1 0-1.061Zm1.189 4.422a.75.75 0 0 1 .326 1.01 9.004 9.004 0 0 0 1.651 10.462.75.75 0 1 1-1.06 1.06C1.27 16.12.63 11.165 2.648 7.219a.75.75 0 0 1 1.01-.326ZM5.84 9.134a.75.75 0 0 1 .472.95 6 6 0 0 0 1.444 6.159.75.75 0 0 1-1.06 1.06A7.5 7.5 0 0 1 4.89 9.606a.75.75 0 0 1 .95-.472Zm2.341 2.653a.75.75 0 0 1 .848.638c.088.62.37 1.218.849 1.696a.75.75 0 0 1-1.061 1.061 4.483 4.483 0 0 1-1.273-2.546.75.75 0 0 1 .637-.848Z","clip-rule":"evenodd"})])}function yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.636 4.575a.75.75 0 0 1 0 1.061 9 9 0 0 0 0 12.728.75.75 0 1 1-1.06 1.06c-4.101-4.1-4.101-10.748 0-14.849a.75.75 0 0 1 1.06 0Zm12.728 0a.75.75 0 0 1 1.06 0c4.101 4.1 4.101 10.75 0 14.85a.75.75 0 1 1-1.06-1.061 9 9 0 0 0 0-12.728.75.75 0 0 1 0-1.06ZM7.757 6.697a.75.75 0 0 1 0 1.06 6 6 0 0 0 0 8.486.75.75 0 0 1-1.06 1.06 7.5 7.5 0 0 1 0-10.606.75.75 0 0 1 1.06 0Zm8.486 0a.75.75 0 0 1 1.06 0 7.5 7.5 0 0 1 0 10.606.75.75 0 0 1-1.06-1.06 6 6 0 0 0 0-8.486.75.75 0 0 1 0-1.06ZM9.879 8.818a.75.75 0 0 1 0 1.06 3 3 0 0 0 0 4.243.75.75 0 1 1-1.061 1.061 4.5 4.5 0 0 1 0-6.364.75.75 0 0 1 1.06 0Zm4.242 0a.75.75 0 0 1 1.061 0 4.5 4.5 0 0 1 0 6.364.75.75 0 0 1-1.06-1.06 3 3 0 0 0 0-4.243.75.75 0 0 1 0-1.061ZM10.875 12a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Z","clip-rule":"evenodd"})])}function bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.256 3.042a.75.75 0 0 1 .449.962l-6 16.5a.75.75 0 1 1-1.41-.513l6-16.5a.75.75 0 0 1 .961-.449Z","clip-rule":"evenodd"})])}function xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9 4.5a.75.75 0 0 1 .721.544l.813 2.846a3.75 3.75 0 0 0 2.576 2.576l2.846.813a.75.75 0 0 1 0 1.442l-2.846.813a3.75 3.75 0 0 0-2.576 2.576l-.813 2.846a.75.75 0 0 1-1.442 0l-.813-2.846a3.75 3.75 0 0 0-2.576-2.576l-2.846-.813a.75.75 0 0 1 0-1.442l2.846-.813A3.75 3.75 0 0 0 7.466 7.89l.813-2.846A.75.75 0 0 1 9 4.5ZM18 1.5a.75.75 0 0 1 .728.568l.258 1.036c.236.94.97 1.674 1.91 1.91l1.036.258a.75.75 0 0 1 0 1.456l-1.036.258c-.94.236-1.674.97-1.91 1.91l-.258 1.036a.75.75 0 0 1-1.456 0l-.258-1.036a2.625 2.625 0 0 0-1.91-1.91l-1.036-.258a.75.75 0 0 1 0-1.456l1.036-.258a2.625 2.625 0 0 0 1.91-1.91l.258-1.036A.75.75 0 0 1 18 1.5ZM16.5 15a.75.75 0 0 1 .712.513l.394 1.183c.15.447.5.799.948.948l1.183.395a.75.75 0 0 1 0 1.422l-1.183.395c-.447.15-.799.5-.948.948l-.395 1.183a.75.75 0 0 1-1.422 0l-.395-1.183a1.5 1.5 0 0 0-.948-.948l-1.183-.395a.75.75 0 0 1 0-1.422l1.183-.395c.447-.15.799-.5.948-.948l.395-1.183A.75.75 0 0 1 16.5 15Z","clip-rule":"evenodd"})])}function ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.5 4.06c0-1.336-1.616-2.005-2.56-1.06l-4.5 4.5H4.508c-1.141 0-2.318.664-2.66 1.905A9.76 9.76 0 0 0 1.5 12c0 .898.121 1.768.35 2.595.341 1.24 1.518 1.905 2.659 1.905h1.93l4.5 4.5c.945.945 2.561.276 2.561-1.06V4.06ZM18.584 5.106a.75.75 0 0 1 1.06 0c3.808 3.807 3.808 9.98 0 13.788a.75.75 0 0 1-1.06-1.06 8.25 8.25 0 0 0 0-11.668.75.75 0 0 1 0-1.06Z"}),(0,r.createElementVNode)("path",{d:"M15.932 7.757a.75.75 0 0 1 1.061 0 6 6 0 0 1 0 8.486.75.75 0 0 1-1.06-1.061 4.5 4.5 0 0 0 0-6.364.75.75 0 0 1 0-1.06Z"})])}function Eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.5 4.06c0-1.336-1.616-2.005-2.56-1.06l-4.5 4.5H4.508c-1.141 0-2.318.664-2.66 1.905A9.76 9.76 0 0 0 1.5 12c0 .898.121 1.768.35 2.595.341 1.24 1.518 1.905 2.659 1.905h1.93l4.5 4.5c.945.945 2.561.276 2.561-1.06V4.06ZM17.78 9.22a.75.75 0 1 0-1.06 1.06L18.44 12l-1.72 1.72a.75.75 0 1 0 1.06 1.06l1.72-1.72 1.72 1.72a.75.75 0 1 0 1.06-1.06L20.56 12l1.72-1.72a.75.75 0 1 0-1.06-1.06l-1.72 1.72-1.72-1.72Z"})])}function Ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M16.5 6a3 3 0 0 0-3-3H6a3 3 0 0 0-3 3v7.5a3 3 0 0 0 3 3v-6A4.5 4.5 0 0 1 10.5 6h6Z"}),(0,r.createElementVNode)("path",{d:"M18 7.5a3 3 0 0 1 3 3V18a3 3 0 0 1-3 3h-7.5a3 3 0 0 1-3-3v-7.5a3 3 0 0 1 3-3H18Z"})])}function Co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.644 1.59a.75.75 0 0 1 .712 0l9.75 5.25a.75.75 0 0 1 0 1.32l-9.75 5.25a.75.75 0 0 1-.712 0l-9.75-5.25a.75.75 0 0 1 0-1.32l9.75-5.25Z"}),(0,r.createElementVNode)("path",{d:"m3.265 10.602 7.668 4.129a2.25 2.25 0 0 0 2.134 0l7.668-4.13 1.37.739a.75.75 0 0 1 0 1.32l-9.75 5.25a.75.75 0 0 1-.71 0l-9.75-5.25a.75.75 0 0 1 0-1.32l1.37-.738Z"}),(0,r.createElementVNode)("path",{d:"m10.933 19.231-7.668-4.13-1.37.739a.75.75 0 0 0 0 1.32l9.75 5.25c.221.12.489.12.71 0l9.75-5.25a.75.75 0 0 0 0-1.32l-1.37-.738-7.668 4.13a2.25 2.25 0 0 1-2.134-.001Z"})])}function Bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6a3 3 0 0 1 3-3h2.25a3 3 0 0 1 3 3v2.25a3 3 0 0 1-3 3H6a3 3 0 0 1-3-3V6Zm9.75 0a3 3 0 0 1 3-3H18a3 3 0 0 1 3 3v2.25a3 3 0 0 1-3 3h-2.25a3 3 0 0 1-3-3V6ZM3 15.75a3 3 0 0 1 3-3h2.25a3 3 0 0 1 3 3V18a3 3 0 0 1-3 3H6a3 3 0 0 1-3-3v-2.25Zm9.75 0a3 3 0 0 1 3-3H18a3 3 0 0 1 3 3V18a3 3 0 0 1-3 3h-2.25a3 3 0 0 1-3-3v-2.25Z","clip-rule":"evenodd"})])}function Mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6 3a3 3 0 0 0-3 3v2.25a3 3 0 0 0 3 3h2.25a3 3 0 0 0 3-3V6a3 3 0 0 0-3-3H6ZM15.75 3a3 3 0 0 0-3 3v2.25a3 3 0 0 0 3 3H18a3 3 0 0 0 3-3V6a3 3 0 0 0-3-3h-2.25ZM6 12.75a3 3 0 0 0-3 3V18a3 3 0 0 0 3 3h2.25a3 3 0 0 0 3-3v-2.25a3 3 0 0 0-3-3H6ZM17.625 13.5a.75.75 0 0 0-1.5 0v2.625H13.5a.75.75 0 0 0 0 1.5h2.625v2.625a.75.75 0 0 0 1.5 0v-2.625h2.625a.75.75 0 0 0 0-1.5h-2.625V13.5Z"})])}function _o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.788 3.21c.448-1.077 1.976-1.077 2.424 0l2.082 5.006 5.404.434c1.164.093 1.636 1.545.749 2.305l-4.117 3.527 1.257 5.273c.271 1.136-.964 2.033-1.96 1.425L12 18.354 7.373 21.18c-.996.608-2.231-.29-1.96-1.425l1.257-5.273-4.117-3.527c-.887-.76-.415-2.212.749-2.305l5.404-.434 2.082-5.005Z","clip-rule":"evenodd"})])}function So(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 12c0-5.385 4.365-9.75 9.75-9.75s9.75 4.365 9.75 9.75-4.365 9.75-9.75 9.75S2.25 17.385 2.25 12Zm6-2.438c0-.724.588-1.312 1.313-1.312h4.874c.725 0 1.313.588 1.313 1.313v4.874c0 .725-.588 1.313-1.313 1.313H9.564a1.312 1.312 0 0 1-1.313-1.313V9.564Z","clip-rule":"evenodd"})])}function No(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 7.5a3 3 0 0 1 3-3h9a3 3 0 0 1 3 3v9a3 3 0 0 1-3 3h-9a3 3 0 0 1-3-3v-9Z","clip-rule":"evenodd"})])}function Vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.657 4.728c-1.086.385-1.766 1.057-1.979 1.85-.214.8.046 1.733.81 2.616.746.862 1.93 1.612 3.388 2.003.07.019.14.037.21.053h8.163a.75.75 0 0 1 0 1.5h-8.24a.66.66 0 0 1-.02 0H3.75a.75.75 0 0 1 0-1.5h4.78a7.108 7.108 0 0 1-1.175-1.074C6.372 9.042 5.849 7.61 6.229 6.19c.377-1.408 1.528-2.38 2.927-2.876 1.402-.497 3.127-.55 4.855-.086A8.937 8.937 0 0 1 16.94 4.6a.75.75 0 0 1-.881 1.215 7.437 7.437 0 0 0-2.436-1.14c-1.473-.394-2.885-.331-3.966.052Zm6.533 9.632a.75.75 0 0 1 1.03.25c.592.974.846 2.094.55 3.2-.378 1.408-1.529 2.38-2.927 2.876-1.402.497-3.127.55-4.855.087-1.712-.46-3.168-1.354-4.134-2.47a.75.75 0 0 1 1.134-.982c.746.862 1.93 1.612 3.388 2.003 1.473.394 2.884.331 3.966-.052 1.085-.384 1.766-1.056 1.978-1.85.169-.628.046-1.33-.381-2.032a.75.75 0 0 1 .25-1.03Z","clip-rule":"evenodd"})])}function Lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 2.25a.75.75 0 0 1 .75.75v2.25a.75.75 0 0 1-1.5 0V3a.75.75 0 0 1 .75-.75ZM7.5 12a4.5 4.5 0 1 1 9 0 4.5 4.5 0 0 1-9 0ZM18.894 6.166a.75.75 0 0 0-1.06-1.06l-1.591 1.59a.75.75 0 1 0 1.06 1.061l1.591-1.59ZM21.75 12a.75.75 0 0 1-.75.75h-2.25a.75.75 0 0 1 0-1.5H21a.75.75 0 0 1 .75.75ZM17.834 18.894a.75.75 0 0 0 1.06-1.06l-1.59-1.591a.75.75 0 1 0-1.061 1.06l1.59 1.591ZM12 18a.75.75 0 0 1 .75.75V21a.75.75 0 0 1-1.5 0v-2.25A.75.75 0 0 1 12 18ZM7.758 17.303a.75.75 0 0 0-1.061-1.06l-1.591 1.59a.75.75 0 0 0 1.06 1.061l1.591-1.59ZM6 12a.75.75 0 0 1-.75.75H3a.75.75 0 0 1 0-1.5h2.25A.75.75 0 0 1 6 12ZM6.697 7.757a.75.75 0 0 0 1.06-1.06l-1.59-1.591a.75.75 0 0 0-1.061 1.06l1.59 1.591Z"})])}function To(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 4.125c0-1.036.84-1.875 1.875-1.875h5.25c1.036 0 1.875.84 1.875 1.875V17.25a4.5 4.5 0 1 1-9 0V4.125Zm4.5 14.25a1.125 1.125 0 1 0 0-2.25 1.125 1.125 0 0 0 0 2.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M10.719 21.75h9.156c1.036 0 1.875-.84 1.875-1.875v-5.25c0-1.036-.84-1.875-1.875-1.875h-.14l-8.742 8.743c-.09.089-.18.175-.274.257ZM12.738 17.625l6.474-6.474a1.875 1.875 0 0 0 0-2.651L15.5 4.787a1.875 1.875 0 0 0-2.651 0l-.1.099V17.25c0 .126-.003.251-.01.375Z"})])}function Io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 5.625c0-1.036.84-1.875 1.875-1.875h17.25c1.035 0 1.875.84 1.875 1.875v12.75c0 1.035-.84 1.875-1.875 1.875H3.375A1.875 1.875 0 0 1 1.5 18.375V5.625ZM21 9.375A.375.375 0 0 0 20.625 9h-7.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h7.5a.375.375 0 0 0 .375-.375v-1.5Zm0 3.75a.375.375 0 0 0-.375-.375h-7.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h7.5a.375.375 0 0 0 .375-.375v-1.5Zm0 3.75a.375.375 0 0 0-.375-.375h-7.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h7.5a.375.375 0 0 0 .375-.375v-1.5ZM10.875 18.75a.375.375 0 0 0 .375-.375v-1.5a.375.375 0 0 0-.375-.375h-7.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h7.5ZM3.375 15h7.5a.375.375 0 0 0 .375-.375v-1.5a.375.375 0 0 0-.375-.375h-7.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375Zm0-3.75h7.5a.375.375 0 0 0 .375-.375v-1.5A.375.375 0 0 0 10.875 9h-7.5A.375.375 0 0 0 3 9.375v1.5c0 .207.168.375.375.375Z","clip-rule":"evenodd"})])}function Zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 2.25a3 3 0 0 0-3 3v4.318a3 3 0 0 0 .879 2.121l9.58 9.581c.92.92 2.39 1.186 3.548.428a18.849 18.849 0 0 0 5.441-5.44c.758-1.16.492-2.629-.428-3.548l-9.58-9.581a3 3 0 0 0-2.122-.879H5.25ZM6.375 7.5a1.125 1.125 0 1 0 0-2.25 1.125 1.125 0 0 0 0 2.25Z","clip-rule":"evenodd"})])}function Oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 6.375c0-1.036.84-1.875 1.875-1.875h17.25c1.035 0 1.875.84 1.875 1.875v3.026a.75.75 0 0 1-.375.65 2.249 2.249 0 0 0 0 3.898.75.75 0 0 1 .375.65v3.026c0 1.035-.84 1.875-1.875 1.875H3.375A1.875 1.875 0 0 1 1.5 17.625v-3.026a.75.75 0 0 1 .374-.65 2.249 2.249 0 0 0 0-3.898.75.75 0 0 1-.374-.65V6.375Zm15-1.125a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-1.5 0V6a.75.75 0 0 1 .75-.75Zm.75 4.5a.75.75 0 0 0-1.5 0v.75a.75.75 0 0 0 1.5 0v-.75Zm-.75 3a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-1.5 0v-.75a.75.75 0 0 1 .75-.75Zm.75 4.5a.75.75 0 0 0-1.5 0V18a.75.75 0 0 0 1.5 0v-.75ZM6 12a.75.75 0 0 1 .75-.75H12a.75.75 0 0 1 0 1.5H6.75A.75.75 0 0 1 6 12Zm.75 2.25a.75.75 0 0 0 0 1.5h3a.75.75 0 0 0 0-1.5h-3Z","clip-rule":"evenodd"})])}function Do(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.5 4.478v.227a48.816 48.816 0 0 1 3.878.512.75.75 0 1 1-.256 1.478l-.209-.035-1.005 13.07a3 3 0 0 1-2.991 2.77H8.084a3 3 0 0 1-2.991-2.77L4.087 6.66l-.209.035a.75.75 0 0 1-.256-1.478A48.567 48.567 0 0 1 7.5 4.705v-.227c0-1.564 1.213-2.9 2.816-2.951a52.662 52.662 0 0 1 3.369 0c1.603.051 2.815 1.387 2.815 2.951Zm-6.136-1.452a51.196 51.196 0 0 1 3.273 0C14.39 3.05 15 3.684 15 4.478v.113a49.488 49.488 0 0 0-6 0v-.113c0-.794.609-1.428 1.364-1.452Zm-.355 5.945a.75.75 0 1 0-1.5.058l.347 9a.75.75 0 1 0 1.499-.058l-.346-9Zm5.48.058a.75.75 0 1 0-1.498-.058l-.347 9a.75.75 0 0 0 1.5.058l.345-9Z","clip-rule":"evenodd"})])}function Ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.166 2.621v.858c-1.035.148-2.059.33-3.071.543a.75.75 0 0 0-.584.859 6.753 6.753 0 0 0 6.138 5.6 6.73 6.73 0 0 0 2.743 1.346A6.707 6.707 0 0 1 9.279 15H8.54c-1.036 0-1.875.84-1.875 1.875V19.5h-.75a2.25 2.25 0 0 0-2.25 2.25c0 .414.336.75.75.75h15a.75.75 0 0 0 .75-.75 2.25 2.25 0 0 0-2.25-2.25h-.75v-2.625c0-1.036-.84-1.875-1.875-1.875h-.739a6.706 6.706 0 0 1-1.112-3.173 6.73 6.73 0 0 0 2.743-1.347 6.753 6.753 0 0 0 6.139-5.6.75.75 0 0 0-.585-.858 47.077 47.077 0 0 0-3.07-.543V2.62a.75.75 0 0 0-.658-.744 49.22 49.22 0 0 0-6.093-.377c-2.063 0-4.096.128-6.093.377a.75.75 0 0 0-.657.744Zm0 2.629c0 1.196.312 2.32.857 3.294A5.266 5.266 0 0 1 3.16 5.337a45.6 45.6 0 0 1 2.006-.343v.256Zm13.5 0v-.256c.674.1 1.343.214 2.006.343a5.265 5.265 0 0 1-2.863 3.207 6.72 6.72 0 0 0 .857-3.294Z","clip-rule":"evenodd"})])}function Ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.375 4.5C2.339 4.5 1.5 5.34 1.5 6.375V13.5h12V6.375c0-1.036-.84-1.875-1.875-1.875h-8.25ZM13.5 15h-12v2.625c0 1.035.84 1.875 1.875 1.875h.375a3 3 0 1 1 6 0h3a.75.75 0 0 0 .75-.75V15Z"}),(0,r.createElementVNode)("path",{d:"M8.25 19.5a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0ZM15.75 6.75a.75.75 0 0 0-.75.75v11.25c0 .087.015.17.042.248a3 3 0 0 1 5.958.464c.853-.175 1.522-.935 1.464-1.883a18.659 18.659 0 0 0-3.732-10.104 1.837 1.837 0 0 0-1.47-.725H15.75Z"}),(0,r.createElementVNode)("path",{d:"M19.5 19.5a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0Z"})])}function Po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M19.5 6h-15v9h15V6Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.375 3C2.339 3 1.5 3.84 1.5 4.875v11.25C1.5 17.16 2.34 18 3.375 18H9.75v1.5H6A.75.75 0 0 0 6 21h12a.75.75 0 0 0 0-1.5h-3.75V18h6.375c1.035 0 1.875-.84 1.875-1.875V4.875C22.5 3.839 21.66 3 20.625 3H3.375Zm0 13.5h17.25a.375.375 0 0 0 .375-.375V4.875a.375.375 0 0 0-.375-.375H3.375A.375.375 0 0 0 3 4.875v11.25c0 .207.168.375.375.375Z","clip-rule":"evenodd"})])}function jo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.995 2.994a.75.75 0 0 1 .75.75v7.5a5.25 5.25 0 1 0 10.5 0v-7.5a.75.75 0 0 1 1.5 0v7.5a6.75 6.75 0 1 1-13.5 0v-7.5a.75.75 0 0 1 .75-.75Zm-3 17.252a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5h-16.5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function Fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18.685 19.097A9.723 9.723 0 0 0 21.75 12c0-5.385-4.365-9.75-9.75-9.75S2.25 6.615 2.25 12a9.723 9.723 0 0 0 3.065 7.097A9.716 9.716 0 0 0 12 21.75a9.716 9.716 0 0 0 6.685-2.653Zm-12.54-1.285A7.486 7.486 0 0 1 12 15a7.486 7.486 0 0 1 5.855 2.812A8.224 8.224 0 0 1 12 20.25a8.224 8.224 0 0 1-5.855-2.438ZM15.75 9a3.75 3.75 0 1 1-7.5 0 3.75 3.75 0 0 1 7.5 0Z","clip-rule":"evenodd"})])}function zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.25 6.75a3.75 3.75 0 1 1 7.5 0 3.75 3.75 0 0 1-7.5 0ZM15.75 9.75a3 3 0 1 1 6 0 3 3 0 0 1-6 0ZM2.25 9.75a3 3 0 1 1 6 0 3 3 0 0 1-6 0ZM6.31 15.117A6.745 6.745 0 0 1 12 12a6.745 6.745 0 0 1 6.709 7.498.75.75 0 0 1-.372.568A12.696 12.696 0 0 1 12 21.75c-2.305 0-4.47-.612-6.337-1.684a.75.75 0 0 1-.372-.568 6.787 6.787 0 0 1 1.019-4.38Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M5.082 14.254a8.287 8.287 0 0 0-1.308 5.135 9.687 9.687 0 0 1-1.764-.44l-.115-.04a.563.563 0 0 1-.373-.487l-.01-.121a3.75 3.75 0 0 1 3.57-4.047ZM20.226 19.389a8.287 8.287 0 0 0-1.308-5.135 3.75 3.75 0 0 1 3.57 4.047l-.01.121a.563.563 0 0 1-.373.486l-.115.04c-.567.2-1.156.349-1.764.441Z"})])}function qo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.375 2.25a4.125 4.125 0 1 0 0 8.25 4.125 4.125 0 0 0 0-8.25ZM10.375 12a7.125 7.125 0 0 0-7.124 7.247.75.75 0 0 0 .363.63 13.067 13.067 0 0 0 6.761 1.873c2.472 0 4.786-.684 6.76-1.873a.75.75 0 0 0 .364-.63l.001-.12v-.002A7.125 7.125 0 0 0 10.375 12ZM16 9.75a.75.75 0 0 0 0 1.5h6a.75.75 0 0 0 0-1.5h-6Z"})])}function Uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.25 6.375a4.125 4.125 0 1 1 8.25 0 4.125 4.125 0 0 1-8.25 0ZM2.25 19.125a7.125 7.125 0 0 1 14.25 0v.003l-.001.119a.75.75 0 0 1-.363.63 13.067 13.067 0 0 1-6.761 1.873c-2.472 0-4.786-.684-6.76-1.873a.75.75 0 0 1-.364-.63l-.001-.122ZM18.75 7.5a.75.75 0 0 0-1.5 0v2.25H15a.75.75 0 0 0 0 1.5h2.25v2.25a.75.75 0 0 0 1.5 0v-2.25H21a.75.75 0 0 0 0-1.5h-2.25V7.5Z"})])}function $o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 6a4.5 4.5 0 1 1 9 0 4.5 4.5 0 0 1-9 0ZM3.751 20.105a8.25 8.25 0 0 1 16.498 0 .75.75 0 0 1-.437.695A18.683 18.683 0 0 1 12 22.5c-2.786 0-5.433-.608-7.812-1.7a.75.75 0 0 1-.437-.695Z","clip-rule":"evenodd"})])}function Wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.5 6.375a4.125 4.125 0 1 1 8.25 0 4.125 4.125 0 0 1-8.25 0ZM14.25 8.625a3.375 3.375 0 1 1 6.75 0 3.375 3.375 0 0 1-6.75 0ZM1.5 19.125a7.125 7.125 0 0 1 14.25 0v.003l-.001.119a.75.75 0 0 1-.363.63 13.067 13.067 0 0 1-6.761 1.873c-2.472 0-4.786-.684-6.76-1.873a.75.75 0 0 1-.364-.63l-.001-.122ZM17.25 19.128l-.001.144a2.25 2.25 0 0 1-.233.96 10.088 10.088 0 0 0 5.06-1.01.75.75 0 0 0 .42-.643 4.875 4.875 0 0 0-6.957-4.611 8.586 8.586 0 0 1 1.71 5.157v.003Z"})])}function Go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.253 2.292a.75.75 0 0 1 .955.461A28.123 28.123 0 0 1 21.75 12c0 3.266-.547 6.388-1.542 9.247a.75.75 0 1 1-1.416-.494c.94-2.7 1.458-5.654 1.458-8.753s-.519-6.054-1.458-8.754a.75.75 0 0 1 .461-.954Zm-14.227.013a.75.75 0 0 1 .414.976A23.183 23.183 0 0 0 3.75 12c0 3.085.6 6.027 1.69 8.718a.75.75 0 0 1-1.39.563c-1.161-2.867-1.8-6-1.8-9.281 0-3.28.639-6.414 1.8-9.281a.75.75 0 0 1 .976-.414Zm4.275 5.052a1.5 1.5 0 0 1 2.21.803l.716 2.148L13.6 8.246a2.438 2.438 0 0 1 2.978-.892l.213.09a.75.75 0 1 1-.584 1.381l-.214-.09a.937.937 0 0 0-1.145.343l-2.021 3.033 1.084 3.255 1.445-.89a.75.75 0 1 1 .786 1.278l-1.444.889a1.5 1.5 0 0 1-2.21-.803l-.716-2.148-1.374 2.062a2.437 2.437 0 0 1-2.978.892l-.213-.09a.75.75 0 0 1 .584-1.381l.214.09a.938.938 0 0 0 1.145-.344l2.021-3.032-1.084-3.255-1.445.89a.75.75 0 1 1-.786-1.278l1.444-.89Z","clip-rule":"evenodd"})])}function Ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M.97 3.97a.75.75 0 0 1 1.06 0l15 15a.75.75 0 1 1-1.06 1.06l-15-15a.75.75 0 0 1 0-1.06ZM17.25 16.06l2.69 2.69c.944.945 2.56.276 2.56-1.06V6.31c0-1.336-1.616-2.005-2.56-1.06l-2.69 2.69v8.12ZM15.75 7.5v8.068L4.682 4.5h8.068a3 3 0 0 1 3 3ZM1.5 16.5V7.682l11.773 11.773c-.17.03-.345.045-.523.045H4.5a3 3 0 0 1-3-3Z"})])}function Yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.5 4.5a3 3 0 0 0-3 3v9a3 3 0 0 0 3 3h8.25a3 3 0 0 0 3-3v-9a3 3 0 0 0-3-3H4.5ZM19.94 18.75l-2.69-2.69V7.94l2.69-2.69c.944-.945 2.56-.276 2.56 1.06v11.38c0 1.336-1.616 2.005-2.56 1.06Z"})])}function Xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M15 3.75H9v16.5h6V3.75ZM16.5 20.25h3.375c1.035 0 1.875-.84 1.875-1.875V5.625c0-1.036-.84-1.875-1.875-1.875H16.5v16.5ZM4.125 3.75H7.5v16.5H4.125a1.875 1.875 0 0 1-1.875-1.875V5.625c0-1.036.84-1.875 1.875-1.875Z"})])}function Jo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6 3a3 3 0 0 0-3 3v1.5a.75.75 0 0 0 1.5 0V6A1.5 1.5 0 0 1 6 4.5h1.5a.75.75 0 0 0 0-1.5H6ZM16.5 3a.75.75 0 0 0 0 1.5H18A1.5 1.5 0 0 1 19.5 6v1.5a.75.75 0 0 0 1.5 0V6a3 3 0 0 0-3-3h-1.5ZM12 8.25a3.75 3.75 0 1 0 0 7.5 3.75 3.75 0 0 0 0-7.5ZM4.5 16.5a.75.75 0 0 0-1.5 0V18a3 3 0 0 0 3 3h1.5a.75.75 0 0 0 0-1.5H6A1.5 1.5 0 0 1 4.5 18v-1.5ZM21 16.5a.75.75 0 0 0-1.5 0V18a1.5 1.5 0 0 1-1.5 1.5h-1.5a.75.75 0 0 0 0 1.5H18a3 3 0 0 0 3-3v-1.5Z"})])}function Qo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.273 5.625A4.483 4.483 0 0 1 5.25 4.5h13.5c1.141 0 2.183.425 2.977 1.125A3 3 0 0 0 18.75 3H5.25a3 3 0 0 0-2.977 2.625ZM2.273 8.625A4.483 4.483 0 0 1 5.25 7.5h13.5c1.141 0 2.183.425 2.977 1.125A3 3 0 0 0 18.75 6H5.25a3 3 0 0 0-2.977 2.625ZM5.25 9a3 3 0 0 0-3 3v6a3 3 0 0 0 3 3h13.5a3 3 0 0 0 3-3v-6a3 3 0 0 0-3-3H15a.75.75 0 0 0-.75.75 2.25 2.25 0 0 1-4.5 0A.75.75 0 0 0 9 9H5.25Z"})])}function ei(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.371 8.143c5.858-5.857 15.356-5.857 21.213 0a.75.75 0 0 1 0 1.061l-.53.53a.75.75 0 0 1-1.06 0c-4.98-4.979-13.053-4.979-18.032 0a.75.75 0 0 1-1.06 0l-.53-.53a.75.75 0 0 1 0-1.06Zm3.182 3.182c4.1-4.1 10.749-4.1 14.85 0a.75.75 0 0 1 0 1.061l-.53.53a.75.75 0 0 1-1.062 0 8.25 8.25 0 0 0-11.667 0 .75.75 0 0 1-1.06 0l-.53-.53a.75.75 0 0 1 0-1.06Zm3.204 3.182a6 6 0 0 1 8.486 0 .75.75 0 0 1 0 1.061l-.53.53a.75.75 0 0 1-1.061 0 3.75 3.75 0 0 0-5.304 0 .75.75 0 0 1-1.06 0l-.53-.53a.75.75 0 0 1 0-1.06Zm3.182 3.182a1.5 1.5 0 0 1 2.122 0 .75.75 0 0 1 0 1.061l-.53.53a.75.75 0 0 1-1.061 0l-.53-.53a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function ti(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 6a3 3 0 0 1 3-3h13.5a3 3 0 0 1 3 3v12a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3V6Zm18 3H3.75v9a1.5 1.5 0 0 0 1.5 1.5h13.5a1.5 1.5 0 0 0 1.5-1.5V9Zm-15-3.75A.75.75 0 0 0 4.5 6v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V6a.75.75 0 0 0-.75-.75H5.25Zm1.5.75a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H7.5a.75.75 0 0 1-.75-.75V6Zm3-.75A.75.75 0 0 0 9 6v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V6a.75.75 0 0 0-.75-.75H9.75Z","clip-rule":"evenodd"})])}function ni(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 6.75a5.25 5.25 0 0 1 6.775-5.025.75.75 0 0 1 .313 1.248l-3.32 3.319c.063.475.276.934.641 1.299.365.365.824.578 1.3.64l3.318-3.319a.75.75 0 0 1 1.248.313 5.25 5.25 0 0 1-5.472 6.756c-1.018-.086-1.87.1-2.309.634L7.344 21.3A3.298 3.298 0 1 1 2.7 16.657l8.684-7.151c.533-.44.72-1.291.634-2.309A5.342 5.342 0 0 1 12 6.75ZM4.117 19.125a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75v-.008Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"m10.076 8.64-2.201-2.2V4.874a.75.75 0 0 0-.364-.643l-3.75-2.25a.75.75 0 0 0-.916.113l-.75.75a.75.75 0 0 0-.113.916l2.25 3.75a.75.75 0 0 0 .643.364h1.564l2.062 2.062 1.575-1.297Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m12.556 17.329 4.183 4.182a3.375 3.375 0 0 0 4.773-4.773l-3.306-3.305a6.803 6.803 0 0 1-1.53.043c-.394-.034-.682-.006-.867.042a.589.589 0 0 0-.167.063l-3.086 3.748Zm3.414-1.36a.75.75 0 0 1 1.06 0l1.875 1.876a.75.75 0 1 1-1.06 1.06L15.97 17.03a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function ri(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 6.75a5.25 5.25 0 0 1 6.775-5.025.75.75 0 0 1 .313 1.248l-3.32 3.319c.063.475.276.934.641 1.299.365.365.824.578 1.3.64l3.318-3.319a.75.75 0 0 1 1.248.313 5.25 5.25 0 0 1-5.472 6.756c-1.018-.086-1.87.1-2.309.634L7.344 21.3A3.298 3.298 0 1 1 2.7 16.657l8.684-7.151c.533-.44.72-1.291.634-2.309A5.342 5.342 0 0 1 12 6.75ZM4.117 19.125a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75v-.008Z","clip-rule":"evenodd"})])}function oi(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm-1.72 6.97a.75.75 0 1 0-1.06 1.06L10.94 12l-1.72 1.72a.75.75 0 1 0 1.06 1.06L12 13.06l1.72 1.72a.75.75 0 1 0 1.06-1.06L13.06 12l1.72-1.72a.75.75 0 1 0-1.06-1.06L12 10.94l-1.72-1.72Z","clip-rule":"evenodd"})])}function ii(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.47 5.47a.75.75 0 0 1 1.06 0L12 10.94l5.47-5.47a.75.75 0 1 1 1.06 1.06L13.06 12l5.47 5.47a.75.75 0 1 1-1.06 1.06L12 13.06l-5.47 5.47a.75.75 0 0 1-1.06-1.06L10.94 12 5.47 6.53a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}},403:(e,t,n)=>{"use strict";n.d(t,{Cv:()=>ge,QB:()=>ke,S9:()=>B,TI:()=>ve,_M:()=>xe,af:()=>Y,hg:()=>be});var r=n(14744),o=n(55373),i=n(94335);function a(e,t){let n;return function(...r){clearTimeout(n),n=setTimeout((()=>e.apply(this,r)),t)}}function l(e,t){return document.dispatchEvent(new CustomEvent(`inertia:${e}`,t))}var s=e=>l("before",{cancelable:!0,detail:{visit:e}}),c=e=>l("navigate",{detail:{page:e}}),u=class{static set(e,t){typeof window<"u"&&window.sessionStorage.setItem(e,JSON.stringify(t))}static get(e){if(typeof window<"u")return JSON.parse(window.sessionStorage.getItem(e)||"null")}static merge(e,t){let n=this.get(e);null===n?this.set(e,t):this.set(e,{...n,...t})}static remove(e){typeof window<"u"&&window.sessionStorage.removeItem(e)}static removeNested(e,t){let n=this.get(e);null!==n&&(delete n[t],this.set(e,n))}static exists(e){try{return null!==this.get(e)}catch{return!1}}static clear(){typeof window<"u"&&window.sessionStorage.clear()}};u.locationVisitKey="inertiaLocationVisit";var d="historyKey",h="historyIv",p=async(e,t,n)=>{if(typeof window>"u")throw new Error("Unable to encrypt history");if(typeof window.crypto.subtle>"u")return console.warn("Encryption is not supported in this environment. SSL is required."),Promise.resolve(n);let r=new TextEncoder,o=JSON.stringify(n),i=new Uint8Array(3*o.length),a=r.encodeInto(o,i);return window.crypto.subtle.encrypt({name:"AES-GCM",iv:e},t,i.subarray(0,a.written))},f=async(e,t,n)=>{if(typeof window.crypto.subtle>"u")return console.warn("Decryption is not supported in this environment. SSL is required."),Promise.resolve(n);let r=await window.crypto.subtle.decrypt({name:"AES-GCM",iv:e},t,n);return JSON.parse((new TextDecoder).decode(r))},m=()=>{let e=u.get(h);if(e)return new Uint8Array(e);let t=window.crypto.getRandomValues(new Uint8Array(12));return u.set(h,Array.from(t)),t},v=async e=>{if(e)return e;let t=await(async()=>typeof window.crypto.subtle>"u"?(console.warn("Encryption is not supported in this environment. SSL is required."),Promise.resolve(null)):window.crypto.subtle.generateKey({name:"AES-GCM",length:256},!0,["encrypt","decrypt"]))();return t?(await(async e=>{if(typeof window.crypto.subtle>"u")return console.warn("Encryption is not supported in this environment. SSL is required."),Promise.resolve();let t=await window.crypto.subtle.exportKey("raw",e);u.set(d,Array.from(new Uint8Array(t)))})(t),t):null},g=async()=>{let e=u.get(d);return e?await window.crypto.subtle.importKey("raw",new Uint8Array(e),{name:"AES-GCM",length:256},!0,["encrypt","decrypt"]):null},w=class{static save(e){L.replaceState({...e,scrollRegions:Array.from(this.regions()).map((e=>({top:e.scrollTop,left:e.scrollLeft})))})}static regions(){return document.querySelectorAll("[scroll-region]")}static reset(e){typeof window<"u"&&window.scrollTo(0,0),this.regions().forEach((e=>{"function"==typeof e.scrollTo?e.scrollTo(0,0):(e.scrollTop=0,e.scrollLeft=0)})),this.save(e),window.location.hash&&setTimeout((()=>document.getElementById(window.location.hash.slice(1))?.scrollIntoView()))}static restore(e){e.scrollRegions&&this.regions().forEach(((t,n)=>{let r=e.scrollRegions[n];r&&("function"==typeof t.scrollTo?t.scrollTo(r.left,r.top):(t.scrollTop=r.top,t.scrollLeft=r.left))}))}static onScroll(e){let t=e.target;"function"==typeof t.hasAttribute&&t.hasAttribute("scroll-region")&&this.save(N.get())}};function y(e){return e instanceof File||e instanceof Blob||e instanceof FileList&&e.length>0||e instanceof FormData&&Array.from(e.values()).some((e=>y(e)))||"object"==typeof e&&null!==e&&Object.values(e).some((e=>y(e)))}var b=e=>e instanceof FormData;function x(e,t=new FormData,n=null){e=e||{};for(let r in e)Object.prototype.hasOwnProperty.call(e,r)&&E(t,k(n,r),e[r]);return t}function k(e,t){return e?e+"["+t+"]":t}function E(e,t,n){return Array.isArray(n)?Array.from(n.keys()).forEach((r=>E(e,k(t,r.toString()),n[r]))):n instanceof Date?e.append(t,n.toISOString()):n instanceof File?e.append(t,n,n.name):n instanceof Blob?e.append(t,n):"boolean"==typeof n?e.append(t,n?"1":"0"):"string"==typeof n?e.append(t,n):"number"==typeof n?e.append(t,`${n}`):null==n?e.append(t,""):void x(n,e,t)}function A(e){return new URL(e.toString(),typeof window>"u"?void 0:window.location.toString())}var C=(e,t,n,r,o)=>{let i="string"==typeof e?A(e):e;if((y(t)||r)&&!b(t)&&(t=x(t)),b(t))return[i,t];let[a,l]=B(n,i,t,o);return[A(a),l]};function B(e,t,n,i="brackets"){let a=/^https?:\/\//.test(t.toString()),l=a||t.toString().startsWith("/"),s=!l&&!t.toString().startsWith("#")&&!t.toString().startsWith("?"),c=t.toString().includes("?")||"get"===e&&Object.keys(n).length,u=t.toString().includes("#"),d=new URL(t.toString(),"http://localhost");return"get"===e&&Object.keys(n).length&&(d.search=o.stringify(r(o.parse(d.search,{ignoreQueryPrefix:!0}),n),{encodeValuesOnly:!0,arrayFormat:i}),n={}),[[a?`${d.protocol}//${d.host}`:"",l?d.pathname:"",s?d.pathname.substring(1):"",c?d.search:"",u?d.hash:""].join(""),n]}function M(e){return(e=new URL(e.href)).hash="",e}var _=(e,t)=>{e.hash&&!t.hash&&M(e).href===t.href&&(t.hash=e.hash)},S=(e,t)=>M(e).href===M(t).href,N=new class{constructor(){this.componentId={},this.listeners=[],this.isFirstPageLoad=!0,this.cleared=!1}init({initialPage:e,swapComponent:t,resolveComponent:n}){return this.page=e,this.swapComponent=t,this.resolveComponent=n,this}set(e,{replace:t=!1,preserveScroll:n=!1,preserveState:r=!1}={}){this.componentId={};let o=this.componentId;return e.clearHistory&&L.clear(),this.resolve(e.component).then((i=>{if(o!==this.componentId)return;e.scrollRegions??(e.scrollRegions=[]),e.rememberedState??(e.rememberedState={});let a=typeof window<"u"?window.location:new URL(e.url);return t=t||S(A(e.url),a),new Promise((n=>{t?L.replaceState(e,(()=>n(null))):L.pushState(e,(()=>n(null)))})).then((()=>{let o=!this.isTheSame(e);return this.page=e,this.cleared=!1,o&&this.fireEventsFor("newComponent"),this.isFirstPageLoad&&this.fireEventsFor("firstLoad"),this.isFirstPageLoad=!1,this.swap({component:i,page:e,preserveState:r}).then((()=>{n||w.reset(e),T.fireInternalEvent("loadDeferredProps"),t||c(e)}))}))}))}setQuietly(e,{preserveState:t=!1}={}){return this.resolve(e.component).then((n=>(this.page=e,this.cleared=!1,this.swap({component:n,page:e,preserveState:t}))))}clear(){this.cleared=!0}isCleared(){return this.cleared}get(){return this.page}merge(e){this.page={...this.page,...e}}setUrlHash(e){this.page.url+=e}remember(e){this.page.rememberedState=e}scrollRegions(e){this.page.scrollRegions=e}swap({component:e,page:t,preserveState:n}){return this.swapComponent({component:e,page:t,preserveState:n})}resolve(e){return Promise.resolve(this.resolveComponent(e))}isTheSame(e){return this.page.component===e.component}on(e,t){return this.listeners.push({event:e,callback:t}),()=>{this.listeners=this.listeners.filter((n=>n.event!==e&&n.callback!==t))}}fireEventsFor(e){this.listeners.filter((t=>t.event===e)).forEach((e=>e.callback()))}},V=typeof window>"u",L=new class{constructor(){this.rememberedState="rememberedState",this.scrollRegions="scrollRegions",this.preserveUrl=!1,this.current={},this.queue=[],this.initialState=null}remember(e,t){this.replaceState({...N.get(),rememberedState:{...N.get()?.rememberedState??{},[t]:e}})}restore(e){if(!V)return this.initialState?.[this.rememberedState]?.[e]}pushState(e,t=null){V||this.preserveUrl||(this.current=e,this.addToQueue((()=>this.getPageData(e).then((n=>{window.history.pushState({page:n,timestamp:Date.now()},"",e.url),t&&t()})))))}getPageData(e){return new Promise((t=>e.encryptHistory?(async e=>{if(typeof window>"u")throw new Error("Unable to encrypt history");let t=m(),n=await g(),r=await v(n);if(!r)throw new Error("Unable to encrypt history");return await p(t,r,e)})(e).then(t):t(e)))}processQueue(){let e=this.queue.shift();return e?e().then((()=>this.processQueue())):Promise.resolve()}decrypt(e=null){if(V)return Promise.resolve(e??N.get());let t=e??window.history.state?.page;return this.decryptPageData(t).then((e=>{if(!e)throw new Error("Unable to decrypt history");return null===this.initialState?this.initialState=e??void 0:this.current=e??{},e}))}decryptPageData(e){return e instanceof ArrayBuffer?(async e=>{let t=m(),n=await g();if(!n)throw new Error("Unable to decrypt history");return await f(t,n,e)})(e):Promise.resolve(e)}replaceState(e,t=null){N.merge(e),!V&&!this.preserveUrl&&(this.current=e,this.addToQueue((()=>this.getPageData(e).then((n=>{window.history.replaceState({page:n,timestamp:Date.now()},"",e.url),t&&t()})))))}addToQueue(e){this.queue.push(e),this.processQueue()}getState(e,t){return this.current?.[e]??t}deleteState(e){void 0!==this.current[e]&&(delete this.current[e],this.replaceState(this.current))}hasAnyState(){return!!this.getAllState()}clear(){u.remove(d),u.remove(h)}isValidState(e){return!!e.page}getAllState(){return this.current}},T=new class{constructor(){this.internalListeners=[]}init(){typeof window<"u"&&window.addEventListener("popstate",this.handlePopstateEvent.bind(this)),typeof document<"u"&&document.addEventListener("scroll",a(w.onScroll.bind(w),100),!0)}onGlobalEvent(e,t){return this.registerListener(`inertia:${e}`,(e=>{let n=t(e);e.cancelable&&!e.defaultPrevented&&!1===n&&e.preventDefault()}))}on(e,t){return this.internalListeners.push({event:e,listener:t}),()=>{this.internalListeners=this.internalListeners.filter((e=>e.listener!==t))}}onMissingHistoryItem(){N.clear(),this.fireInternalEvent("missingHistoryItem")}fireInternalEvent(e){this.internalListeners.filter((t=>t.event===e)).forEach((e=>e.listener()))}registerListener(e,t){return document.addEventListener(e,t),()=>document.removeEventListener(e,t)}handlePopstateEvent(e){let t=e.state||null;if(null===t){let e=A(N.get().url);return e.hash=window.location.hash,L.replaceState({...N.get(),url:e.href}),void w.reset(N.get())}L.isValidState(t)?L.decrypt(t.page).then((e=>{N.setQuietly(e,{preserveState:!1}).then((()=>{w.restore(N.get()),c(N.get())}))})).catch((()=>{this.onMissingHistoryItem()})):this.onMissingHistoryItem()}},I=new class{constructor(){typeof window<"u"&&window?.performance.getEntriesByType("navigation").length>0?this.type=window.performance.getEntriesByType("navigation")[0].type:this.type="navigate"}get(){return this.type}isBackForward(){return"back_forward"===this.type}isReload(){return"reload"===this.type}},Z=class{static handle(){this.clearRememberedStateOnReload(),[this.handleBackForward,this.handleLocation,this.handleDefault].find((e=>e.bind(this)()))}static clearRememberedStateOnReload(){I.isReload()&&L.deleteState(L.rememberedState)}static handleBackForward(){return!(!I.isBackForward()||!L.hasAnyState())&&(L.decrypt().then((e=>{N.set(e,{preserveScroll:!0,preserveState:!0}).then((()=>{w.restore(N.get()),c(N.get())}))})).catch((()=>{T.onMissingHistoryItem()})),!0)}static handleLocation(){if(!u.exists(u.locationVisitKey))return!1;let e=u.get(u.locationVisitKey)||{};return u.remove(u.locationVisitKey),typeof window<"u"&&N.setUrlHash(window.location.hash),L.decrypt().then((()=>{let t=L.getState(L.rememberedState,{}),n=L.getState(L.scrollRegions,[]);N.remember(t),N.scrollRegions(n),N.set(N.get(),{preserveScroll:e.preserveScroll,preserveState:!0}).then((()=>{e.preserveScroll&&w.restore(N.get()),c(N.get())}))})).catch((()=>{T.onMissingHistoryItem()})),!0}static handleDefault(){typeof window<"u"&&N.setUrlHash(window.location.hash),N.set(N.get(),{preserveState:!0}).then((()=>{c(N.get())}))}},O=class{constructor(e,t,n){this.id=null,this.throttle=!1,this.keepAlive=!1,this.cbCount=0,this.keepAlive=n.keepAlive??!1,this.cb=t,this.interval=e,(n.autoStart??1)&&this.start()}stop(){this.id&&clearInterval(this.id)}start(){typeof window>"u"||(this.stop(),this.id=window.setInterval((()=>{(!this.throttle||this.cbCount%10==0)&&this.cb(),this.throttle&&this.cbCount++}),this.interval))}isInBackground(e){this.throttle=!this.keepAlive&&e,this.throttle&&(this.cbCount=0)}},D=new class{constructor(){this.polls=[],this.setupVisibilityListener()}add(e,t,n){let r=new O(e,t,n);return this.polls.push(r),{stop:()=>r.stop(),start:()=>r.start()}}clear(){this.polls.forEach((e=>e.stop())),this.polls=[]}setupVisibilityListener(){typeof document>"u"||document.addEventListener("visibilitychange",(()=>{this.polls.forEach((e=>e.isInBackground(document.hidden)))}),!1)}},R=(e,t,n)=>{if(e===t)return!0;for(let r in e)if(!n.includes(r)&&e[r]!==t[r]&&!H(e[r],t[r]))return!1;return!0},H=(e,t)=>{switch(typeof e){case"object":return R(e,t,[]);case"function":return e.toString()===t.toString();default:return e===t}},P={ms:1,s:1e3,m:6e4,h:36e5,d:864e5},j=e=>{if("number"==typeof e)return e;for(let[t,n]of Object.entries(P))if(e.endsWith(t))return parseFloat(e)*n;return parseInt(e)},F=new class{constructor(){this.cached=[],this.inFlightRequests=[],this.removalTimers=[],this.currentUseId=null}add(e,t,{cacheFor:n}){if(this.findInFlight(e))return Promise.resolve();let r=this.findCached(e);if(!e.fresh&&r&&r.staleTimestamp>Date.now())return Promise.resolve();let[o,i]=this.extractStaleValues(n),a=new Promise(((n,r)=>{t({...e,onCancel:()=>{this.remove(e),e.onCancel(),r()},onError:t=>{this.remove(e),e.onError(t),r()},onPrefetching(t){e.onPrefetching(t)},onPrefetched(t,n){e.onPrefetched(t,n)},onPrefetchResponse(e){n(e)}})})).then((t=>(this.remove(e),this.cached.push({params:{...e},staleTimestamp:Date.now()+o,response:a,singleUse:0===n,timestamp:Date.now(),inFlight:!1}),this.scheduleForRemoval(e,i),this.inFlightRequests=this.inFlightRequests.filter((t=>!this.paramsAreEqual(t.params,e))),t.handlePrefetch(),t)));return this.inFlightRequests.push({params:{...e},response:a,staleTimestamp:null,inFlight:!0}),a}removeAll(){this.cached=[],this.removalTimers.forEach((e=>{clearTimeout(e.timer)})),this.removalTimers=[]}remove(e){this.cached=this.cached.filter((t=>!this.paramsAreEqual(t.params,e))),this.clearTimer(e)}extractStaleValues(e){let[t,n]=this.cacheForToStaleAndExpires(e);return[j(t),j(n)]}cacheForToStaleAndExpires(e){if(!Array.isArray(e))return[e,e];switch(e.length){case 0:return[0,0];case 1:return[e[0],e[0]];default:return[e[0],e[1]]}}clearTimer(e){let t=this.removalTimers.find((t=>this.paramsAreEqual(t.params,e)));t&&(clearTimeout(t.timer),this.removalTimers=this.removalTimers.filter((e=>e!==t)))}scheduleForRemoval(e,t){if(!(typeof window>"u")&&(this.clearTimer(e),t>0)){let n=window.setTimeout((()=>this.remove(e)),t);this.removalTimers.push({params:e,timer:n})}}get(e){return this.findCached(e)||this.findInFlight(e)}use(e,t){let n=`${t.url.pathname}-${Date.now()}-${Math.random().toString(36).substring(7)}`;return this.currentUseId=n,e.response.then((e=>{if(this.currentUseId===n)return e.mergeParams({...t,onPrefetched:()=>{}}),this.removeSingleUseItems(t),e.handle()}))}removeSingleUseItems(e){this.cached=this.cached.filter((t=>!this.paramsAreEqual(t.params,e)||!t.singleUse))}findCached(e){return this.cached.find((t=>this.paramsAreEqual(t.params,e)))||null}findInFlight(e){return this.inFlightRequests.find((t=>this.paramsAreEqual(t.params,e)))||null}paramsAreEqual(e,t){return R(e,t,["showProgress","replace","prefetch","onBefore","onStart","onProgress","onFinish","onCancel","onSuccess","onError","onPrefetched","onCancelToken","onPrefetching","async"])}},z=class{constructor(e){if(this.callbacks=[],e.prefetch){let t={onBefore:this.wrapCallback(e,"onBefore"),onStart:this.wrapCallback(e,"onStart"),onProgress:this.wrapCallback(e,"onProgress"),onFinish:this.wrapCallback(e,"onFinish"),onCancel:this.wrapCallback(e,"onCancel"),onSuccess:this.wrapCallback(e,"onSuccess"),onError:this.wrapCallback(e,"onError"),onCancelToken:this.wrapCallback(e,"onCancelToken"),onPrefetched:this.wrapCallback(e,"onPrefetched"),onPrefetching:this.wrapCallback(e,"onPrefetching")};this.params={...e,...t,onPrefetchResponse:e.onPrefetchResponse||(()=>{})}}else this.params=e}static create(e){return new z(e)}data(){return"get"===this.params.method?{}:this.params.data}queryParams(){return"get"===this.params.method?this.params.data:{}}isPartial(){return this.params.only.length>0||this.params.except.length>0||this.params.reset.length>0}onCancelToken(e){this.params.onCancelToken({cancel:e})}markAsFinished(){this.params.completed=!0,this.params.cancelled=!1,this.params.interrupted=!1}markAsCancelled({cancelled:e=!0,interrupted:t=!1}){this.params.onCancel(),this.params.completed=!1,this.params.cancelled=e,this.params.interrupted=t}wasCancelledAtAll(){return this.params.cancelled||this.params.interrupted}onFinish(){this.params.onFinish(this.params)}onStart(){this.params.onStart(this.params)}onPrefetching(){this.params.onPrefetching(this.params)}onPrefetchResponse(e){this.params.onPrefetchResponse&&this.params.onPrefetchResponse(e)}all(){return this.params}headers(){let e={...this.params.headers};this.isPartial()&&(e["X-Inertia-Partial-Component"]=N.get().component);let t=this.params.only.concat(this.params.reset);return t.length>0&&(e["X-Inertia-Partial-Data"]=t.join(",")),this.params.except.length>0&&(e["X-Inertia-Partial-Except"]=this.params.except.join(",")),this.params.reset.length>0&&(e["X-Inertia-Reset"]=this.params.reset.join(",")),this.params.errorBag&&this.params.errorBag.length>0&&(e["X-Inertia-Error-Bag"]=this.params.errorBag),e}setPreserveOptions(e){this.params.preserveScroll=this.resolvePreserveOption(this.params.preserveScroll,e),this.params.preserveState=this.resolvePreserveOption(this.params.preserveState,e)}runCallbacks(){this.callbacks.forEach((({name:e,args:t})=>{this.params[e](...t)}))}merge(e){this.params={...this.params,...e}}wrapCallback(e,t){return(...n)=>{this.recordCallback(t,n),e[t](...n)}}recordCallback(e,t){this.callbacks.push({name:e,args:t})}resolvePreserveOption(e,t){return"function"==typeof e?e(t):"errors"===e?Object.keys(t.props.errors||{}).length>0:e}},q={modal:null,listener:null,show(e){"object"==typeof e&&(e=`All Inertia requests must receive a valid Inertia response, however a plain JSON response was received.<hr>${JSON.stringify(e)}`);let t=document.createElement("html");t.innerHTML=e,t.querySelectorAll("a").forEach((e=>e.setAttribute("target","_top"))),this.modal=document.createElement("div"),this.modal.style.position="fixed",this.modal.style.width="100vw",this.modal.style.height="100vh",this.modal.style.padding="50px",this.modal.style.boxSizing="border-box",this.modal.style.backgroundColor="rgba(0, 0, 0, .6)",this.modal.style.zIndex=2e5,this.modal.addEventListener("click",(()=>this.hide()));let n=document.createElement("iframe");if(n.style.backgroundColor="white",n.style.borderRadius="5px",n.style.width="100%",n.style.height="100%",this.modal.appendChild(n),document.body.prepend(this.modal),document.body.style.overflow="hidden",!n.contentWindow)throw new Error("iframe not yet ready.");n.contentWindow.document.open(),n.contentWindow.document.write(t.outerHTML),n.contentWindow.document.close(),this.listener=this.hideOnEscape.bind(this),document.addEventListener("keydown",this.listener)},hide(){this.modal.outerHTML="",this.modal=null,document.body.style.overflow="visible",document.removeEventListener("keydown",this.listener)},hideOnEscape(e){27===e.keyCode&&this.hide()}},U=new class{constructor(){this.queue=[],this.processing=!1}add(e){this.queue.push(e)}async process(){return this.processing||(this.processing=!0,await this.processQueue(),this.processing=!1),Promise.resolve()}async processQueue(){let e=this.queue.shift();return e?(await e.process(),this.processQueue()):Promise.resolve()}},$=class{constructor(e,t,n){this.requestParams=e,this.response=t,this.originatingPage=n}static create(e,t,n){return new $(e,t,n)}async handlePrefetch(){S(this.requestParams.all().url,window.location)&&this.handle()}async handle(){return U.add(this),U.process()}async process(){if(this.requestParams.all().prefetch)return this.requestParams.all().prefetch=!1,this.requestParams.all().onPrefetched(this.response,this.requestParams.all()),((e,t)=>{l("prefetched",{detail:{fetchedAt:Date.now(),response:e.data,visit:t}})})(this.response,this.requestParams.all()),Promise.resolve();if(this.requestParams.runCallbacks(),!this.isInertiaResponse())return this.handleNonInertiaResponse();await L.processQueue(),L.preserveUrl=this.requestParams.all().preserveUrl,await this.setPage();let e=N.get().props.errors||{};if(Object.keys(e).length>0){let t=this.getScopedErrors(e);return l("error",{detail:{errors:t}}),this.requestParams.all().onError(t)}(e=>{l("success",{detail:{page:e}})})(N.get()),await this.requestParams.all().onSuccess(N.get()),L.preserveUrl=!1}mergeParams(e){this.requestParams.merge(e)}async handleNonInertiaResponse(){if(this.isLocationVisit()){let e=A(this.getHeader("x-inertia-location"));return _(this.requestParams.all().url,e),this.locationVisit(e)}let e={...this.response,data:this.getDataFromResponse(this.response.data)};if(l("invalid",{cancelable:!0,detail:{response:e}}))return q.show(e.data)}isInertiaResponse(){return this.hasHeader("x-inertia")}hasStatus(e){return this.response.status===e}getHeader(e){return this.response.headers[e]}hasHeader(e){return void 0!==this.getHeader(e)}isLocationVisit(){return this.hasStatus(409)&&this.hasHeader("x-inertia-location")}locationVisit(e){try{if(u.set(u.locationVisitKey,{preserveScroll:!0===this.requestParams.all().preserveScroll}),typeof window>"u")return;S(window.location,e)?window.location.reload():window.location.href=e.href}catch{return!1}}async setPage(){let e=this.getDataFromResponse(this.response.data);return this.shouldSetPage(e)?(this.mergeProps(e),await this.setRememberedState(e),this.requestParams.setPreserveOptions(e),e.url=L.preserveUrl?N.get().url:this.pageUrl(e),N.set(e,{replace:this.requestParams.all().replace,preserveScroll:this.requestParams.all().preserveScroll,preserveState:this.requestParams.all().preserveState})):Promise.resolve()}getDataFromResponse(e){if("string"!=typeof e)return e;try{return JSON.parse(e)}catch{return e}}shouldSetPage(e){if(!this.requestParams.all().async||this.originatingPage.component!==e.component)return!0;if(this.originatingPage.component!==N.get().component)return!1;let t=A(this.originatingPage.url),n=A(N.get().url);return t.origin===n.origin&&t.pathname===n.pathname}pageUrl(e){let t=A(e.url);return _(this.requestParams.all().url,t),t.href.split(t.host).pop()}mergeProps(e){this.requestParams.isPartial()&&e.component===N.get().component&&((e.mergeProps||[]).forEach((t=>{let n=e.props[t];Array.isArray(n)?e.props[t]=[...N.get().props[t]||[],...n]:"object"==typeof n&&(e.props[t]={...N.get().props[t]||[],...n})})),e.props={...N.get().props,...e.props})}async setRememberedState(e){let t=await L.getState(L.rememberedState,{});this.requestParams.all().preserveState&&t&&e.component===N.get().component&&(e.rememberedState=t)}getScopedErrors(e){return this.requestParams.all().errorBag?e[this.requestParams.all().errorBag||""]||{}:e}},W=class{constructor(e,t){this.page=t,this.requestHasFinished=!1,this.requestParams=z.create(e),this.cancelToken=new AbortController}static create(e,t){return new W(e,t)}async send(){this.requestParams.onCancelToken((()=>this.cancel({cancelled:!0}))),l("start",{detail:{visit:this.requestParams.all()}}),this.requestParams.onStart(),this.requestParams.all().prefetch&&(this.requestParams.onPrefetching(),(e=>{l("prefetching",{detail:{visit:e}})})(this.requestParams.all()));let e=this.requestParams.all().prefetch;return(0,i.A)({method:this.requestParams.all().method,url:M(this.requestParams.all().url).href,data:this.requestParams.data(),params:this.requestParams.queryParams(),signal:this.cancelToken.signal,headers:this.getHeaders(),onUploadProgress:this.onProgress.bind(this),responseType:"text"}).then((e=>(this.response=$.create(this.requestParams,e,this.page),this.response.handle()))).catch((e=>e?.response?(this.response=$.create(this.requestParams,e.response,this.page),this.response.handle()):Promise.reject(e))).catch((e=>{if(!i.A.isCancel(e)&&(e=>l("exception",{cancelable:!0,detail:{exception:e}}))(e))return Promise.reject(e)})).finally((()=>{this.finish(),e&&this.response&&this.requestParams.onPrefetchResponse(this.response)}))}finish(){this.requestParams.wasCancelledAtAll()||(this.requestParams.markAsFinished(),this.fireFinishEvents())}fireFinishEvents(){this.requestHasFinished||(this.requestHasFinished=!0,l("finish",{detail:{visit:this.requestParams.all()}}),this.requestParams.onFinish())}cancel({cancelled:e=!1,interrupted:t=!1}){this.requestHasFinished||(this.cancelToken.abort(),this.requestParams.markAsCancelled({cancelled:e,interrupted:t}),this.fireFinishEvents())}onProgress(e){this.requestParams.data()instanceof FormData&&(e.percentage=e.progress?Math.round(100*e.progress):0,l("progress",{detail:{progress:e}}),this.requestParams.all().onProgress(e))}getHeaders(){let e={...this.requestParams.headers(),Accept:"text/html, application/xhtml+xml","X-Requested-With":"XMLHttpRequest","X-Inertia":!0};return N.get().version&&(e["X-Inertia-Version"]=N.get().version),e}},G=class{constructor({maxConcurrent:e,interruptible:t}){this.requests=[],this.maxConcurrent=e,this.interruptible=t}send(e){this.requests.push(e),e.send().then((()=>{this.requests=this.requests.filter((t=>t!==e))}))}interruptInFlight(){this.cancel({interrupted:!0},!1)}cancelInFlight(){this.cancel({cancelled:!0},!0)}cancel({cancelled:e=!1,interrupted:t=!1}={},n){this.shouldCancel(n)&&this.requests.shift()?.cancel({interrupted:t,cancelled:e})}shouldCancel(e){return!!e||this.interruptible&&this.requests.length>=this.maxConcurrent}},K={buildDOMElement(e){let t=document.createElement("template");t.innerHTML=e;let n=t.content.firstChild;if(!e.startsWith("<script "))return n;let r=document.createElement("script");return r.innerHTML=n.innerHTML,n.getAttributeNames().forEach((e=>{r.setAttribute(e,n.getAttribute(e)||"")})),r},isInertiaManagedElement:e=>e.nodeType===Node.ELEMENT_NODE&&null!==e.getAttribute("inertia"),findMatchingElementIndex(e,t){let n=e.getAttribute("inertia");return null!==n?t.findIndex((e=>e.getAttribute("inertia")===n)):-1},update:a((function(e){let t=e.map((e=>this.buildDOMElement(e)));Array.from(document.head.childNodes).filter((e=>this.isInertiaManagedElement(e))).forEach((e=>{let n=this.findMatchingElementIndex(e,t);if(-1===n)return void e?.parentNode?.removeChild(e);let r=t.splice(n,1)[0];r&&!e.isEqualNode(r)&&e?.parentNode?.replaceChild(r,e)})),t.forEach((e=>document.head.appendChild(e)))}),1)};function Y(e,t,n){let r={},o=0;function i(){let e=t(""),n={...e?{title:`<title inertia="">${e}</title>`}:{}},o=Object.values(r).reduce(((e,t)=>e.concat(t)),[]).reduce(((e,n)=>{if(-1===n.indexOf("<"))return e;if(0===n.indexOf("<title ")){let r=n.match(/(<title [^>]+>)(.*?)(<\/title>)/);return e.title=r?`${r[1]}${t(r[2])}${r[3]}`:n,e}let r=n.match(/ inertia="[^"]+"/);return r?e[r[0]]=n:e[Object.keys(e).length]=n,e}),n);return Object.values(o)}function a(){e?n(i()):K.update(i())}return a(),{forceUpdate:a,createProvider:function(){let e=function(){let e=o+=1;return r[e]=[],e.toString()}();return{update:t=>function(e,t=[]){null!==e&&Object.keys(r).indexOf(e)>-1&&(r[e]=t),a()}(e,t),disconnect:()=>function(e){null===e||-1===Object.keys(r).indexOf(e)||(delete r[e],a())}(e)}}}}var X="nprogress",J={minimum:.08,easing:"linear",positionUsing:"translate3d",speed:200,trickle:!0,trickleSpeed:200,showSpinner:!0,barSelector:'[role="bar"]',spinnerSelector:'[role="spinner"]',parent:"body",color:"#29d",includeCSS:!0,template:['<div class="bar" role="bar">','<div class="peg"></div>',"</div>",'<div class="spinner" role="spinner">','<div class="spinner-icon"></div>',"</div>"].join("")},Q=null,ee=e=>{let t=te();e=ce(e,J.minimum,1),Q=1===e?null:e;let n=oe(!t),r=n.querySelector(J.barSelector),o=J.speed,i=J.easing;n.offsetWidth,de((t=>{let a="translate3d"===J.positionUsing?{transition:`all ${o}ms ${i}`,transform:`translate3d(${ue(e)}%,0,0)`}:"translate"===J.positionUsing?{transition:`all ${o}ms ${i}`,transform:`translate(${ue(e)}%,0)`}:{marginLeft:`${ue(e)}%`};for(let e in a)r.style[e]=a[e];if(1!==e)return setTimeout(t,o);n.style.transition="none",n.style.opacity="1",n.offsetWidth,setTimeout((()=>{n.style.transition=`all ${o}ms linear`,n.style.opacity="0",setTimeout((()=>{ae(),t()}),o)}),o)}))},te=()=>"number"==typeof Q,ne=()=>{Q||ee(0);let e=function(){setTimeout((function(){Q&&(re(),e())}),J.trickleSpeed)};J.trickle&&e()},re=e=>{let t=Q;return null===t?ne():t>1?void 0:(e="number"==typeof e?e:(()=>{let e={.1:[0,.2],.04:[.2,.5],.02:[.5,.8],.005:[.8,.99]};for(let n in e)if(t>=e[n][0]&&t<e[n][1])return parseFloat(n);return 0})(),ee(ce(t+e,0,.994)))},oe=e=>{if(le())return document.getElementById(X);document.documentElement.classList.add(`${X}-busy`);let t=document.createElement("div");t.id=X,t.innerHTML=J.template;let n=t.querySelector(J.barSelector),r=e?"-100":ue(Q||0),o=ie();return n.style.transition="all 0 linear",n.style.transform=`translate3d(${r}%,0,0)`,J.showSpinner||t.querySelector(J.spinnerSelector)?.remove(),o!==document.body&&o.classList.add(`${X}-custom-parent`),o.appendChild(t),t},ie=()=>se(J.parent)?J.parent:document.querySelector(J.parent),ae=()=>{document.documentElement.classList.remove(`${X}-busy`),ie().classList.remove(`${X}-custom-parent`),document.getElementById(X)?.remove()},le=()=>null!==document.getElementById(X),se=e=>"object"==typeof HTMLElement?e instanceof HTMLElement:e&&"object"==typeof e&&1===e.nodeType&&"string"==typeof e.nodeName;function ce(e,t,n){return e<t?t:e>n?n:e}var ue=e=>100*(-1+e),de=(()=>{let e=[],t=()=>{let n=e.shift();n&&n(t)};return n=>{e.push(n),1===e.length&&t()}})(),he=e=>{let t=document.createElement("style");t.textContent=`\n    #${X} {\n      pointer-events: none;\n    }\n\n    #${X} .bar {\n      background: ${e};\n\n      position: fixed;\n      z-index: 1031;\n      top: 0;\n      left: 0;\n\n      width: 100%;\n      height: 2px;\n    }\n\n    #${X} .peg {\n      display: block;\n      position: absolute;\n      right: 0px;\n      width: 100px;\n      height: 100%;\n      box-shadow: 0 0 10px ${e}, 0 0 5px ${e};\n      opacity: 1.0;\n\n      transform: rotate(3deg) translate(0px, -4px);\n    }\n\n    #${X} .spinner {\n      display: block;\n      position: fixed;\n      z-index: 1031;\n      top: 15px;\n      right: 15px;\n    }\n\n    #${X} .spinner-icon {\n      width: 18px;\n      height: 18px;\n      box-sizing: border-box;\n\n      border: solid 2px transparent;\n      border-top-color: ${e};\n      border-left-color: ${e};\n      border-radius: 50%;\n\n      animation: ${X}-spinner 400ms linear infinite;\n    }\n\n    .${X}-custom-parent {\n      overflow: hidden;\n      position: relative;\n    }\n\n    .${X}-custom-parent #${X} .spinner,\n    .${X}-custom-parent #${X} .bar {\n      position: absolute;\n    }\n\n    @keyframes ${X}-spinner {\n      0%   { transform: rotate(0deg); }\n      100% { transform: rotate(360deg); }\n    }\n  `,document.head.appendChild(t)},pe=(()=>{if(typeof document>"u")return null;let e=document.createElement("style");return e.innerHTML=`#${X} { display: none; }`,e})(),fe={configure:e=>{Object.assign(J,e),J.includeCSS&&he(J.color)},isStarted:te,done:e=>{!e&&!Q||(re(.3+.5*Math.random()),ee(1))},set:ee,remove:ae,start:ne,status:Q,show:()=>{if(pe&&document.head.contains(pe))return document.head.removeChild(pe)},hide:()=>{pe&&!document.head.contains(pe)&&document.head.appendChild(pe)}},me=0,ve=(e=!1)=>{me=Math.max(0,me-1),(e||0===me)&&fe.show()},ge=()=>{me++,fe.hide()};function we(e){document.addEventListener("inertia:start",(t=>function(e,t){e.detail.visit.showProgress||ge();let n=setTimeout((()=>fe.start()),t);document.addEventListener("inertia:finish",(e=>function(e,t){clearTimeout(t),fe.isStarted()&&(e.detail.visit.completed?fe.done():e.detail.visit.interrupted?fe.set(0):e.detail.visit.cancelled&&(fe.done(),fe.remove()))}(e,n)),{once:!0})}(t,e))),document.addEventListener("inertia:progress",ye)}function ye(e){fe.isStarted()&&e.detail.progress?.percentage&&fe.set(Math.max(fe.status,e.detail.progress.percentage/100*.9))}function be({delay:e=250,color:t="#29d",includeCSS:n=!0,showSpinner:r=!1}={}){we(e),fe.configure({showSpinner:r,includeCSS:n,color:t})}function xe(e){let t="a"===e.currentTarget.tagName.toLowerCase();return!(e.target&&(e?.target).isContentEditable||e.defaultPrevented||t&&e.which>1||t&&e.altKey||t&&e.ctrlKey||t&&e.metaKey||t&&e.shiftKey||t&&"button"in e&&0!==e.button)}var ke=new class{constructor(){this.syncRequestStream=new G({maxConcurrent:1,interruptible:!0}),this.asyncRequestStream=new G({maxConcurrent:1/0,interruptible:!1})}init({initialPage:e,resolveComponent:t,swapComponent:n}){N.init({initialPage:e,resolveComponent:t,swapComponent:n}),Z.handle(),T.init(),T.on("missingHistoryItem",(()=>{typeof window<"u"&&this.visit(window.location.href,{preserveState:!0,preserveScroll:!0,replace:!0})})),T.on("loadDeferredProps",(()=>{this.loadDeferredProps()}))}get(e,t={},n={}){return this.visit(e,{...n,method:"get",data:t})}post(e,t={},n={}){return this.visit(e,{preserveState:!0,...n,method:"post",data:t})}put(e,t={},n={}){return this.visit(e,{preserveState:!0,...n,method:"put",data:t})}patch(e,t={},n={}){return this.visit(e,{preserveState:!0,...n,method:"patch",data:t})}delete(e,t={}){return this.visit(e,{preserveState:!0,...t,method:"delete"})}reload(e={}){if(!(typeof window>"u"))return this.visit(window.location.href,{...e,preserveScroll:!0,preserveState:!0,async:!0,headers:{...e.headers||{},"Cache-Control":"no-cache"}})}remember(e,t="default"){L.remember(e,t)}restore(e="default"){return L.restore(e)}on(e,t){return T.onGlobalEvent(e,t)}cancel(){this.syncRequestStream.cancelInFlight()}cancelAll(){this.asyncRequestStream.cancelInFlight(),this.syncRequestStream.cancelInFlight()}poll(e,t={},n={}){return D.add(e,(()=>this.reload(t)),{autoStart:n.autoStart??!0,keepAlive:n.keepAlive??!1})}visit(e,t={}){let n=this.getPendingVisit(e,{...t,showProgress:t.showProgress??!t.async}),r=this.getVisitEvents(t);if(!1===r.onBefore(n)||!s(n))return;let o=n.async?this.asyncRequestStream:this.syncRequestStream;o.interruptInFlight(),!N.isCleared()&&!n.preserveUrl&&w.save(N.get());let i={...n,...r},a=F.get(i);a?(ve(a.inFlight),F.use(a,i)):(ve(!0),o.send(W.create(i,N.get())))}getCached(e,t={}){return F.findCached(this.getPrefetchParams(e,t))}flush(e,t={}){F.remove(this.getPrefetchParams(e,t))}flushAll(){F.removeAll()}getPrefetching(e,t={}){return F.findInFlight(this.getPrefetchParams(e,t))}prefetch(e,t={},{cacheFor:n}){if("get"!==t.method)throw new Error("Prefetch requests must use the GET method");let r=this.getPendingVisit(e,{...t,async:!0,showProgress:!1,prefetch:!0});if(r.url.origin+r.url.pathname+r.url.search===window.location.origin+window.location.pathname+window.location.search)return;let o=this.getVisitEvents(t);if(!1===o.onBefore(r)||!s(r))return;ge(),this.asyncRequestStream.interruptInFlight();let i={...r,...o};new Promise((e=>{let t=()=>{N.get()?e():setTimeout(t,50)};t()})).then((()=>{F.add(i,(e=>{this.asyncRequestStream.send(W.create(e,N.get()))}),{cacheFor:n})}))}clearHistory(){L.clear()}decryptHistory(){return L.decrypt()}replace(e){this.clientVisit(e,{replace:!0})}push(e){this.clientVisit(e)}clientVisit(e,{replace:t=!1}={}){let n=N.get(),r="function"==typeof e.props?e.props(n.props):e.props??n.props;N.set({...n,...e,props:r},{replace:t,preserveScroll:e.preserveScroll,preserveState:e.preserveState})}getPrefetchParams(e,t){return{...this.getPendingVisit(e,{...t,async:!0,showProgress:!1,prefetch:!0}),...this.getVisitEvents(t)}}getPendingVisit(e,t,n={}){let r={method:"get",data:{},replace:!1,preserveScroll:!1,preserveState:!1,only:[],except:[],headers:{},errorBag:"",forceFormData:!1,queryStringArrayFormat:"brackets",async:!1,showProgress:!0,fresh:!1,reset:[],preserveUrl:!1,prefetch:!1,...t},[o,i]=C(e,r.data,r.method,r.forceFormData,r.queryStringArrayFormat);return{cancelled:!1,completed:!1,interrupted:!1,...r,...n,url:o,data:i}}getVisitEvents(e){return{onCancelToken:e.onCancelToken||(()=>{}),onBefore:e.onBefore||(()=>{}),onStart:e.onStart||(()=>{}),onProgress:e.onProgress||(()=>{}),onFinish:e.onFinish||(()=>{}),onCancel:e.onCancel||(()=>{}),onSuccess:e.onSuccess||(()=>{}),onError:e.onError||(()=>{}),onPrefetched:e.onPrefetched||(()=>{}),onPrefetching:e.onPrefetching||(()=>{})}}loadDeferredProps(){let e=N.get()?.deferredProps;e&&Object.entries(e).forEach((([e,t])=>{this.reload({only:t})}))}}},59977:(e,t,n)=>{"use strict";n.d(t,{N5:()=>v,N_:()=>y,QB:()=>r.QB,p3:()=>w,sj:()=>g});var r=n(403),o=n(29726),i=n(67193),a=n(8142),l={created(){if(!this.$options.remember)return;Array.isArray(this.$options.remember)&&(this.$options.remember={data:this.$options.remember}),"string"==typeof this.$options.remember&&(this.$options.remember={data:[this.$options.remember]}),"string"==typeof this.$options.remember.data&&(this.$options.remember={data:[this.$options.remember.data]});let e=this.$options.remember.key instanceof Function?this.$options.remember.key.call(this):this.$options.remember.key,t=r.QB.restore(e),n=this.$options.remember.data.filter((e=>!(null!==this[e]&&"object"==typeof this[e]&&!1===this[e].__rememberable))),o=e=>null!==this[e]&&"object"==typeof this[e]&&"function"==typeof this[e].__remember&&"function"==typeof this[e].__restore;n.forEach((a=>{void 0!==this[a]&&void 0!==t&&void 0!==t[a]&&(o(a)?this[a].__restore(t[a]):this[a]=t[a]),this.$watch(a,(()=>{r.QB.remember(n.reduce(((e,t)=>({...e,[t]:i(o(t)?this[t].__remember():this[t])})),{}),e)}),{immediate:!0,deep:!0})}))}};function s(e,t){let n="string"==typeof e?e:null,l="string"==typeof e?t:e,s=n?r.QB.restore(n):null,c=i("object"==typeof l?l:l()),u=null,d=null,h=e=>e,p=(0,o.reactive)({...s?s.data:i(c),isDirty:!1,errors:s?s.errors:{},hasErrors:!1,processing:!1,progress:null,wasSuccessful:!1,recentlySuccessful:!1,data(){return Object.keys(c).reduce(((e,t)=>(e[t]=this[t],e)),{})},transform(e){return h=e,this},defaults(e,t){if("function"==typeof l)throw new Error("You cannot call `defaults()` when using a function to define your form data.");return c=typeof e>"u"?this.data():Object.assign({},i(c),"string"==typeof e?{[e]:t}:e),this},reset(...e){let t=i("object"==typeof l?c:l()),n=i(t);return 0===e.length?(c=n,Object.assign(this,t)):Object.keys(t).filter((t=>e.includes(t))).forEach((e=>{c[e]=n[e],this[e]=t[e]})),this},setError(e,t){return Object.assign(this.errors,"string"==typeof e?{[e]:t}:e),this.hasErrors=Object.keys(this.errors).length>0,this},clearErrors(...e){return this.errors=Object.keys(this.errors).reduce(((t,n)=>({...t,...e.length>0&&!e.includes(n)?{[n]:this.errors[n]}:{}})),{}),this.hasErrors=Object.keys(this.errors).length>0,this},submit(e,t,n={}){let o=h(this.data()),a={...n,onCancelToken:e=>{if(u=e,n.onCancelToken)return n.onCancelToken(e)},onBefore:e=>{if(this.wasSuccessful=!1,this.recentlySuccessful=!1,clearTimeout(d),n.onBefore)return n.onBefore(e)},onStart:e=>{if(this.processing=!0,n.onStart)return n.onStart(e)},onProgress:e=>{if(this.progress=e,n.onProgress)return n.onProgress(e)},onSuccess:async e=>{this.processing=!1,this.progress=null,this.clearErrors(),this.wasSuccessful=!0,this.recentlySuccessful=!0,d=setTimeout((()=>this.recentlySuccessful=!1),2e3);let t=n.onSuccess?await n.onSuccess(e):null;return c=i(this.data()),this.isDirty=!1,t},onError:e=>{if(this.processing=!1,this.progress=null,this.clearErrors().setError(e),n.onError)return n.onError(e)},onCancel:()=>{if(this.processing=!1,this.progress=null,n.onCancel)return n.onCancel()},onFinish:e=>{if(this.processing=!1,this.progress=null,u=null,n.onFinish)return n.onFinish(e)}};"delete"===e?r.QB.delete(t,{...a,data:o}):r.QB[e](t,o,a)},get(e,t){this.submit("get",e,t)},post(e,t){this.submit("post",e,t)},put(e,t){this.submit("put",e,t)},patch(e,t){this.submit("patch",e,t)},delete(e,t){this.submit("delete",e,t)},cancel(){u&&u.cancel()},__rememberable:null===n,__remember(){return{data:this.data(),errors:this.errors}},__restore(e){Object.assign(this,e.data),this.setError(e.errors)}});return(0,o.watch)(p,(e=>{p.isDirty=!a(p.data(),c),n&&r.QB.remember(i(e.__remember()),n)}),{immediate:!0,deep:!0}),p}var c=(0,o.ref)(null),u=(0,o.ref)(null),d=(0,o.shallowRef)(null),h=(0,o.ref)(null),p=null,f=(0,o.defineComponent)({name:"Inertia",props:{initialPage:{type:Object,required:!0},initialComponent:{type:Object,required:!1},resolveComponent:{type:Function,required:!1},titleCallback:{type:Function,required:!1,default:e=>e},onHeadUpdate:{type:Function,required:!1,default:()=>()=>{}}},setup({initialPage:e,initialComponent:t,resolveComponent:n,titleCallback:i,onHeadUpdate:a}){c.value=t?(0,o.markRaw)(t):null,u.value=e,h.value=null;let l=typeof window>"u";return p=(0,r.af)(l,i,a),l||(r.QB.init({initialPage:e,resolveComponent:n,swapComponent:async e=>{c.value=(0,o.markRaw)(e.component),u.value=e.page,h.value=e.preserveState?h.value:Date.now()}}),r.QB.on("navigate",(()=>p.forceUpdate()))),()=>{if(c.value){c.value.inheritAttrs=!!c.value.inheritAttrs;let e=(0,o.h)(c.value,{...u.value.props,key:h.value});return d.value&&(c.value.layout=d.value,d.value=null),c.value.layout?"function"==typeof c.value.layout?c.value.layout(o.h,e):(Array.isArray(c.value.layout)?c.value.layout:[c.value.layout]).concat(e).reverse().reduce(((e,t)=>(t.inheritAttrs=!!t.inheritAttrs,(0,o.h)(t,{...u.value.props},(()=>e))))):e}}}}),m={install(e){r.QB.form=s,Object.defineProperty(e.config.globalProperties,"$inertia",{get:()=>r.QB}),Object.defineProperty(e.config.globalProperties,"$page",{get:()=>u.value}),Object.defineProperty(e.config.globalProperties,"$headManager",{get:()=>p}),e.mixin(l)}};function v(){return(0,o.reactive)({props:(0,o.computed)((()=>u.value?.props)),url:(0,o.computed)((()=>u.value?.url)),component:(0,o.computed)((()=>u.value?.component)),version:(0,o.computed)((()=>u.value?.version)),clearHistory:(0,o.computed)((()=>u.value?.clearHistory)),deferredProps:(0,o.computed)((()=>u.value?.deferredProps)),mergeProps:(0,o.computed)((()=>u.value?.mergeProps)),scrollRegions:(0,o.computed)((()=>u.value?.scrollRegions)),rememberedState:(0,o.computed)((()=>u.value?.rememberedState)),encryptHistory:(0,o.computed)((()=>u.value?.encryptHistory))})}async function g({id:e="app",resolve:t,setup:n,title:i,progress:a={},page:l,render:s}){let c=typeof window>"u",u=c?null:document.getElementById(e),d=l||JSON.parse(u.dataset.page),h=e=>Promise.resolve(t(e)).then((e=>e.default||e)),p=[],v=await Promise.all([h(d.component),r.QB.decryptHistory().catch((()=>{}))]).then((([e])=>n({el:u,App:f,props:{initialPage:d,initialComponent:e,resolveComponent:h,titleCallback:i,onHeadUpdate:c?e=>p=e:null},plugin:m})));if(!c&&a&&(0,r.hg)(a),c){let t=await s((0,o.createSSRApp)({render:()=>(0,o.h)("div",{id:e,"data-page":JSON.stringify(d),innerHTML:v?s(v):""})}));return{head:p,body:t}}}(0,o.defineComponent)({name:"Deferred",props:{data:{type:[String,Array],required:!0}},render(){let e=Array.isArray(this.$props.data)?this.$props.data:[this.$props.data];if(!this.$slots.fallback)throw new Error("`<Deferred>` requires a `<template #fallback>` slot");return e.every((e=>void 0!==this.$page.props[e]))?this.$slots.default():this.$slots.fallback()}});var w=(0,o.defineComponent)({props:{title:{type:String,required:!1}},data(){return{provider:this.$headManager.createProvider()}},beforeUnmount(){this.provider.disconnect()},methods:{isUnaryTag:e=>["area","base","br","col","embed","hr","img","input","keygen","link","meta","param","source","track","wbr"].indexOf(e.type)>-1,renderTagStart(e){e.props=e.props||{},e.props.inertia=void 0!==e.props["head-key"]?e.props["head-key"]:"";let t=Object.keys(e.props).reduce(((t,n)=>{let r=e.props[n];return["key","head-key"].includes(n)?t:""===r?t+` ${n}`:t+` ${n}="${r}"`}),"");return`<${e.type}${t}>`},renderTagChildren(e){return"string"==typeof e.children?e.children:e.children.reduce(((e,t)=>e+this.renderTag(t)),"")},isFunctionNode:e=>"function"==typeof e.type,isComponentNode:e=>"object"==typeof e.type,isCommentNode:e=>/(comment|cmt)/i.test(e.type.toString()),isFragmentNode:e=>/(fragment|fgt|symbol\(\))/i.test(e.type.toString()),isTextNode:e=>/(text|txt)/i.test(e.type.toString()),renderTag(e){if(this.isTextNode(e))return e.children;if(this.isFragmentNode(e))return"";if(this.isCommentNode(e))return"";let t=this.renderTagStart(e);return e.children&&(t+=this.renderTagChildren(e)),this.isUnaryTag(e)||(t+=`</${e.type}>`),t},addTitleElement(e){return this.title&&!e.find((e=>e.startsWith("<title")))&&e.push(`<title inertia>${this.title}</title>`),e},renderNodes(e){return this.addTitleElement(e.flatMap((e=>this.resolveNode(e))).map((e=>this.renderTag(e))).filter((e=>e)))},resolveNode(e){return this.isFunctionNode(e)?this.resolveNode(e.type()):this.isComponentNode(e)?(console.warn("Using components in the <Head> component is not supported."),[]):this.isTextNode(e)&&e.children?e:this.isFragmentNode(e)&&e.children?e.children.flatMap((e=>this.resolveNode(e))):this.isCommentNode(e)?[]:e}},render(){this.provider.update(this.renderNodes(this.$slots.default?this.$slots.default():[]))}}),y=(0,o.defineComponent)({name:"Link",props:{as:{type:String,default:"a"},data:{type:Object,default:()=>({})},href:{type:String,required:!0},method:{type:String,default:"get"},replace:{type:Boolean,default:!1},preserveScroll:{type:Boolean,default:!1},preserveState:{type:Boolean,default:null},only:{type:Array,default:()=>[]},except:{type:Array,default:()=>[]},headers:{type:Object,default:()=>({})},queryStringArrayFormat:{type:String,default:"brackets"},async:{type:Boolean,default:!1},prefetch:{type:[Boolean,String,Array],default:!1},cacheFor:{type:[Number,String,Array],default:0},onStart:{type:Function,default:e=>{}},onProgress:{type:Function,default:()=>{}},onFinish:{type:Function,default:()=>{}},onBefore:{type:Function,default:()=>{}},onCancel:{type:Function,default:()=>{}},onSuccess:{type:Function,default:()=>{}},onError:{type:Function,default:()=>{}},onCancelToken:{type:Function,default:()=>{}}},setup(e,{slots:t,attrs:n}){let i=(0,o.ref)(0),a=(0,o.ref)(null),l=!0===e.prefetch?["hover"]:!1===e.prefetch?[]:Array.isArray(e.prefetch)?e.prefetch:[e.prefetch],s=0!==e.cacheFor?e.cacheFor:1===l.length&&"click"===l[0]?0:3e4;(0,o.onMounted)((()=>{l.includes("mount")&&g()})),(0,o.onUnmounted)((()=>{clearTimeout(a.value)}));let c=e.method.toLowerCase(),u="get"!==c?"button":e.as.toLowerCase(),d=(0,o.computed)((()=>(0,r.S9)(c,e.href||"",e.data,e.queryStringArrayFormat))),h=(0,o.computed)((()=>d.value[0])),p=(0,o.computed)((()=>d.value[1])),f=(0,o.computed)((()=>({a:{href:h.value},button:{type:"button"}}))),m={data:p.value,method:c,replace:e.replace,preserveScroll:e.preserveScroll,preserveState:e.preserveState??"get"!==c,only:e.only,except:e.except,headers:e.headers,async:e.async},v={...m,onCancelToken:e.onCancelToken,onBefore:e.onBefore,onStart:t=>{i.value++,e.onStart(t)},onProgress:e.onProgress,onFinish:t=>{i.value--,e.onFinish(t)},onCancel:e.onCancel,onSuccess:e.onSuccess,onError:e.onError},g=()=>{r.QB.prefetch(h.value,m,{cacheFor:s})},w={onClick:e=>{(0,r._M)(e)&&(e.preventDefault(),r.QB.visit(h.value,v))}},y={onMouseenter:()=>{a.value=setTimeout((()=>{g()}),75)},onMouseleave:()=>{clearTimeout(a.value)},onClick:w.onClick},b={onMousedown:e=>{(0,r._M)(e)&&(e.preventDefault(),g())},onMouseup:e=>{e.preventDefault(),r.QB.visit(h.value,v)},onClick:e=>{(0,r._M)(e)&&e.preventDefault()}};return()=>(0,o.h)(u,{...n,...f.value[u]||{},"data-loading":i.value>0?"":void 0,...l.includes("hover")?y:l.includes("click")?b:w},t)}});(0,o.defineComponent)({name:"WhenVisible",props:{data:{type:[String,Array]},params:{type:Object},buffer:{type:Number,default:0},as:{type:String,default:"div"},always:{type:Boolean,default:!1}},data:()=>({loaded:!1,fetching:!1,observer:null}),unmounted(){this.observer?.disconnect()},mounted(){this.observer=new IntersectionObserver((e=>{if(!e[0].isIntersecting||(this.$props.always||this.observer.disconnect(),this.fetching))return;this.fetching=!0;let t=this.getReloadParams();r.QB.reload({...t,onStart:e=>{this.fetching=!0,t.onStart?.(e)},onFinish:e=>{this.loaded=!0,this.fetching=!1,t.onFinish?.(e)}})}),{rootMargin:`${this.$props.buffer}px`}),this.observer.observe(this.$el.nextSibling)},methods:{getReloadParams(){if(this.$props.data)return{only:Array.isArray(this.$props.data)?this.$props.data:[this.$props.data]};if(!this.$props.params)throw new Error("You must provide either a `data` or `params` prop.");return this.$props.params}},render(){let e=[];return(this.$props.always||!this.loaded)&&e.push((0,o.h)(this.$props.as)),this.loaded?this.$slots.default&&e.push(this.$slots.default()):e.push(this.$slots.fallback?this.$slots.fallback():null),e}})},96433:(e,t,n)=>{"use strict";n.d(t,{F4c:()=>i,MLh:()=>l});var r=n(52307),o=n(29726);function i(e){var t;const n=(0,r.BA)(e);return null!=(t=null==n?void 0:n.$el)?t:n}const a=r.oc?window:void 0;r.oc&&window.document,r.oc&&window.navigator,r.oc&&window.location;function l(...e){let t,n,l,s;if("string"==typeof e[0]||Array.isArray(e[0])?([n,l,s]=e,t=a):[t,n,l,s]=e,!t)return r.lQ;Array.isArray(n)||(n=[n]),Array.isArray(l)||(l=[l]);const c=[],u=()=>{c.forEach((e=>e())),c.length=0},d=(0,o.watch)((()=>[i(t),(0,r.BA)(s)]),(([e,t])=>{if(u(),!e)return;const o=(0,r.Gv)(t)?{...t}:t;c.push(...n.flatMap((t=>l.map((n=>((e,t,n,r)=>(e.addEventListener(t,n,r),()=>e.removeEventListener(t,n,r)))(e,t,n,o))))))}),{immediate:!0,flush:"post"}),h=()=>{d(),u()};return(0,r.Uo)(h),h}"undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:"undefined"!=typeof global?global:"undefined"!=typeof self&&self;Number.POSITIVE_INFINITY;const s={easeInSine:[.12,0,.39,0],easeOutSine:[.61,1,.88,1],easeInOutSine:[.37,0,.63,1],easeInQuad:[.11,0,.5,0],easeOutQuad:[.5,1,.89,1],easeInOutQuad:[.45,0,.55,1],easeInCubic:[.32,0,.67,0],easeOutCubic:[.33,1,.68,1],easeInOutCubic:[.65,0,.35,1],easeInQuart:[.5,0,.75,0],easeOutQuart:[.25,1,.5,1],easeInOutQuart:[.76,0,.24,1],easeInQuint:[.64,0,.78,0],easeOutQuint:[.22,1,.36,1],easeInOutQuint:[.83,0,.17,1],easeInExpo:[.7,0,.84,0],easeOutExpo:[.16,1,.3,1],easeInOutExpo:[.87,0,.13,1],easeInCirc:[.55,0,1,.45],easeOutCirc:[0,.55,.45,1],easeInOutCirc:[.85,0,.15,1],easeInBack:[.36,0,.66,-.56],easeOutBack:[.34,1.56,.64,1],easeInOutBack:[.68,-.6,.32,1.6]};r.D_},5620:(e,t,n)=>{"use strict";n.d(t,{r:()=>z});var r=n(96433),o=n(52307),i=n(29726);var a=["input:not([inert])","select:not([inert])","textarea:not([inert])","a[href]:not([inert])","button:not([inert])","[tabindex]:not(slot):not([inert])","audio[controls]:not([inert])","video[controls]:not([inert])",'[contenteditable]:not([contenteditable="false"]):not([inert])',"details>summary:first-of-type:not([inert])","details:not([inert])"],l=a.join(","),s="undefined"==typeof Element,c=s?function(){}:Element.prototype.matches||Element.prototype.msMatchesSelector||Element.prototype.webkitMatchesSelector,u=!s&&Element.prototype.getRootNode?function(e){var t;return null==e||null===(t=e.getRootNode)||void 0===t?void 0:t.call(e)}:function(e){return null==e?void 0:e.ownerDocument},d=function e(t,n){var r;void 0===n&&(n=!0);var o=null==t||null===(r=t.getAttribute)||void 0===r?void 0:r.call(t,"inert");return""===o||"true"===o||n&&t&&e(t.parentNode)},h=function(e,t,n){if(d(e))return[];var r=Array.prototype.slice.apply(e.querySelectorAll(l));return t&&c.call(e,l)&&r.unshift(e),r=r.filter(n)},p=function e(t,n,r){for(var o=[],i=Array.from(t);i.length;){var a=i.shift();if(!d(a,!1))if("SLOT"===a.tagName){var s=a.assignedElements(),u=e(s.length?s:a.children,!0,r);r.flatten?o.push.apply(o,u):o.push({scopeParent:a,candidates:u})}else{c.call(a,l)&&r.filter(a)&&(n||!t.includes(a))&&o.push(a);var h=a.shadowRoot||"function"==typeof r.getShadowRoot&&r.getShadowRoot(a),p=!d(h,!1)&&(!r.shadowRootFilter||r.shadowRootFilter(a));if(h&&p){var f=e(!0===h?a.children:h.children,!0,r);r.flatten?o.push.apply(o,f):o.push({scopeParent:a,candidates:f})}else i.unshift.apply(i,a.children)}}return o},f=function(e){return!isNaN(parseInt(e.getAttribute("tabindex"),10))},m=function(e){if(!e)throw new Error("No node provided");return e.tabIndex<0&&(/^(AUDIO|VIDEO|DETAILS)$/.test(e.tagName)||function(e){var t,n=null==e||null===(t=e.getAttribute)||void 0===t?void 0:t.call(e,"contenteditable");return""===n||"true"===n}(e))&&!f(e)?0:e.tabIndex},v=function(e,t){return e.tabIndex===t.tabIndex?e.documentOrder-t.documentOrder:e.tabIndex-t.tabIndex},g=function(e){return"INPUT"===e.tagName},w=function(e){return function(e){return g(e)&&"radio"===e.type}(e)&&!function(e){if(!e.name)return!0;var t,n=e.form||u(e),r=function(e){return n.querySelectorAll('input[type="radio"][name="'+e+'"]')};if("undefined"!=typeof window&&void 0!==window.CSS&&"function"==typeof window.CSS.escape)t=r(window.CSS.escape(e.name));else try{t=r(e.name)}catch(e){return console.error("Looks like you have a radio button with a name attribute containing invalid CSS selector characters and need the CSS.escape polyfill: %s",e.message),!1}var o=function(e,t){for(var n=0;n<e.length;n++)if(e[n].checked&&e[n].form===t)return e[n]}(t,e.form);return!o||o===e}(e)},y=function(e){var t=e.getBoundingClientRect(),n=t.width,r=t.height;return 0===n&&0===r},b=function(e,t){var n=t.displayCheck,r=t.getShadowRoot;if("hidden"===getComputedStyle(e).visibility)return!0;var o=c.call(e,"details>summary:first-of-type")?e.parentElement:e;if(c.call(o,"details:not([open]) *"))return!0;if(n&&"full"!==n&&"legacy-full"!==n){if("non-zero-area"===n)return y(e)}else{if("function"==typeof r){for(var i=e;e;){var a=e.parentElement,l=u(e);if(a&&!a.shadowRoot&&!0===r(a))return y(e);e=e.assignedSlot?e.assignedSlot:a||l===e.ownerDocument?a:l.host}e=i}if(function(e){var t,n,r,o,i=e&&u(e),a=null===(t=i)||void 0===t?void 0:t.host,l=!1;if(i&&i!==e)for(l=!!(null!==(n=a)&&void 0!==n&&null!==(r=n.ownerDocument)&&void 0!==r&&r.contains(a)||null!=e&&null!==(o=e.ownerDocument)&&void 0!==o&&o.contains(e));!l&&a;){var s,c,d;l=!(null===(c=a=null===(s=i=u(a))||void 0===s?void 0:s.host)||void 0===c||null===(d=c.ownerDocument)||void 0===d||!d.contains(a))}return l}(e))return!e.getClientRects().length;if("legacy-full"!==n)return!0}return!1},x=function(e,t){return!(t.disabled||d(t)||function(e){return g(e)&&"hidden"===e.type}(t)||b(t,e)||function(e){return"DETAILS"===e.tagName&&Array.prototype.slice.apply(e.children).some((function(e){return"SUMMARY"===e.tagName}))}(t)||function(e){if(/^(INPUT|BUTTON|SELECT|TEXTAREA)$/.test(e.tagName))for(var t=e.parentElement;t;){if("FIELDSET"===t.tagName&&t.disabled){for(var n=0;n<t.children.length;n++){var r=t.children.item(n);if("LEGEND"===r.tagName)return!!c.call(t,"fieldset[disabled] *")||!r.contains(e)}return!0}t=t.parentElement}return!1}(t))},k=function(e,t){return!(w(t)||m(t)<0||!x(e,t))},E=function(e){var t=parseInt(e.getAttribute("tabindex"),10);return!!(isNaN(t)||t>=0)},A=function e(t){var n=[],r=[];return t.forEach((function(t,o){var i=!!t.scopeParent,a=i?t.scopeParent:t,l=function(e,t){var n=m(e);return n<0&&t&&!f(e)?0:n}(a,i),s=i?e(t.candidates):a;0===l?i?n.push.apply(n,s):n.push(a):r.push({documentOrder:o,tabIndex:l,item:t,isScope:i,content:s})})),r.sort(v).reduce((function(e,t){return t.isScope?e.push.apply(e,t.content):e.push(t.content),e}),[]).concat(n)},C=function(e,t){if(t=t||{},!e)throw new Error("No node provided");return!1!==c.call(e,l)&&k(t,e)},B=a.concat("iframe").join(","),M=function(e,t){if(t=t||{},!e)throw new Error("No node provided");return!1!==c.call(e,B)&&x(t,e)};function _(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=Array(t);n<t;n++)r[n]=e[n];return r}function S(e,t,n){return(t=function(e){var t=function(e,t){if("object"!=typeof e||!e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!=typeof r)return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function N(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function V(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?N(Object(n),!0).forEach((function(t){S(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):N(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function L(e){return function(e){if(Array.isArray(e))return _(e)}(e)||function(e){if("undefined"!=typeof Symbol&&null!=e[Symbol.iterator]||null!=e["@@iterator"])return Array.from(e)}(e)||function(e,t){if(e){if("string"==typeof e)return _(e,t);var n={}.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(e):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?_(e,t):void 0}}(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}var T=function(e,t){if(e.length>0){var n=e[e.length-1];n!==t&&n.pause()}var r=e.indexOf(t);-1===r||e.splice(r,1),e.push(t)},I=function(e,t){var n=e.indexOf(t);-1!==n&&e.splice(n,1),e.length>0&&e[e.length-1].unpause()},Z=function(e){return"Tab"===(null==e?void 0:e.key)||9===(null==e?void 0:e.keyCode)},O=function(e){return Z(e)&&!e.shiftKey},D=function(e){return Z(e)&&e.shiftKey},R=function(e){return setTimeout(e,0)},H=function(e){for(var t=arguments.length,n=new Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];return"function"==typeof e?e.apply(void 0,n):e},P=function(e){return e.target.shadowRoot&&"function"==typeof e.composedPath?e.composedPath()[0]:e.target},j=[],F=function(e,t){var n,r=(null==t?void 0:t.document)||document,o=(null==t?void 0:t.trapStack)||j,i=V({returnFocusOnDeactivate:!0,escapeDeactivates:!0,delayInitialFocus:!0,isKeyForward:O,isKeyBackward:D},t),a={containers:[],containerGroups:[],tabbableGroups:[],nodeFocusedBeforeActivation:null,mostRecentlyFocusedNode:null,active:!1,paused:!1,delayInitialFocusTimer:void 0,recentNavEvent:void 0},l=function(e,t,n){return e&&void 0!==e[t]?e[t]:i[n||t]},s=function(e,t){var n="function"==typeof(null==t?void 0:t.composedPath)?t.composedPath():void 0;return a.containerGroups.findIndex((function(t){var r=t.container,o=t.tabbableNodes;return r.contains(e)||(null==n?void 0:n.includes(r))||o.find((function(t){return t===e}))}))},c=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=t.hasFallback,o=void 0!==n&&n,a=t.params,l=void 0===a?[]:a,s=i[e];if("function"==typeof s&&(s=s.apply(void 0,L(l))),!0===s&&(s=void 0),!s){if(void 0===s||!1===s)return s;throw new Error("`".concat(e,"` was specified but was not a node, or did not return a node"))}var c=s;if("string"==typeof s){try{c=r.querySelector(s)}catch(t){throw new Error("`".concat(e,'` appears to be an invalid selector; error="').concat(t.message,'"'))}if(!c&&!o)throw new Error("`".concat(e,"` as selector refers to no known node"))}return c},u=function(){var e=c("initialFocus",{hasFallback:!0});if(!1===e)return!1;if(void 0===e||e&&!M(e,i.tabbableOptions))if(s(r.activeElement)>=0)e=r.activeElement;else{var t=a.tabbableGroups[0];e=t&&t.firstTabbableNode||c("fallbackFocus")}else null===e&&(e=c("fallbackFocus"));if(!e)throw new Error("Your focus-trap needs to have at least one focusable element");return e},d=function(){if(a.containerGroups=a.containers.map((function(e){var t=function(e,t){var n;return n=(t=t||{}).getShadowRoot?p([e],t.includeContainer,{filter:k.bind(null,t),flatten:!1,getShadowRoot:t.getShadowRoot,shadowRootFilter:E}):h(e,t.includeContainer,k.bind(null,t)),A(n)}(e,i.tabbableOptions),n=function(e,t){return(t=t||{}).getShadowRoot?p([e],t.includeContainer,{filter:x.bind(null,t),flatten:!0,getShadowRoot:t.getShadowRoot}):h(e,t.includeContainer,x.bind(null,t))}(e,i.tabbableOptions),r=t.length>0?t[0]:void 0,o=t.length>0?t[t.length-1]:void 0,a=n.find((function(e){return C(e)})),l=n.slice().reverse().find((function(e){return C(e)})),s=!!t.find((function(e){return m(e)>0}));return{container:e,tabbableNodes:t,focusableNodes:n,posTabIndexesFound:s,firstTabbableNode:r,lastTabbableNode:o,firstDomTabbableNode:a,lastDomTabbableNode:l,nextTabbableNode:function(e){var r=!(arguments.length>1&&void 0!==arguments[1])||arguments[1],o=t.indexOf(e);return o<0?r?n.slice(n.indexOf(e)+1).find((function(e){return C(e)})):n.slice(0,n.indexOf(e)).reverse().find((function(e){return C(e)})):t[o+(r?1:-1)]}}})),a.tabbableGroups=a.containerGroups.filter((function(e){return e.tabbableNodes.length>0})),a.tabbableGroups.length<=0&&!c("fallbackFocus"))throw new Error("Your focus-trap must have at least one container with at least one tabbable node in it at all times");if(a.containerGroups.find((function(e){return e.posTabIndexesFound}))&&a.containerGroups.length>1)throw new Error("At least one node with a positive tabindex was found in one of your focus-trap's multiple containers. Positive tabindexes are only supported in single-container focus-traps.")},f=function(e){var t=e.activeElement;if(t)return t.shadowRoot&&null!==t.shadowRoot.activeElement?f(t.shadowRoot):t},v=function(e){!1!==e&&e!==f(document)&&(e&&e.focus?(e.focus({preventScroll:!!i.preventScroll}),a.mostRecentlyFocusedNode=e,function(e){return e.tagName&&"input"===e.tagName.toLowerCase()&&"function"==typeof e.select}(e)&&e.select()):v(u()))},g=function(e){var t=c("setReturnFocus",{params:[e]});return t||!1!==t&&e},w=function(e){var t=e.target,n=e.event,r=e.isBackward,o=void 0!==r&&r;t=t||P(n),d();var l=null;if(a.tabbableGroups.length>0){var u=s(t,n),h=u>=0?a.containerGroups[u]:void 0;if(u<0)l=o?a.tabbableGroups[a.tabbableGroups.length-1].lastTabbableNode:a.tabbableGroups[0].firstTabbableNode;else if(o){var p=a.tabbableGroups.findIndex((function(e){var n=e.firstTabbableNode;return t===n}));if(p<0&&(h.container===t||M(t,i.tabbableOptions)&&!C(t,i.tabbableOptions)&&!h.nextTabbableNode(t,!1))&&(p=u),p>=0){var f=0===p?a.tabbableGroups.length-1:p-1,v=a.tabbableGroups[f];l=m(t)>=0?v.lastTabbableNode:v.lastDomTabbableNode}else Z(n)||(l=h.nextTabbableNode(t,!1))}else{var g=a.tabbableGroups.findIndex((function(e){var n=e.lastTabbableNode;return t===n}));if(g<0&&(h.container===t||M(t,i.tabbableOptions)&&!C(t,i.tabbableOptions)&&!h.nextTabbableNode(t))&&(g=u),g>=0){var w=g===a.tabbableGroups.length-1?0:g+1,y=a.tabbableGroups[w];l=m(t)>=0?y.firstTabbableNode:y.firstDomTabbableNode}else Z(n)||(l=h.nextTabbableNode(t))}}else l=c("fallbackFocus");return l},y=function(e){var t=P(e);s(t,e)>=0||(H(i.clickOutsideDeactivates,e)?n.deactivate({returnFocus:i.returnFocusOnDeactivate}):H(i.allowOutsideClick,e)||e.preventDefault())},b=function(e){var t=P(e),n=s(t,e)>=0;if(n||t instanceof Document)n&&(a.mostRecentlyFocusedNode=t);else{var r;e.stopImmediatePropagation();var o=!0;if(a.mostRecentlyFocusedNode)if(m(a.mostRecentlyFocusedNode)>0){var l=s(a.mostRecentlyFocusedNode),c=a.containerGroups[l].tabbableNodes;if(c.length>0){var d=c.findIndex((function(e){return e===a.mostRecentlyFocusedNode}));d>=0&&(i.isKeyForward(a.recentNavEvent)?d+1<c.length&&(r=c[d+1],o=!1):d-1>=0&&(r=c[d-1],o=!1))}}else a.containerGroups.some((function(e){return e.tabbableNodes.some((function(e){return m(e)>0}))}))||(o=!1);else o=!1;o&&(r=w({target:a.mostRecentlyFocusedNode,isBackward:i.isKeyBackward(a.recentNavEvent)})),v(r||(a.mostRecentlyFocusedNode||u()))}a.recentNavEvent=void 0},B=function(e){(i.isKeyForward(e)||i.isKeyBackward(e))&&function(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1];a.recentNavEvent=e;var n=w({event:e,isBackward:t});n&&(Z(e)&&e.preventDefault(),v(n))}(e,i.isKeyBackward(e))},_=function(e){(function(e){return"Escape"===(null==e?void 0:e.key)||"Esc"===(null==e?void 0:e.key)||27===(null==e?void 0:e.keyCode)})(e)&&!1!==H(i.escapeDeactivates,e)&&(e.preventDefault(),n.deactivate())},S=function(e){var t=P(e);s(t,e)>=0||H(i.clickOutsideDeactivates,e)||H(i.allowOutsideClick,e)||(e.preventDefault(),e.stopImmediatePropagation())},N=function(){if(a.active)return T(o,n),a.delayInitialFocusTimer=i.delayInitialFocus?R((function(){v(u())})):v(u()),r.addEventListener("focusin",b,!0),r.addEventListener("mousedown",y,{capture:!0,passive:!1}),r.addEventListener("touchstart",y,{capture:!0,passive:!1}),r.addEventListener("click",S,{capture:!0,passive:!1}),r.addEventListener("keydown",B,{capture:!0,passive:!1}),r.addEventListener("keydown",_),n},F=function(){if(a.active)return r.removeEventListener("focusin",b,!0),r.removeEventListener("mousedown",y,!0),r.removeEventListener("touchstart",y,!0),r.removeEventListener("click",S,!0),r.removeEventListener("keydown",B,!0),r.removeEventListener("keydown",_),n},z="undefined"!=typeof window&&"MutationObserver"in window?new MutationObserver((function(e){e.some((function(e){return Array.from(e.removedNodes).some((function(e){return e===a.mostRecentlyFocusedNode}))}))&&v(u())})):void 0,q=function(){z&&(z.disconnect(),a.active&&!a.paused&&a.containers.map((function(e){z.observe(e,{subtree:!0,childList:!0})})))};return(n={get active(){return a.active},get paused(){return a.paused},activate:function(e){if(a.active)return this;var t=l(e,"onActivate"),n=l(e,"onPostActivate"),o=l(e,"checkCanFocusTrap");o||d(),a.active=!0,a.paused=!1,a.nodeFocusedBeforeActivation=r.activeElement,null==t||t();var i=function(){o&&d(),N(),q(),null==n||n()};return o?(o(a.containers.concat()).then(i,i),this):(i(),this)},deactivate:function(e){if(!a.active)return this;var t=V({onDeactivate:i.onDeactivate,onPostDeactivate:i.onPostDeactivate,checkCanReturnFocus:i.checkCanReturnFocus},e);clearTimeout(a.delayInitialFocusTimer),a.delayInitialFocusTimer=void 0,F(),a.active=!1,a.paused=!1,q(),I(o,n);var r=l(t,"onDeactivate"),s=l(t,"onPostDeactivate"),c=l(t,"checkCanReturnFocus"),u=l(t,"returnFocus","returnFocusOnDeactivate");null==r||r();var d=function(){R((function(){u&&v(g(a.nodeFocusedBeforeActivation)),null==s||s()}))};return u&&c?(c(g(a.nodeFocusedBeforeActivation)).then(d,d),this):(d(),this)},pause:function(e){if(a.paused||!a.active)return this;var t=l(e,"onPause"),n=l(e,"onPostPause");return a.paused=!0,null==t||t(),F(),q(),null==n||n(),this},unpause:function(e){if(!a.paused||!a.active)return this;var t=l(e,"onUnpause"),n=l(e,"onPostUnpause");return a.paused=!1,null==t||t(),d(),N(),q(),null==n||n(),this},updateContainerElements:function(e){var t=[].concat(e).filter(Boolean);return a.containers=t.map((function(e){return"string"==typeof e?r.querySelector(e):e})),a.active&&d(),q(),this}}).updateContainerElements(e),n};function z(e,t={}){let n;const{immediate:a,...l}=t,s=(0,i.ref)(!1),c=(0,i.ref)(!1),u=e=>n&&n.activate(e),d=e=>n&&n.deactivate(e);return(0,i.watch)((()=>(0,r.F4c)(e)),(e=>{e&&(n=F(e,{...l,onActivate(){s.value=!0,t.onActivate&&t.onActivate()},onDeactivate(){s.value=!1,t.onDeactivate&&t.onDeactivate()}}),a&&u())}),{flush:"post"}),(0,o.Uo)((()=>d())),{hasFocus:s,isPaused:c,activate:u,deactivate:d,pause:()=>{n&&(n.pause(),c.value=!0)},unpause:()=>{n&&(n.unpause(),c.value=!1)}}}},52307:(e,t,n)=>{"use strict";n.d(t,{D_:()=>p,oc:()=>a,Gv:()=>s,lQ:()=>c,BA:()=>i,Uo:()=>o});var r=n(29726);function o(e){return!!(0,r.getCurrentScope)()&&((0,r.onScopeDispose)(e),!0)}function i(e){return"function"==typeof e?e():(0,r.unref)(e)}const a="undefined"!=typeof window&&"undefined"!=typeof document,l=("undefined"!=typeof WorkerGlobalScope&&(globalThis,WorkerGlobalScope),Object.prototype.toString),s=e=>"[object Object]"===l.call(e),c=()=>{};function u(e){const t=Object.create(null);return n=>t[n]||(t[n]=e(n))}const d=/\B([A-Z])/g,h=(u((e=>e.replace(d,"-$1").toLowerCase())),/-(\w)/g);u((e=>e.replace(h,((e,t)=>t?t.toUpperCase():""))));function p(e){return e}},53110:(e,t,n)=>{"use strict";n.d(t,{FZ:()=>l,qm:()=>s});var r=n(94335);const{Axios:o,AxiosError:i,CanceledError:a,isCancel:l,CancelToken:s,VERSION:c,all:u,Cancel:d,isAxiosError:h,spread:p,toFormData:f,AxiosHeaders:m,HttpStatusCode:v,formToJSON:g,getAdapter:w,mergeConfig:y}=r.A},94335:(e,t,n)=>{"use strict";n.d(t,{A:()=>Bt});var r={};function o(e,t){return function(){return e.apply(t,arguments)}}n.r(r),n.d(r,{hasBrowserEnv:()=>me,hasStandardBrowserEnv:()=>ge,hasStandardBrowserWebWorkerEnv:()=>we,navigator:()=>ve,origin:()=>ye});var i=n(65606);const{toString:a}=Object.prototype,{getPrototypeOf:l}=Object,s=(c=Object.create(null),e=>{const t=a.call(e);return c[t]||(c[t]=t.slice(8,-1).toLowerCase())});var c;const u=e=>(e=e.toLowerCase(),t=>s(t)===e),d=e=>t=>typeof t===e,{isArray:h}=Array,p=d("undefined");const f=u("ArrayBuffer");const m=d("string"),v=d("function"),g=d("number"),w=e=>null!==e&&"object"==typeof e,y=e=>{if("object"!==s(e))return!1;const t=l(e);return!(null!==t&&t!==Object.prototype&&null!==Object.getPrototypeOf(t)||Symbol.toStringTag in e||Symbol.iterator in e)},b=u("Date"),x=u("File"),k=u("Blob"),E=u("FileList"),A=u("URLSearchParams"),[C,B,M,_]=["ReadableStream","Request","Response","Headers"].map(u);function S(e,t,{allOwnKeys:n=!1}={}){if(null==e)return;let r,o;if("object"!=typeof e&&(e=[e]),h(e))for(r=0,o=e.length;r<o;r++)t.call(null,e[r],r,e);else{const o=n?Object.getOwnPropertyNames(e):Object.keys(e),i=o.length;let a;for(r=0;r<i;r++)a=o[r],t.call(null,e[a],a,e)}}function N(e,t){t=t.toLowerCase();const n=Object.keys(e);let r,o=n.length;for(;o-- >0;)if(r=n[o],t===r.toLowerCase())return r;return null}const V="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof self?self:"undefined"!=typeof window?window:global,L=e=>!p(e)&&e!==V;const T=(I="undefined"!=typeof Uint8Array&&l(Uint8Array),e=>I&&e instanceof I);var I;const Z=u("HTMLFormElement"),O=(({hasOwnProperty:e})=>(t,n)=>e.call(t,n))(Object.prototype),D=u("RegExp"),R=(e,t)=>{const n=Object.getOwnPropertyDescriptors(e),r={};S(n,((n,o)=>{let i;!1!==(i=t(n,o,e))&&(r[o]=i||n)})),Object.defineProperties(e,r)},H="abcdefghijklmnopqrstuvwxyz",P="0123456789",j={DIGIT:P,ALPHA:H,ALPHA_DIGIT:H+H.toUpperCase()+P};const F=u("AsyncFunction"),z=(q="function"==typeof setImmediate,U=v(V.postMessage),q?setImmediate:U?($=`axios@${Math.random()}`,W=[],V.addEventListener("message",(({source:e,data:t})=>{e===V&&t===$&&W.length&&W.shift()()}),!1),e=>{W.push(e),V.postMessage($,"*")}):e=>setTimeout(e));var q,U,$,W;const G="undefined"!=typeof queueMicrotask?queueMicrotask.bind(V):void 0!==i&&i.nextTick||z,K={isArray:h,isArrayBuffer:f,isBuffer:function(e){return null!==e&&!p(e)&&null!==e.constructor&&!p(e.constructor)&&v(e.constructor.isBuffer)&&e.constructor.isBuffer(e)},isFormData:e=>{let t;return e&&("function"==typeof FormData&&e instanceof FormData||v(e.append)&&("formdata"===(t=s(e))||"object"===t&&v(e.toString)&&"[object FormData]"===e.toString()))},isArrayBufferView:function(e){let t;return t="undefined"!=typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(e):e&&e.buffer&&f(e.buffer),t},isString:m,isNumber:g,isBoolean:e=>!0===e||!1===e,isObject:w,isPlainObject:y,isReadableStream:C,isRequest:B,isResponse:M,isHeaders:_,isUndefined:p,isDate:b,isFile:x,isBlob:k,isRegExp:D,isFunction:v,isStream:e=>w(e)&&v(e.pipe),isURLSearchParams:A,isTypedArray:T,isFileList:E,forEach:S,merge:function e(){const{caseless:t}=L(this)&&this||{},n={},r=(r,o)=>{const i=t&&N(n,o)||o;y(n[i])&&y(r)?n[i]=e(n[i],r):y(r)?n[i]=e({},r):h(r)?n[i]=r.slice():n[i]=r};for(let e=0,t=arguments.length;e<t;e++)arguments[e]&&S(arguments[e],r);return n},extend:(e,t,n,{allOwnKeys:r}={})=>(S(t,((t,r)=>{n&&v(t)?e[r]=o(t,n):e[r]=t}),{allOwnKeys:r}),e),trim:e=>e.trim?e.trim():e.replace(/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,""),stripBOM:e=>(65279===e.charCodeAt(0)&&(e=e.slice(1)),e),inherits:(e,t,n,r)=>{e.prototype=Object.create(t.prototype,r),e.prototype.constructor=e,Object.defineProperty(e,"super",{value:t.prototype}),n&&Object.assign(e.prototype,n)},toFlatObject:(e,t,n,r)=>{let o,i,a;const s={};if(t=t||{},null==e)return t;do{for(o=Object.getOwnPropertyNames(e),i=o.length;i-- >0;)a=o[i],r&&!r(a,e,t)||s[a]||(t[a]=e[a],s[a]=!0);e=!1!==n&&l(e)}while(e&&(!n||n(e,t))&&e!==Object.prototype);return t},kindOf:s,kindOfTest:u,endsWith:(e,t,n)=>{e=String(e),(void 0===n||n>e.length)&&(n=e.length),n-=t.length;const r=e.indexOf(t,n);return-1!==r&&r===n},toArray:e=>{if(!e)return null;if(h(e))return e;let t=e.length;if(!g(t))return null;const n=new Array(t);for(;t-- >0;)n[t]=e[t];return n},forEachEntry:(e,t)=>{const n=(e&&e[Symbol.iterator]).call(e);let r;for(;(r=n.next())&&!r.done;){const n=r.value;t.call(e,n[0],n[1])}},matchAll:(e,t)=>{let n;const r=[];for(;null!==(n=e.exec(t));)r.push(n);return r},isHTMLForm:Z,hasOwnProperty:O,hasOwnProp:O,reduceDescriptors:R,freezeMethods:e=>{R(e,((t,n)=>{if(v(e)&&-1!==["arguments","caller","callee"].indexOf(n))return!1;const r=e[n];v(r)&&(t.enumerable=!1,"writable"in t?t.writable=!1:t.set||(t.set=()=>{throw Error("Can not rewrite read-only method '"+n+"'")}))}))},toObjectSet:(e,t)=>{const n={},r=e=>{e.forEach((e=>{n[e]=!0}))};return h(e)?r(e):r(String(e).split(t)),n},toCamelCase:e=>e.toLowerCase().replace(/[-_\s]([a-z\d])(\w*)/g,(function(e,t,n){return t.toUpperCase()+n})),noop:()=>{},toFiniteNumber:(e,t)=>null!=e&&Number.isFinite(e=+e)?e:t,findKey:N,global:V,isContextDefined:L,ALPHABET:j,generateString:(e=16,t=j.ALPHA_DIGIT)=>{let n="";const{length:r}=t;for(;e--;)n+=t[Math.random()*r|0];return n},isSpecCompliantForm:function(e){return!!(e&&v(e.append)&&"FormData"===e[Symbol.toStringTag]&&e[Symbol.iterator])},toJSONObject:e=>{const t=new Array(10),n=(e,r)=>{if(w(e)){if(t.indexOf(e)>=0)return;if(!("toJSON"in e)){t[r]=e;const o=h(e)?[]:{};return S(e,((e,t)=>{const i=n(e,r+1);!p(i)&&(o[t]=i)})),t[r]=void 0,o}}return e};return n(e,0)},isAsyncFn:F,isThenable:e=>e&&(w(e)||v(e))&&v(e.then)&&v(e.catch),setImmediate:z,asap:G};function Y(e,t,n,r,o){Error.call(this),Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):this.stack=(new Error).stack,this.message=e,this.name="AxiosError",t&&(this.code=t),n&&(this.config=n),r&&(this.request=r),o&&(this.response=o,this.status=o.status?o.status:null)}K.inherits(Y,Error,{toJSON:function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:K.toJSONObject(this.config),code:this.code,status:this.status}}});const X=Y.prototype,J={};["ERR_BAD_OPTION_VALUE","ERR_BAD_OPTION","ECONNABORTED","ETIMEDOUT","ERR_NETWORK","ERR_FR_TOO_MANY_REDIRECTS","ERR_DEPRECATED","ERR_BAD_RESPONSE","ERR_BAD_REQUEST","ERR_CANCELED","ERR_NOT_SUPPORT","ERR_INVALID_URL"].forEach((e=>{J[e]={value:e}})),Object.defineProperties(Y,J),Object.defineProperty(X,"isAxiosError",{value:!0}),Y.from=(e,t,n,r,o,i)=>{const a=Object.create(X);return K.toFlatObject(e,a,(function(e){return e!==Error.prototype}),(e=>"isAxiosError"!==e)),Y.call(a,e.message,t,n,r,o),a.cause=e,a.name=e.name,i&&Object.assign(a,i),a};const Q=Y;var ee=n(48287).hp;function te(e){return K.isPlainObject(e)||K.isArray(e)}function ne(e){return K.endsWith(e,"[]")?e.slice(0,-2):e}function re(e,t,n){return e?e.concat(t).map((function(e,t){return e=ne(e),!n&&t?"["+e+"]":e})).join(n?".":""):t}const oe=K.toFlatObject(K,{},null,(function(e){return/^is[A-Z]/.test(e)}));const ie=function(e,t,n){if(!K.isObject(e))throw new TypeError("target must be an object");t=t||new FormData;const r=(n=K.toFlatObject(n,{metaTokens:!0,dots:!1,indexes:!1},!1,(function(e,t){return!K.isUndefined(t[e])}))).metaTokens,o=n.visitor||c,i=n.dots,a=n.indexes,l=(n.Blob||"undefined"!=typeof Blob&&Blob)&&K.isSpecCompliantForm(t);if(!K.isFunction(o))throw new TypeError("visitor must be a function");function s(e){if(null===e)return"";if(K.isDate(e))return e.toISOString();if(!l&&K.isBlob(e))throw new Q("Blob is not supported. Use a Buffer instead.");return K.isArrayBuffer(e)||K.isTypedArray(e)?l&&"function"==typeof Blob?new Blob([e]):ee.from(e):e}function c(e,n,o){let l=e;if(e&&!o&&"object"==typeof e)if(K.endsWith(n,"{}"))n=r?n:n.slice(0,-2),e=JSON.stringify(e);else if(K.isArray(e)&&function(e){return K.isArray(e)&&!e.some(te)}(e)||(K.isFileList(e)||K.endsWith(n,"[]"))&&(l=K.toArray(e)))return n=ne(n),l.forEach((function(e,r){!K.isUndefined(e)&&null!==e&&t.append(!0===a?re([n],r,i):null===a?n:n+"[]",s(e))})),!1;return!!te(e)||(t.append(re(o,n,i),s(e)),!1)}const u=[],d=Object.assign(oe,{defaultVisitor:c,convertValue:s,isVisitable:te});if(!K.isObject(e))throw new TypeError("data must be an object");return function e(n,r){if(!K.isUndefined(n)){if(-1!==u.indexOf(n))throw Error("Circular reference detected in "+r.join("."));u.push(n),K.forEach(n,(function(n,i){!0===(!(K.isUndefined(n)||null===n)&&o.call(t,n,K.isString(i)?i.trim():i,r,d))&&e(n,r?r.concat(i):[i])})),u.pop()}}(e),t};function ae(e){const t={"!":"%21","'":"%27","(":"%28",")":"%29","~":"%7E","%20":"+","%00":"\0"};return encodeURIComponent(e).replace(/[!'()~]|%20|%00/g,(function(e){return t[e]}))}function le(e,t){this._pairs=[],e&&ie(e,this,t)}const se=le.prototype;se.append=function(e,t){this._pairs.push([e,t])},se.toString=function(e){const t=e?function(t){return e.call(this,t,ae)}:ae;return this._pairs.map((function(e){return t(e[0])+"="+t(e[1])}),"").join("&")};const ce=le;function ue(e){return encodeURIComponent(e).replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}function de(e,t,n){if(!t)return e;const r=n&&n.encode||ue,o=n&&n.serialize;let i;if(i=o?o(t,n):K.isURLSearchParams(t)?t.toString():new ce(t,n).toString(r),i){const t=e.indexOf("#");-1!==t&&(e=e.slice(0,t)),e+=(-1===e.indexOf("?")?"?":"&")+i}return e}const he=class{constructor(){this.handlers=[]}use(e,t,n){return this.handlers.push({fulfilled:e,rejected:t,synchronous:!!n&&n.synchronous,runWhen:n?n.runWhen:null}),this.handlers.length-1}eject(e){this.handlers[e]&&(this.handlers[e]=null)}clear(){this.handlers&&(this.handlers=[])}forEach(e){K.forEach(this.handlers,(function(t){null!==t&&e(t)}))}},pe={silentJSONParsing:!0,forcedJSONParsing:!0,clarifyTimeoutError:!1},fe={isBrowser:!0,classes:{URLSearchParams:"undefined"!=typeof URLSearchParams?URLSearchParams:ce,FormData:"undefined"!=typeof FormData?FormData:null,Blob:"undefined"!=typeof Blob?Blob:null},protocols:["http","https","file","blob","url","data"]},me="undefined"!=typeof window&&"undefined"!=typeof document,ve="object"==typeof navigator&&navigator||void 0,ge=me&&(!ve||["ReactNative","NativeScript","NS"].indexOf(ve.product)<0),we="undefined"!=typeof WorkerGlobalScope&&self instanceof WorkerGlobalScope&&"function"==typeof self.importScripts,ye=me&&window.location.href||"http://localhost",be={...r,...fe};const xe=function(e){function t(e,n,r,o){let i=e[o++];if("__proto__"===i)return!0;const a=Number.isFinite(+i),l=o>=e.length;if(i=!i&&K.isArray(r)?r.length:i,l)return K.hasOwnProp(r,i)?r[i]=[r[i],n]:r[i]=n,!a;r[i]&&K.isObject(r[i])||(r[i]=[]);return t(e,n,r[i],o)&&K.isArray(r[i])&&(r[i]=function(e){const t={},n=Object.keys(e);let r;const o=n.length;let i;for(r=0;r<o;r++)i=n[r],t[i]=e[i];return t}(r[i])),!a}if(K.isFormData(e)&&K.isFunction(e.entries)){const n={};return K.forEachEntry(e,((e,r)=>{t(function(e){return K.matchAll(/\w+|\[(\w*)]/g,e).map((e=>"[]"===e[0]?"":e[1]||e[0]))}(e),r,n,0)})),n}return null};const ke={transitional:pe,adapter:["xhr","http","fetch"],transformRequest:[function(e,t){const n=t.getContentType()||"",r=n.indexOf("application/json")>-1,o=K.isObject(e);o&&K.isHTMLForm(e)&&(e=new FormData(e));if(K.isFormData(e))return r?JSON.stringify(xe(e)):e;if(K.isArrayBuffer(e)||K.isBuffer(e)||K.isStream(e)||K.isFile(e)||K.isBlob(e)||K.isReadableStream(e))return e;if(K.isArrayBufferView(e))return e.buffer;if(K.isURLSearchParams(e))return t.setContentType("application/x-www-form-urlencoded;charset=utf-8",!1),e.toString();let i;if(o){if(n.indexOf("application/x-www-form-urlencoded")>-1)return function(e,t){return ie(e,new be.classes.URLSearchParams,Object.assign({visitor:function(e,t,n,r){return be.isNode&&K.isBuffer(e)?(this.append(t,e.toString("base64")),!1):r.defaultVisitor.apply(this,arguments)}},t))}(e,this.formSerializer).toString();if((i=K.isFileList(e))||n.indexOf("multipart/form-data")>-1){const t=this.env&&this.env.FormData;return ie(i?{"files[]":e}:e,t&&new t,this.formSerializer)}}return o||r?(t.setContentType("application/json",!1),function(e,t,n){if(K.isString(e))try{return(t||JSON.parse)(e),K.trim(e)}catch(e){if("SyntaxError"!==e.name)throw e}return(n||JSON.stringify)(e)}(e)):e}],transformResponse:[function(e){const t=this.transitional||ke.transitional,n=t&&t.forcedJSONParsing,r="json"===this.responseType;if(K.isResponse(e)||K.isReadableStream(e))return e;if(e&&K.isString(e)&&(n&&!this.responseType||r)){const n=!(t&&t.silentJSONParsing)&&r;try{return JSON.parse(e)}catch(e){if(n){if("SyntaxError"===e.name)throw Q.from(e,Q.ERR_BAD_RESPONSE,this,null,this.response);throw e}}}return e}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,maxBodyLength:-1,env:{FormData:be.classes.FormData,Blob:be.classes.Blob},validateStatus:function(e){return e>=200&&e<300},headers:{common:{Accept:"application/json, text/plain, */*","Content-Type":void 0}}};K.forEach(["delete","get","head","post","put","patch"],(e=>{ke.headers[e]={}}));const Ee=ke,Ae=K.toObjectSet(["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"]),Ce=Symbol("internals");function Be(e){return e&&String(e).trim().toLowerCase()}function Me(e){return!1===e||null==e?e:K.isArray(e)?e.map(Me):String(e)}function _e(e,t,n,r,o){return K.isFunction(r)?r.call(this,t,n):(o&&(t=n),K.isString(t)?K.isString(r)?-1!==t.indexOf(r):K.isRegExp(r)?r.test(t):void 0:void 0)}class Se{constructor(e){e&&this.set(e)}set(e,t,n){const r=this;function o(e,t,n){const o=Be(t);if(!o)throw new Error("header name must be a non-empty string");const i=K.findKey(r,o);(!i||void 0===r[i]||!0===n||void 0===n&&!1!==r[i])&&(r[i||t]=Me(e))}const i=(e,t)=>K.forEach(e,((e,n)=>o(e,n,t)));if(K.isPlainObject(e)||e instanceof this.constructor)i(e,t);else if(K.isString(e)&&(e=e.trim())&&!/^[-_a-zA-Z0-9^`|~,!#$%&'*+.]+$/.test(e.trim()))i((e=>{const t={};let n,r,o;return e&&e.split("\n").forEach((function(e){o=e.indexOf(":"),n=e.substring(0,o).trim().toLowerCase(),r=e.substring(o+1).trim(),!n||t[n]&&Ae[n]||("set-cookie"===n?t[n]?t[n].push(r):t[n]=[r]:t[n]=t[n]?t[n]+", "+r:r)})),t})(e),t);else if(K.isHeaders(e))for(const[t,r]of e.entries())o(r,t,n);else null!=e&&o(t,e,n);return this}get(e,t){if(e=Be(e)){const n=K.findKey(this,e);if(n){const e=this[n];if(!t)return e;if(!0===t)return function(e){const t=Object.create(null),n=/([^\s,;=]+)\s*(?:=\s*([^,;]+))?/g;let r;for(;r=n.exec(e);)t[r[1]]=r[2];return t}(e);if(K.isFunction(t))return t.call(this,e,n);if(K.isRegExp(t))return t.exec(e);throw new TypeError("parser must be boolean|regexp|function")}}}has(e,t){if(e=Be(e)){const n=K.findKey(this,e);return!(!n||void 0===this[n]||t&&!_e(0,this[n],n,t))}return!1}delete(e,t){const n=this;let r=!1;function o(e){if(e=Be(e)){const o=K.findKey(n,e);!o||t&&!_e(0,n[o],o,t)||(delete n[o],r=!0)}}return K.isArray(e)?e.forEach(o):o(e),r}clear(e){const t=Object.keys(this);let n=t.length,r=!1;for(;n--;){const o=t[n];e&&!_e(0,this[o],o,e,!0)||(delete this[o],r=!0)}return r}normalize(e){const t=this,n={};return K.forEach(this,((r,o)=>{const i=K.findKey(n,o);if(i)return t[i]=Me(r),void delete t[o];const a=e?function(e){return e.trim().toLowerCase().replace(/([a-z\d])(\w*)/g,((e,t,n)=>t.toUpperCase()+n))}(o):String(o).trim();a!==o&&delete t[o],t[a]=Me(r),n[a]=!0})),this}concat(...e){return this.constructor.concat(this,...e)}toJSON(e){const t=Object.create(null);return K.forEach(this,((n,r)=>{null!=n&&!1!==n&&(t[r]=e&&K.isArray(n)?n.join(", "):n)})),t}[Symbol.iterator](){return Object.entries(this.toJSON())[Symbol.iterator]()}toString(){return Object.entries(this.toJSON()).map((([e,t])=>e+": "+t)).join("\n")}get[Symbol.toStringTag](){return"AxiosHeaders"}static from(e){return e instanceof this?e:new this(e)}static concat(e,...t){const n=new this(e);return t.forEach((e=>n.set(e))),n}static accessor(e){const t=(this[Ce]=this[Ce]={accessors:{}}).accessors,n=this.prototype;function r(e){const r=Be(e);t[r]||(!function(e,t){const n=K.toCamelCase(" "+t);["get","set","has"].forEach((r=>{Object.defineProperty(e,r+n,{value:function(e,n,o){return this[r].call(this,t,e,n,o)},configurable:!0})}))}(n,e),t[r]=!0)}return K.isArray(e)?e.forEach(r):r(e),this}}Se.accessor(["Content-Type","Content-Length","Accept","Accept-Encoding","User-Agent","Authorization"]),K.reduceDescriptors(Se.prototype,(({value:e},t)=>{let n=t[0].toUpperCase()+t.slice(1);return{get:()=>e,set(e){this[n]=e}}})),K.freezeMethods(Se);const Ne=Se;function Ve(e,t){const n=this||Ee,r=t||n,o=Ne.from(r.headers);let i=r.data;return K.forEach(e,(function(e){i=e.call(n,i,o.normalize(),t?t.status:void 0)})),o.normalize(),i}function Le(e){return!(!e||!e.__CANCEL__)}function Te(e,t,n){Q.call(this,null==e?"canceled":e,Q.ERR_CANCELED,t,n),this.name="CanceledError"}K.inherits(Te,Q,{__CANCEL__:!0});const Ie=Te;function Ze(e,t,n){const r=n.config.validateStatus;n.status&&r&&!r(n.status)?t(new Q("Request failed with status code "+n.status,[Q.ERR_BAD_REQUEST,Q.ERR_BAD_RESPONSE][Math.floor(n.status/100)-4],n.config,n.request,n)):e(n)}const Oe=function(e,t){e=e||10;const n=new Array(e),r=new Array(e);let o,i=0,a=0;return t=void 0!==t?t:1e3,function(l){const s=Date.now(),c=r[a];o||(o=s),n[i]=l,r[i]=s;let u=a,d=0;for(;u!==i;)d+=n[u++],u%=e;if(i=(i+1)%e,i===a&&(a=(a+1)%e),s-o<t)return;const h=c&&s-c;return h?Math.round(1e3*d/h):void 0}};const De=function(e,t){let n,r,o=0,i=1e3/t;const a=(t,i=Date.now())=>{o=i,n=null,r&&(clearTimeout(r),r=null),e.apply(null,t)};return[(...e)=>{const t=Date.now(),l=t-o;l>=i?a(e,t):(n=e,r||(r=setTimeout((()=>{r=null,a(n)}),i-l)))},()=>n&&a(n)]},Re=(e,t,n=3)=>{let r=0;const o=Oe(50,250);return De((n=>{const i=n.loaded,a=n.lengthComputable?n.total:void 0,l=i-r,s=o(l);r=i;e({loaded:i,total:a,progress:a?i/a:void 0,bytes:l,rate:s||void 0,estimated:s&&a&&i<=a?(a-i)/s:void 0,event:n,lengthComputable:null!=a,[t?"download":"upload"]:!0})}),n)},He=(e,t)=>{const n=null!=e;return[r=>t[0]({lengthComputable:n,total:e,loaded:r}),t[1]]},Pe=e=>(...t)=>K.asap((()=>e(...t))),je=be.hasStandardBrowserEnv?function(){const e=be.navigator&&/(msie|trident)/i.test(be.navigator.userAgent),t=document.createElement("a");let n;function r(n){let r=n;return e&&(t.setAttribute("href",r),r=t.href),t.setAttribute("href",r),{href:t.href,protocol:t.protocol?t.protocol.replace(/:$/,""):"",host:t.host,search:t.search?t.search.replace(/^\?/,""):"",hash:t.hash?t.hash.replace(/^#/,""):"",hostname:t.hostname,port:t.port,pathname:"/"===t.pathname.charAt(0)?t.pathname:"/"+t.pathname}}return n=r(window.location.href),function(e){const t=K.isString(e)?r(e):e;return t.protocol===n.protocol&&t.host===n.host}}():function(){return!0},Fe=be.hasStandardBrowserEnv?{write(e,t,n,r,o,i){const a=[e+"="+encodeURIComponent(t)];K.isNumber(n)&&a.push("expires="+new Date(n).toGMTString()),K.isString(r)&&a.push("path="+r),K.isString(o)&&a.push("domain="+o),!0===i&&a.push("secure"),document.cookie=a.join("; ")},read(e){const t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove(e){this.write(e,"",Date.now()-864e5)}}:{write(){},read:()=>null,remove(){}};function ze(e,t){return e&&!/^([a-z][a-z\d+\-.]*:)?\/\//i.test(t)?function(e,t){return t?e.replace(/\/?\/$/,"")+"/"+t.replace(/^\/+/,""):e}(e,t):t}const qe=e=>e instanceof Ne?{...e}:e;function Ue(e,t){t=t||{};const n={};function r(e,t,n){return K.isPlainObject(e)&&K.isPlainObject(t)?K.merge.call({caseless:n},e,t):K.isPlainObject(t)?K.merge({},t):K.isArray(t)?t.slice():t}function o(e,t,n){return K.isUndefined(t)?K.isUndefined(e)?void 0:r(void 0,e,n):r(e,t,n)}function i(e,t){if(!K.isUndefined(t))return r(void 0,t)}function a(e,t){return K.isUndefined(t)?K.isUndefined(e)?void 0:r(void 0,e):r(void 0,t)}function l(n,o,i){return i in t?r(n,o):i in e?r(void 0,n):void 0}const s={url:i,method:i,data:i,baseURL:a,transformRequest:a,transformResponse:a,paramsSerializer:a,timeout:a,timeoutMessage:a,withCredentials:a,withXSRFToken:a,adapter:a,responseType:a,xsrfCookieName:a,xsrfHeaderName:a,onUploadProgress:a,onDownloadProgress:a,decompress:a,maxContentLength:a,maxBodyLength:a,beforeRedirect:a,transport:a,httpAgent:a,httpsAgent:a,cancelToken:a,socketPath:a,responseEncoding:a,validateStatus:l,headers:(e,t)=>o(qe(e),qe(t),!0)};return K.forEach(Object.keys(Object.assign({},e,t)),(function(r){const i=s[r]||o,a=i(e[r],t[r],r);K.isUndefined(a)&&i!==l||(n[r]=a)})),n}const $e=e=>{const t=Ue({},e);let n,{data:r,withXSRFToken:o,xsrfHeaderName:i,xsrfCookieName:a,headers:l,auth:s}=t;if(t.headers=l=Ne.from(l),t.url=de(ze(t.baseURL,t.url),e.params,e.paramsSerializer),s&&l.set("Authorization","Basic "+btoa((s.username||"")+":"+(s.password?unescape(encodeURIComponent(s.password)):""))),K.isFormData(r))if(be.hasStandardBrowserEnv||be.hasStandardBrowserWebWorkerEnv)l.setContentType(void 0);else if(!1!==(n=l.getContentType())){const[e,...t]=n?n.split(";").map((e=>e.trim())).filter(Boolean):[];l.setContentType([e||"multipart/form-data",...t].join("; "))}if(be.hasStandardBrowserEnv&&(o&&K.isFunction(o)&&(o=o(t)),o||!1!==o&&je(t.url))){const e=i&&a&&Fe.read(a);e&&l.set(i,e)}return t},We="undefined"!=typeof XMLHttpRequest&&function(e){return new Promise((function(t,n){const r=$e(e);let o=r.data;const i=Ne.from(r.headers).normalize();let a,l,s,c,u,{responseType:d,onUploadProgress:h,onDownloadProgress:p}=r;function f(){c&&c(),u&&u(),r.cancelToken&&r.cancelToken.unsubscribe(a),r.signal&&r.signal.removeEventListener("abort",a)}let m=new XMLHttpRequest;function v(){if(!m)return;const r=Ne.from("getAllResponseHeaders"in m&&m.getAllResponseHeaders());Ze((function(e){t(e),f()}),(function(e){n(e),f()}),{data:d&&"text"!==d&&"json"!==d?m.response:m.responseText,status:m.status,statusText:m.statusText,headers:r,config:e,request:m}),m=null}m.open(r.method.toUpperCase(),r.url,!0),m.timeout=r.timeout,"onloadend"in m?m.onloadend=v:m.onreadystatechange=function(){m&&4===m.readyState&&(0!==m.status||m.responseURL&&0===m.responseURL.indexOf("file:"))&&setTimeout(v)},m.onabort=function(){m&&(n(new Q("Request aborted",Q.ECONNABORTED,e,m)),m=null)},m.onerror=function(){n(new Q("Network Error",Q.ERR_NETWORK,e,m)),m=null},m.ontimeout=function(){let t=r.timeout?"timeout of "+r.timeout+"ms exceeded":"timeout exceeded";const o=r.transitional||pe;r.timeoutErrorMessage&&(t=r.timeoutErrorMessage),n(new Q(t,o.clarifyTimeoutError?Q.ETIMEDOUT:Q.ECONNABORTED,e,m)),m=null},void 0===o&&i.setContentType(null),"setRequestHeader"in m&&K.forEach(i.toJSON(),(function(e,t){m.setRequestHeader(t,e)})),K.isUndefined(r.withCredentials)||(m.withCredentials=!!r.withCredentials),d&&"json"!==d&&(m.responseType=r.responseType),p&&([s,u]=Re(p,!0),m.addEventListener("progress",s)),h&&m.upload&&([l,c]=Re(h),m.upload.addEventListener("progress",l),m.upload.addEventListener("loadend",c)),(r.cancelToken||r.signal)&&(a=t=>{m&&(n(!t||t.type?new Ie(null,e,m):t),m.abort(),m=null)},r.cancelToken&&r.cancelToken.subscribe(a),r.signal&&(r.signal.aborted?a():r.signal.addEventListener("abort",a)));const g=function(e){const t=/^([-+\w]{1,25})(:?\/\/|:)/.exec(e);return t&&t[1]||""}(r.url);g&&-1===be.protocols.indexOf(g)?n(new Q("Unsupported protocol "+g+":",Q.ERR_BAD_REQUEST,e)):m.send(o||null)}))},Ge=(e,t)=>{const{length:n}=e=e?e.filter(Boolean):[];if(t||n){let n,r=new AbortController;const o=function(e){if(!n){n=!0,a();const t=e instanceof Error?e:this.reason;r.abort(t instanceof Q?t:new Ie(t instanceof Error?t.message:t))}};let i=t&&setTimeout((()=>{i=null,o(new Q(`timeout ${t} of ms exceeded`,Q.ETIMEDOUT))}),t);const a=()=>{e&&(i&&clearTimeout(i),i=null,e.forEach((e=>{e.unsubscribe?e.unsubscribe(o):e.removeEventListener("abort",o)})),e=null)};e.forEach((e=>e.addEventListener("abort",o)));const{signal:l}=r;return l.unsubscribe=()=>K.asap(a),l}},Ke=function*(e,t){let n=e.byteLength;if(!t||n<t)return void(yield e);let r,o=0;for(;o<n;)r=o+t,yield e.slice(o,r),o=r},Ye=async function*(e){if(e[Symbol.asyncIterator])return void(yield*e);const t=e.getReader();try{for(;;){const{done:e,value:n}=await t.read();if(e)break;yield n}}finally{await t.cancel()}},Xe=(e,t,n,r)=>{const o=async function*(e,t){for await(const n of Ye(e))yield*Ke(n,t)}(e,t);let i,a=0,l=e=>{i||(i=!0,r&&r(e))};return new ReadableStream({async pull(e){try{const{done:t,value:r}=await o.next();if(t)return l(),void e.close();let i=r.byteLength;if(n){let e=a+=i;n(e)}e.enqueue(new Uint8Array(r))}catch(e){throw l(e),e}},cancel:e=>(l(e),o.return())},{highWaterMark:2})},Je="function"==typeof fetch&&"function"==typeof Request&&"function"==typeof Response,Qe=Je&&"function"==typeof ReadableStream,et=Je&&("function"==typeof TextEncoder?(tt=new TextEncoder,e=>tt.encode(e)):async e=>new Uint8Array(await new Response(e).arrayBuffer()));var tt;const nt=(e,...t)=>{try{return!!e(...t)}catch(e){return!1}},rt=Qe&&nt((()=>{let e=!1;const t=new Request(be.origin,{body:new ReadableStream,method:"POST",get duplex(){return e=!0,"half"}}).headers.has("Content-Type");return e&&!t})),ot=Qe&&nt((()=>K.isReadableStream(new Response("").body))),it={stream:ot&&(e=>e.body)};var at;Je&&(at=new Response,["text","arrayBuffer","blob","formData","stream"].forEach((e=>{!it[e]&&(it[e]=K.isFunction(at[e])?t=>t[e]():(t,n)=>{throw new Q(`Response type '${e}' is not supported`,Q.ERR_NOT_SUPPORT,n)})})));const lt=async(e,t)=>{const n=K.toFiniteNumber(e.getContentLength());return null==n?(async e=>{if(null==e)return 0;if(K.isBlob(e))return e.size;if(K.isSpecCompliantForm(e)){const t=new Request(be.origin,{method:"POST",body:e});return(await t.arrayBuffer()).byteLength}return K.isArrayBufferView(e)||K.isArrayBuffer(e)?e.byteLength:(K.isURLSearchParams(e)&&(e+=""),K.isString(e)?(await et(e)).byteLength:void 0)})(t):n},st={http:null,xhr:We,fetch:Je&&(async e=>{let{url:t,method:n,data:r,signal:o,cancelToken:i,timeout:a,onDownloadProgress:l,onUploadProgress:s,responseType:c,headers:u,withCredentials:d="same-origin",fetchOptions:h}=$e(e);c=c?(c+"").toLowerCase():"text";let p,f=Ge([o,i&&i.toAbortSignal()],a);const m=f&&f.unsubscribe&&(()=>{f.unsubscribe()});let v;try{if(s&&rt&&"get"!==n&&"head"!==n&&0!==(v=await lt(u,r))){let e,n=new Request(t,{method:"POST",body:r,duplex:"half"});if(K.isFormData(r)&&(e=n.headers.get("content-type"))&&u.setContentType(e),n.body){const[e,t]=He(v,Re(Pe(s)));r=Xe(n.body,65536,e,t)}}K.isString(d)||(d=d?"include":"omit");const o="credentials"in Request.prototype;p=new Request(t,{...h,signal:f,method:n.toUpperCase(),headers:u.normalize().toJSON(),body:r,duplex:"half",credentials:o?d:void 0});let i=await fetch(p);const a=ot&&("stream"===c||"response"===c);if(ot&&(l||a&&m)){const e={};["status","statusText","headers"].forEach((t=>{e[t]=i[t]}));const t=K.toFiniteNumber(i.headers.get("content-length")),[n,r]=l&&He(t,Re(Pe(l),!0))||[];i=new Response(Xe(i.body,65536,n,(()=>{r&&r(),m&&m()})),e)}c=c||"text";let g=await it[K.findKey(it,c)||"text"](i,e);return!a&&m&&m(),await new Promise(((t,n)=>{Ze(t,n,{data:g,headers:Ne.from(i.headers),status:i.status,statusText:i.statusText,config:e,request:p})}))}catch(t){if(m&&m(),t&&"TypeError"===t.name&&/fetch/i.test(t.message))throw Object.assign(new Q("Network Error",Q.ERR_NETWORK,e,p),{cause:t.cause||t});throw Q.from(t,t&&t.code,e,p)}})};K.forEach(st,((e,t)=>{if(e){try{Object.defineProperty(e,"name",{value:t})}catch(e){}Object.defineProperty(e,"adapterName",{value:t})}}));const ct=e=>`- ${e}`,ut=e=>K.isFunction(e)||null===e||!1===e,dt=e=>{e=K.isArray(e)?e:[e];const{length:t}=e;let n,r;const o={};for(let i=0;i<t;i++){let t;if(n=e[i],r=n,!ut(n)&&(r=st[(t=String(n)).toLowerCase()],void 0===r))throw new Q(`Unknown adapter '${t}'`);if(r)break;o[t||"#"+i]=r}if(!r){const e=Object.entries(o).map((([e,t])=>`adapter ${e} `+(!1===t?"is not supported by the environment":"is not available in the build")));let n=t?e.length>1?"since :\n"+e.map(ct).join("\n"):" "+ct(e[0]):"as no adapter specified";throw new Q("There is no suitable adapter to dispatch the request "+n,"ERR_NOT_SUPPORT")}return r};function ht(e){if(e.cancelToken&&e.cancelToken.throwIfRequested(),e.signal&&e.signal.aborted)throw new Ie(null,e)}function pt(e){ht(e),e.headers=Ne.from(e.headers),e.data=Ve.call(e,e.transformRequest),-1!==["post","put","patch"].indexOf(e.method)&&e.headers.setContentType("application/x-www-form-urlencoded",!1);return dt(e.adapter||Ee.adapter)(e).then((function(t){return ht(e),t.data=Ve.call(e,e.transformResponse,t),t.headers=Ne.from(t.headers),t}),(function(t){return Le(t)||(ht(e),t&&t.response&&(t.response.data=Ve.call(e,e.transformResponse,t.response),t.response.headers=Ne.from(t.response.headers))),Promise.reject(t)}))}const ft="1.7.7",mt={};["object","boolean","number","function","string","symbol"].forEach(((e,t)=>{mt[e]=function(n){return typeof n===e||"a"+(t<1?"n ":" ")+e}}));const vt={};mt.transitional=function(e,t,n){function r(e,t){return"[Axios v1.7.7] Transitional option '"+e+"'"+t+(n?". "+n:"")}return(n,o,i)=>{if(!1===e)throw new Q(r(o," has been removed"+(t?" in "+t:"")),Q.ERR_DEPRECATED);return t&&!vt[o]&&(vt[o]=!0,console.warn(r(o," has been deprecated since v"+t+" and will be removed in the near future"))),!e||e(n,o,i)}};const gt={assertOptions:function(e,t,n){if("object"!=typeof e)throw new Q("options must be an object",Q.ERR_BAD_OPTION_VALUE);const r=Object.keys(e);let o=r.length;for(;o-- >0;){const i=r[o],a=t[i];if(a){const t=e[i],n=void 0===t||a(t,i,e);if(!0!==n)throw new Q("option "+i+" must be "+n,Q.ERR_BAD_OPTION_VALUE)}else if(!0!==n)throw new Q("Unknown option "+i,Q.ERR_BAD_OPTION)}},validators:mt},wt=gt.validators;class yt{constructor(e){this.defaults=e,this.interceptors={request:new he,response:new he}}async request(e,t){try{return await this._request(e,t)}catch(e){if(e instanceof Error){let t;Error.captureStackTrace?Error.captureStackTrace(t={}):t=new Error;const n=t.stack?t.stack.replace(/^.+\n/,""):"";try{e.stack?n&&!String(e.stack).endsWith(n.replace(/^.+\n.+\n/,""))&&(e.stack+="\n"+n):e.stack=n}catch(e){}}throw e}}_request(e,t){"string"==typeof e?(t=t||{}).url=e:t=e||{},t=Ue(this.defaults,t);const{transitional:n,paramsSerializer:r,headers:o}=t;void 0!==n&&gt.assertOptions(n,{silentJSONParsing:wt.transitional(wt.boolean),forcedJSONParsing:wt.transitional(wt.boolean),clarifyTimeoutError:wt.transitional(wt.boolean)},!1),null!=r&&(K.isFunction(r)?t.paramsSerializer={serialize:r}:gt.assertOptions(r,{encode:wt.function,serialize:wt.function},!0)),t.method=(t.method||this.defaults.method||"get").toLowerCase();let i=o&&K.merge(o.common,o[t.method]);o&&K.forEach(["delete","get","head","post","put","patch","common"],(e=>{delete o[e]})),t.headers=Ne.concat(i,o);const a=[];let l=!0;this.interceptors.request.forEach((function(e){"function"==typeof e.runWhen&&!1===e.runWhen(t)||(l=l&&e.synchronous,a.unshift(e.fulfilled,e.rejected))}));const s=[];let c;this.interceptors.response.forEach((function(e){s.push(e.fulfilled,e.rejected)}));let u,d=0;if(!l){const e=[pt.bind(this),void 0];for(e.unshift.apply(e,a),e.push.apply(e,s),u=e.length,c=Promise.resolve(t);d<u;)c=c.then(e[d++],e[d++]);return c}u=a.length;let h=t;for(d=0;d<u;){const e=a[d++],t=a[d++];try{h=e(h)}catch(e){t.call(this,e);break}}try{c=pt.call(this,h)}catch(e){return Promise.reject(e)}for(d=0,u=s.length;d<u;)c=c.then(s[d++],s[d++]);return c}getUri(e){return de(ze((e=Ue(this.defaults,e)).baseURL,e.url),e.params,e.paramsSerializer)}}K.forEach(["delete","get","head","options"],(function(e){yt.prototype[e]=function(t,n){return this.request(Ue(n||{},{method:e,url:t,data:(n||{}).data}))}})),K.forEach(["post","put","patch"],(function(e){function t(t){return function(n,r,o){return this.request(Ue(o||{},{method:e,headers:t?{"Content-Type":"multipart/form-data"}:{},url:n,data:r}))}}yt.prototype[e]=t(),yt.prototype[e+"Form"]=t(!0)}));const bt=yt;class xt{constructor(e){if("function"!=typeof e)throw new TypeError("executor must be a function.");let t;this.promise=new Promise((function(e){t=e}));const n=this;this.promise.then((e=>{if(!n._listeners)return;let t=n._listeners.length;for(;t-- >0;)n._listeners[t](e);n._listeners=null})),this.promise.then=e=>{let t;const r=new Promise((e=>{n.subscribe(e),t=e})).then(e);return r.cancel=function(){n.unsubscribe(t)},r},e((function(e,r,o){n.reason||(n.reason=new Ie(e,r,o),t(n.reason))}))}throwIfRequested(){if(this.reason)throw this.reason}subscribe(e){this.reason?e(this.reason):this._listeners?this._listeners.push(e):this._listeners=[e]}unsubscribe(e){if(!this._listeners)return;const t=this._listeners.indexOf(e);-1!==t&&this._listeners.splice(t,1)}toAbortSignal(){const e=new AbortController,t=t=>{e.abort(t)};return this.subscribe(t),e.signal.unsubscribe=()=>this.unsubscribe(t),e.signal}static source(){let e;return{token:new xt((function(t){e=t})),cancel:e}}}const kt=xt;const Et={Continue:100,SwitchingProtocols:101,Processing:102,EarlyHints:103,Ok:200,Created:201,Accepted:202,NonAuthoritativeInformation:203,NoContent:204,ResetContent:205,PartialContent:206,MultiStatus:207,AlreadyReported:208,ImUsed:226,MultipleChoices:300,MovedPermanently:301,Found:302,SeeOther:303,NotModified:304,UseProxy:305,Unused:306,TemporaryRedirect:307,PermanentRedirect:308,BadRequest:400,Unauthorized:401,PaymentRequired:402,Forbidden:403,NotFound:404,MethodNotAllowed:405,NotAcceptable:406,ProxyAuthenticationRequired:407,RequestTimeout:408,Conflict:409,Gone:410,LengthRequired:411,PreconditionFailed:412,PayloadTooLarge:413,UriTooLong:414,UnsupportedMediaType:415,RangeNotSatisfiable:416,ExpectationFailed:417,ImATeapot:418,MisdirectedRequest:421,UnprocessableEntity:422,Locked:423,FailedDependency:424,TooEarly:425,UpgradeRequired:426,PreconditionRequired:428,TooManyRequests:429,RequestHeaderFieldsTooLarge:431,UnavailableForLegalReasons:451,InternalServerError:500,NotImplemented:501,BadGateway:502,ServiceUnavailable:503,GatewayTimeout:504,HttpVersionNotSupported:505,VariantAlsoNegotiates:506,InsufficientStorage:507,LoopDetected:508,NotExtended:510,NetworkAuthenticationRequired:511};Object.entries(Et).forEach((([e,t])=>{Et[t]=e}));const At=Et;const Ct=function e(t){const n=new bt(t),r=o(bt.prototype.request,n);return K.extend(r,bt.prototype,n,{allOwnKeys:!0}),K.extend(r,n,null,{allOwnKeys:!0}),r.create=function(n){return e(Ue(t,n))},r}(Ee);Ct.Axios=bt,Ct.CanceledError=Ie,Ct.CancelToken=kt,Ct.isCancel=Le,Ct.VERSION=ft,Ct.toFormData=ie,Ct.AxiosError=Q,Ct.Cancel=Ct.CanceledError,Ct.all=function(e){return Promise.all(e)},Ct.spread=function(e){return function(t){return e.apply(null,t)}},Ct.isAxiosError=function(e){return K.isObject(e)&&!0===e.isAxiosError},Ct.mergeConfig=Ue,Ct.AxiosHeaders=Ne,Ct.formToJSON=e=>xe(K.isHTMLForm(e)?new FormData(e):e),Ct.getAdapter=dt,Ct.HttpStatusCode=At,Ct.default=Ct;const Bt=Ct},27717:(e,t,n)=>{"use strict";n.d(t,{Es:()=>ae,bl:()=>re,lc:()=>W,rW:()=>ce});const r={svg:"http://www.w3.org/2000/svg",xmlns:"http://www.w3.org/2000/xmlns/",xhtml:"http://www.w3.org/1999/xhtml",xlink:"http://www.w3.org/1999/xlink",ct:"http://gionkunz.github.com/chartist-js/ct"},o={"&":"&amp;","<":"&lt;",">":"&gt;",'"':"&quot;","'":"&#039;"};function i(e,t){return"number"==typeof e?e+t:e}function a(e){if("string"==typeof e){const t=/^(\d+)\s*(.*)$/g.exec(e);return{value:t?+t[1]:0,unit:(null==t?void 0:t[2])||void 0}}return{value:Number(e)}}function l(e){return String.fromCharCode(97+e%26)}const s=2221e-19;function c(e,t,n){return t/n.range*e}function u(e,t){const n=Math.pow(10,t||8);return Math.round(e*n)/n}function d(e,t,n,r){const o=(r-90)*Math.PI/180;return{x:e+n*Math.cos(o),y:t+n*Math.sin(o)}}function h(e,t,n){let r=arguments.length>3&&void 0!==arguments[3]&&arguments[3];const o={high:t.high,low:t.low,valueRange:0,oom:0,step:0,min:0,max:0,range:0,numberOfSteps:0,values:[]};var i;o.valueRange=o.high-o.low,o.oom=(i=o.valueRange,Math.floor(Math.log(Math.abs(i))/Math.LN10)),o.step=Math.pow(10,o.oom),o.min=Math.floor(o.low/o.step)*o.step,o.max=Math.ceil(o.high/o.step)*o.step,o.range=o.max-o.min,o.numberOfSteps=Math.round(o.range/o.step);const a=c(e,o.step,o)<n,l=r?function(e){if(1===e)return e;function t(e,n){return e%n==0?n:t(n,e%n)}function n(e){return e*e+1}let r,o=2,i=2;if(e%2==0)return 2;do{o=n(o)%e,i=n(n(i))%e,r=t(Math.abs(o-i),e)}while(1===r);return r}(o.range):0;if(r&&c(e,1,o)>=n)o.step=1;else if(r&&l<o.step&&c(e,l,o)>=n)o.step=l;else{let t=0;for(;;){if(a&&c(e,o.step,o)<=n)o.step*=2;else{if(a||!(c(e,o.step/2,o)>=n))break;if(o.step/=2,r&&o.step%1!=0){o.step*=2;break}}if(t++>1e3)throw new Error("Exceeded maximum number of iterations while optimizing scale step!")}}function d(e,t){return e===(e+=t)&&(e*=1+(t>0?s:-s)),e}o.step=Math.max(o.step,s);let h=o.min,p=o.max;for(;h+o.step<=o.low;)h=d(h,o.step);for(;p-o.step>=o.high;)p=d(p,-o.step);o.min=h,o.max=p,o.range=o.max-o.min;const f=[];for(let e=o.min;e<=o.max;e=d(e,o.step)){const t=u(e);t!==f[f.length-1]&&f.push(t)}return o.values=f,o}function p(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};for(var t=arguments.length,n=new Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];for(let t=0;t<n.length;t++){const r=n[t];for(const t in r){const n=r[t];e[t]="object"!=typeof n||null===n||n instanceof Array?n:p(e[t],n)}}return e}const f=e=>e;function m(e,t){return Array.from({length:e},t?(e,n)=>t(n):()=>{})}const v=(e,t)=>e+(t||0);function g(e,t){return null!==e&&"object"==typeof e&&Reflect.has(e,t)}function w(e){return null!==e&&isFinite(e)}function y(e){return!e&&0!==e}function b(e){return w(e)?Number(e):void 0}function x(e,t){let n=0;e[arguments.length>2&&void 0!==arguments[2]&&arguments[2]?"reduceRight":"reduce"](((e,r,o)=>t(r,n++,o)),void 0)}function k(e,t){const n=Array.isArray(e)?e[t]:g(e,"data")?e.data[t]:null;return g(n,"meta")?n.meta:void 0}function E(e){return null==e||"number"==typeof e&&isNaN(e)}function A(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"y";return function(e){return"object"==typeof e&&null!==e&&(Reflect.has(e,"x")||Reflect.has(e,"y"))}(e)&&g(e,t)?b(e[t]):b(e)}function C(e,t,n){const r={high:void 0===(t={...t,...n?"x"===n?t.axisX:t.axisY:{}}).high?-Number.MAX_VALUE:+t.high,low:void 0===t.low?Number.MAX_VALUE:+t.low},o=void 0===t.high,i=void 0===t.low;return(o||i)&&function e(t){if(!E(t))if(Array.isArray(t))for(let n=0;n<t.length;n++)e(t[n]);else{const e=Number(n&&g(t,n)?t[n]:t);o&&e>r.high&&(r.high=e),i&&e<r.low&&(r.low=e)}}(e),(t.referenceValue||0===t.referenceValue)&&(r.high=Math.max(t.referenceValue,r.high),r.low=Math.min(t.referenceValue,r.low)),r.high<=r.low&&(0===r.low?r.high=1:r.low<0?r.high=0:(r.high>0||(r.high=1),r.low=0)),r}function B(e){let t,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1],r=arguments.length>2?arguments[2]:void 0,o=arguments.length>3?arguments[3]:void 0;const i={labels:(e.labels||[]).slice(),series:S(e.series,r,o)},a=i.labels.length;return!function(e){return!!Array.isArray(e)&&e.every(Array.isArray)}(i.series)?t=i.series.length:(t=Math.max(a,...i.series.map((e=>e.length))),i.series.forEach((e=>{e.push(...m(Math.max(0,t-e.length)))}))),i.labels.push(...m(Math.max(0,t-a),(()=>""))),n&&function(e){var t;null===(t=e.labels)||void 0===t||t.reverse(),e.series.reverse();for(const t of e.series)g(t,"data")?t.data.reverse():Array.isArray(t)&&t.reverse()}(i),i}function M(e,t){if(!E(e))return t?function(e,t){let n,r;if("object"!=typeof e){const o=b(e);"x"===t?n=o:r=o}else g(e,"x")&&(n=b(e.x)),g(e,"y")&&(r=b(e.y));if(void 0!==n||void 0!==r)return{x:n,y:r}}(e,t):b(e)}function _(e,t){return Array.isArray(e)?e.map((e=>g(e,"value")?M(e.value,t):M(e,t))):_(e.data,t)}function S(e,t,n){if(r=e,Array.isArray(r)&&r.every((e=>Array.isArray(e)||g(e,"data"))))return e.map((e=>_(e,t)));var r;const o=_(e,t);return n?o.map((e=>[e])):o}function N(e,t,n){const r={increasingX:!1,fillHoles:!1,...n},o=[];let i=!0;for(let n=0;n<e.length;n+=2)void 0===A(t[n/2].value)?r.fillHoles||(i=!0):(r.increasingX&&n>=2&&e[n]<=e[n-2]&&(i=!0),i&&(o.push({pathCoordinates:[],valueData:[]}),i=!1),o[o.length-1].pathCoordinates.push(e[n],e[n+1]),o[o.length-1].valueData.push(t[n/2]));return o}function V(e){let t="";return null==e?e:(t="number"==typeof e?""+e:"object"==typeof e?JSON.stringify({data:e}):String(e),Object.keys(o).reduce(((e,t)=>e.replaceAll(t,o[t])),t))}class L{call(e,t){return this.svgElements.forEach((n=>Reflect.apply(n[e],n,t))),this}attr(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("attr",t)}elem(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("elem",t)}root(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("root",t)}getNode(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("getNode",t)}foreignObject(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("foreignObject",t)}text(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("text",t)}empty(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("empty",t)}remove(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("remove",t)}addClass(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("addClass",t)}removeClass(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("removeClass",t)}removeAllClasses(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("removeAllClasses",t)}animate(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("animate",t)}constructor(e){this.svgElements=[];for(let t=0;t<e.length;t++)this.svgElements.push(new Z(e[t]))}}const T={easeInSine:[.47,0,.745,.715],easeOutSine:[.39,.575,.565,1],easeInOutSine:[.445,.05,.55,.95],easeInQuad:[.55,.085,.68,.53],easeOutQuad:[.25,.46,.45,.94],easeInOutQuad:[.455,.03,.515,.955],easeInCubic:[.55,.055,.675,.19],easeOutCubic:[.215,.61,.355,1],easeInOutCubic:[.645,.045,.355,1],easeInQuart:[.895,.03,.685,.22],easeOutQuart:[.165,.84,.44,1],easeInOutQuart:[.77,0,.175,1],easeInQuint:[.755,.05,.855,.06],easeOutQuint:[.23,1,.32,1],easeInOutQuint:[.86,0,.07,1],easeInExpo:[.95,.05,.795,.035],easeOutExpo:[.19,1,.22,1],easeInOutExpo:[1,0,0,1],easeInCirc:[.6,.04,.98,.335],easeOutCirc:[.075,.82,.165,1],easeInOutCirc:[.785,.135,.15,.86],easeInBack:[.6,-.28,.735,.045],easeOutBack:[.175,.885,.32,1.275],easeInOutBack:[.68,-.55,.265,1.55]};function I(e,t,n){let r=arguments.length>3&&void 0!==arguments[3]&&arguments[3],o=arguments.length>4?arguments[4]:void 0;const{easing:l,...s}=n,c={};let u,d;l&&(u=Array.isArray(l)?l:T[l]),s.begin=i(s.begin,"ms"),s.dur=i(s.dur,"ms"),u&&(s.calcMode="spline",s.keySplines=u.join(" "),s.keyTimes="0;1"),r&&(s.fill="freeze",c[t]=s.from,e.attr(c),d=a(s.begin||0).value,s.begin="indefinite");const h=e.elem("animate",{attributeName:t,...s});r&&setTimeout((()=>{try{h._node.beginElement()}catch(n){c[t]=s.to,e.attr(c),h.remove()}}),d);const p=h.getNode();o&&p.addEventListener("beginEvent",(()=>o.emit("animationBegin",{element:e,animate:p,params:n}))),p.addEventListener("endEvent",(()=>{o&&o.emit("animationEnd",{element:e,animate:p,params:n}),r&&(c[t]=s.to,e.attr(c),h.remove())}))}class Z{attr(e,t){return"string"==typeof e?t?this._node.getAttributeNS(t,e):this._node.getAttribute(e):(Object.keys(e).forEach((t=>{if(void 0!==e[t])if(-1!==t.indexOf(":")){const n=t.split(":");this._node.setAttributeNS(r[n[0]],t,String(e[t]))}else this._node.setAttribute(t,String(e[t]))})),this)}elem(e,t,n){return new Z(e,t,n,this,arguments.length>3&&void 0!==arguments[3]&&arguments[3])}parent(){return this._node.parentNode instanceof SVGElement?new Z(this._node.parentNode):null}root(){let e=this._node;for(;"svg"!==e.nodeName&&e.parentElement;)e=e.parentElement;return new Z(e)}querySelector(e){const t=this._node.querySelector(e);return t?new Z(t):null}querySelectorAll(e){const t=this._node.querySelectorAll(e);return new L(t)}getNode(){return this._node}foreignObject(e,t,n){let o,i=arguments.length>3&&void 0!==arguments[3]&&arguments[3];if("string"==typeof e){const t=document.createElement("div");t.innerHTML=e,o=t.firstChild}else o=e;o instanceof Element&&o.setAttribute("xmlns",r.xmlns);const a=this.elem("foreignObject",t,n,i);return a._node.appendChild(o),a}text(e){return this._node.appendChild(document.createTextNode(e)),this}empty(){for(;this._node.firstChild;)this._node.removeChild(this._node.firstChild);return this}remove(){var e;return null===(e=this._node.parentNode)||void 0===e||e.removeChild(this._node),this.parent()}replace(e){var t;return null===(t=this._node.parentNode)||void 0===t||t.replaceChild(e._node,this._node),e}append(e){return arguments.length>1&&void 0!==arguments[1]&&arguments[1]&&this._node.firstChild?this._node.insertBefore(e._node,this._node.firstChild):this._node.appendChild(e._node),this}classes(){const e=this._node.getAttribute("class");return e?e.trim().split(/\s+/):[]}addClass(e){return this._node.setAttribute("class",this.classes().concat(e.trim().split(/\s+/)).filter((function(e,t,n){return n.indexOf(e)===t})).join(" ")),this}removeClass(e){const t=e.trim().split(/\s+/);return this._node.setAttribute("class",this.classes().filter((e=>-1===t.indexOf(e))).join(" ")),this}removeAllClasses(){return this._node.setAttribute("class",""),this}height(){return this._node.getBoundingClientRect().height}width(){return this._node.getBoundingClientRect().width}animate(e){let t=!(arguments.length>1&&void 0!==arguments[1])||arguments[1],n=arguments.length>2?arguments[2]:void 0;return Object.keys(e).forEach((r=>{const o=e[r];Array.isArray(o)?o.forEach((e=>I(this,r,e,!1,n))):I(this,r,o,t,n)})),this}constructor(e,t,n,o,i=!1){e instanceof Element?this._node=e:(this._node=document.createElementNS(r.svg,e),"svg"===e&&this.attr({"xmlns:ct":r.ct})),t&&this.attr(t),n&&this.addClass(n),o&&(i&&o._node.firstChild?o._node.insertBefore(this._node,o._node.firstChild):o._node.appendChild(this._node))}}function O(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"100%",n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"100%",o=arguments.length>3?arguments[3]:void 0;Array.from(e.querySelectorAll("svg")).filter((e=>e.getAttributeNS(r.xmlns,"ct"))).forEach((t=>e.removeChild(t)));const i=new Z("svg").attr({width:t,height:n}).attr({style:"width: ".concat(t,"; height: ").concat(n,";")});return o&&i.addClass(o),e.appendChild(i.getNode()),i}function D(e,t){var n,r,o,i;const l=Boolean(t.axisX||t.axisY),s=(null===(n=t.axisY)||void 0===n?void 0:n.offset)||0,c=(null===(r=t.axisX)||void 0===r?void 0:r.offset)||0,u=null===(o=t.axisY)||void 0===o?void 0:o.position,d=null===(i=t.axisX)||void 0===i?void 0:i.position;let h=e.width()||a(t.width).value||0,p=e.height()||a(t.height).value||0;const f="number"==typeof(m=t.chartPadding)?{top:m,right:m,bottom:m,left:m}:void 0===m?{top:0,right:0,bottom:0,left:0}:{top:"number"==typeof m.top?m.top:0,right:"number"==typeof m.right?m.right:0,bottom:"number"==typeof m.bottom?m.bottom:0,left:"number"==typeof m.left?m.left:0};var m;h=Math.max(h,s+f.left+f.right),p=Math.max(p,c+f.top+f.bottom);const v={x1:0,x2:0,y1:0,y2:0,padding:f,width(){return this.x2-this.x1},height(){return this.y1-this.y2}};return l?("start"===d?(v.y2=f.top+c,v.y1=Math.max(p-f.bottom,v.y2+1)):(v.y2=f.top,v.y1=Math.max(p-f.bottom-c,v.y2+1)),"start"===u?(v.x1=f.left+s,v.x2=Math.max(h-f.right,v.x1+1)):(v.x1=f.left,v.x2=Math.max(h-f.right-s,v.x1+1))):(v.x1=f.left,v.x2=Math.max(h-f.right,v.x1+1),v.y2=f.top,v.y1=Math.max(p-f.bottom,v.y2+1)),v}function R(e,t,n,r){const o=e.elem("rect",{x:t.x1,y:t.y2,width:t.width(),height:t.height()},n,!0);r.emit("draw",{type:"gridBackground",group:e,element:o})}function H(e,t,n){let r;const o=[];function i(o){const i=r;r=p({},e),t&&t.forEach((e=>{window.matchMedia(e[0]).matches&&(r=p(r,e[1]))})),n&&o&&n.emit("optionsChanged",{previousOptions:i,currentOptions:r})}if(!window.matchMedia)throw new Error("window.matchMedia not found! Make sure you're using a polyfill.");return t&&t.forEach((e=>{const t=window.matchMedia(e[0]);t.addEventListener("change",i),o.push(t)})),i(),{removeMediaQueryListeners:function(){o.forEach((e=>e.removeEventListener("change",i)))},getCurrentOptions:()=>r}}Z.Easing=T;const P={m:["x","y"],l:["x","y"],c:["x1","y1","x2","y2","x","y"],a:["rx","ry","xAr","lAf","sf","x","y"]},j={accuracy:3};function F(e,t,n,r,o,i){const a={command:o?e.toLowerCase():e.toUpperCase(),...t,...i?{data:i}:{}};n.splice(r,0,a)}function z(e,t){e.forEach(((n,r)=>{P[n.command.toLowerCase()].forEach(((o,i)=>{t(n,o,r,i,e)}))}))}class q{static join(e){const t=new q(arguments.length>1&&void 0!==arguments[1]&&arguments[1],arguments.length>2?arguments[2]:void 0);for(let n=0;n<e.length;n++){const r=e[n];for(let e=0;e<r.pathElements.length;e++)t.pathElements.push(r.pathElements[e])}return t}position(e){return void 0!==e?(this.pos=Math.max(0,Math.min(this.pathElements.length,e)),this):this.pos}remove(e){return this.pathElements.splice(this.pos,e),this}move(e,t){let n=arguments.length>2&&void 0!==arguments[2]&&arguments[2],r=arguments.length>3?arguments[3]:void 0;return F("M",{x:+e,y:+t},this.pathElements,this.pos++,n,r),this}line(e,t){let n=arguments.length>2&&void 0!==arguments[2]&&arguments[2],r=arguments.length>3?arguments[3]:void 0;return F("L",{x:+e,y:+t},this.pathElements,this.pos++,n,r),this}curve(e,t,n,r,o,i){let a=arguments.length>6&&void 0!==arguments[6]&&arguments[6],l=arguments.length>7?arguments[7]:void 0;return F("C",{x1:+e,y1:+t,x2:+n,y2:+r,x:+o,y:+i},this.pathElements,this.pos++,a,l),this}arc(e,t,n,r,o,i,a){let l=arguments.length>7&&void 0!==arguments[7]&&arguments[7],s=arguments.length>8?arguments[8]:void 0;return F("A",{rx:e,ry:t,xAr:n,lAf:r,sf:o,x:i,y:a},this.pathElements,this.pos++,l,s),this}parse(e){const t=e.replace(/([A-Za-z])(-?[0-9])/g,"$1 $2").replace(/([0-9])([A-Za-z])/g,"$1 $2").split(/[\s,]+/).reduce(((e,t)=>(t.match(/[A-Za-z]/)&&e.push([]),e[e.length-1].push(t),e)),[]);"Z"===t[t.length-1][0].toUpperCase()&&t.pop();const n=t.map((e=>{const t=e.shift(),n=P[t.toLowerCase()];return{command:t,...n.reduce(((t,n,r)=>(t[n]=+e[r],t)),{})}}));return this.pathElements.splice(this.pos,0,...n),this.pos+=n.length,this}stringify(){const e=Math.pow(10,this.options.accuracy);return this.pathElements.reduce(((t,n)=>{const r=P[n.command.toLowerCase()].map((t=>{const r=n[t];return this.options.accuracy?Math.round(r*e)/e:r}));return t+n.command+r.join(",")}),"")+(this.close?"Z":"")}scale(e,t){return z(this.pathElements,((n,r)=>{n[r]*="x"===r[0]?e:t})),this}translate(e,t){return z(this.pathElements,((n,r)=>{n[r]+="x"===r[0]?e:t})),this}transform(e){return z(this.pathElements,((t,n,r,o,i)=>{const a=e(t,n,r,o,i);(a||0===a)&&(t[n]=a)})),this}clone(){const e=new q(arguments.length>0&&void 0!==arguments[0]&&arguments[0]||this.close);return e.pos=this.pos,e.pathElements=this.pathElements.slice().map((e=>({...e}))),e.options={...this.options},e}splitByCommand(e){const t=[new q];return this.pathElements.forEach((n=>{n.command===e.toUpperCase()&&0!==t[t.length-1].pathElements.length&&t.push(new q),t[t.length-1].pathElements.push(n)})),t}constructor(e=!1,t){this.close=e,this.pathElements=[],this.pos=0,this.options={...j,...t}}}function U(e){const t={fillHoles:!1,...e};return function(e,n){const r=new q;let o=!0;for(let i=0;i<e.length;i+=2){const a=e[i],l=e[i+1],s=n[i/2];void 0!==A(s.value)?(o?r.move(a,l,!1,s):r.line(a,l,!1,s),o=!1):t.fillHoles||(o=!0)}return r}}function $(e){const t={fillHoles:!1,...e};return function e(n,r){const o=N(n,r,{fillHoles:t.fillHoles,increasingX:!0});if(o.length){if(o.length>1)return q.join(o.map((t=>e(t.pathCoordinates,t.valueData))));{if(n=o[0].pathCoordinates,r=o[0].valueData,n.length<=4)return U()(n,r);const e=[],t=[],i=n.length/2,a=[],l=[],s=[],c=[];for(let r=0;r<i;r++)e[r]=n[2*r],t[r]=n[2*r+1];for(let n=0;n<i-1;n++)s[n]=t[n+1]-t[n],c[n]=e[n+1]-e[n],l[n]=s[n]/c[n];a[0]=l[0],a[i-1]=l[i-2];for(let e=1;e<i-1;e++)0===l[e]||0===l[e-1]||l[e-1]>0!=l[e]>0?a[e]=0:(a[e]=3*(c[e-1]+c[e])/((2*c[e]+c[e-1])/l[e-1]+(c[e]+2*c[e-1])/l[e]),isFinite(a[e])||(a[e]=0));const u=(new q).move(e[0],t[0],!1,r[0]);for(let n=0;n<i-1;n++)u.curve(e[n]+c[n]/3,t[n]+a[n]*c[n]/3,e[n+1]-c[n]/3,t[n+1]-a[n+1]*c[n]/3,e[n+1],t[n+1],!1,r[n+1]);return u}}return U()([],[])}}var W=Object.freeze({__proto__:null,none:U,simple:function(e){const t={divisor:2,fillHoles:!1,...e},n=1/Math.max(1,t.divisor);return function(e,r){const o=new q;let i,a=0,l=0;for(let s=0;s<e.length;s+=2){const c=e[s],u=e[s+1],d=(c-a)*n,h=r[s/2];void 0!==h.value?(void 0===i?o.move(c,u,!1,h):o.curve(a+d,l,c-d,u,c,u,!1,h),a=c,l=u,i=h):t.fillHoles||(a=l=0,i=void 0)}return o}},step:function(e){const t={postpone:!0,fillHoles:!1,...e};return function(e,n){const r=new q;let o,i=0,a=0;for(let l=0;l<e.length;l+=2){const s=e[l],c=e[l+1],u=n[l/2];void 0!==u.value?(void 0===o?r.move(s,c,!1,u):(t.postpone?r.line(s,a,!1,o):r.line(i,c,!1,u),r.line(s,c,!1,u)),i=s,a=c,o=u):t.fillHoles||(i=a=0,o=void 0)}return r}},cardinal:function(e){const t={tension:1,fillHoles:!1,...e},n=Math.min(1,Math.max(0,t.tension)),r=1-n;return function e(o,i){const a=N(o,i,{fillHoles:t.fillHoles});if(a.length){if(a.length>1)return q.join(a.map((t=>e(t.pathCoordinates,t.valueData))));{if(o=a[0].pathCoordinates,i=a[0].valueData,o.length<=4)return U()(o,i);const e=(new q).move(o[0],o[1],!1,i[0]),t=!1;for(let a=0,l=o.length;l-2*Number(!t)>a;a+=2){const t=[{x:+o[a-2],y:+o[a-1]},{x:+o[a],y:+o[a+1]},{x:+o[a+2],y:+o[a+3]},{x:+o[a+4],y:+o[a+5]}];l-4===a?t[3]=t[2]:a||(t[0]={x:+o[a],y:+o[a+1]}),e.curve(n*(-t[0].x+6*t[1].x+t[2].x)/6+r*t[2].x,n*(-t[0].y+6*t[1].y+t[2].y)/6+r*t[2].y,n*(t[1].x+6*t[2].x-t[3].x)/6+r*t[2].x,n*(t[1].y+6*t[2].y-t[3].y)/6+r*t[2].y,t[2].x,t[2].y,!1,i[(a+2)/2])}return e}}return U()([],[])}},monotoneCubic:$});class G{on(e,t){const{allListeners:n,listeners:r}=this;"*"===e?n.add(t):(r.has(e)||r.set(e,new Set),r.get(e).add(t))}off(e,t){const{allListeners:n,listeners:r}=this;if("*"===e)t?n.delete(t):n.clear();else if(r.has(e)){const n=r.get(e);t?n.delete(t):n.clear(),n.size||r.delete(e)}}emit(e,t){const{allListeners:n,listeners:r}=this;r.has(e)&&r.get(e).forEach((e=>e(t))),n.forEach((n=>n(e,t)))}constructor(){this.listeners=new Map,this.allListeners=new Set}}const K=new WeakMap;class Y{update(e,t){let n=arguments.length>2&&void 0!==arguments[2]&&arguments[2];var r;(e&&(this.data=e||{},this.data.labels=this.data.labels||[],this.data.series=this.data.series||[],this.eventEmitter.emit("data",{type:"update",data:this.data})),t)&&(this.options=p({},n?this.options:this.defaultOptions,t),this.initializeTimeoutId||(null===(r=this.optionsProvider)||void 0===r||r.removeMediaQueryListeners(),this.optionsProvider=H(this.options,this.responsiveOptions,this.eventEmitter)));return!this.initializeTimeoutId&&this.optionsProvider&&this.createChart(this.optionsProvider.getCurrentOptions()),this}detach(){var e;this.initializeTimeoutId?window.clearTimeout(this.initializeTimeoutId):(window.removeEventListener("resize",this.resizeListener),null===(e=this.optionsProvider)||void 0===e||e.removeMediaQueryListeners());return K.delete(this.container),this}on(e,t){return this.eventEmitter.on(e,t),this}off(e,t){return this.eventEmitter.off(e,t),this}initialize(){window.addEventListener("resize",this.resizeListener),this.optionsProvider=H(this.options,this.responsiveOptions,this.eventEmitter),this.eventEmitter.on("optionsChanged",(()=>this.update())),this.options.plugins&&this.options.plugins.forEach((e=>{Array.isArray(e)?e[0](this,e[1]):e(this)})),this.eventEmitter.emit("data",{type:"initial",data:this.data}),this.createChart(this.optionsProvider.getCurrentOptions()),this.initializeTimeoutId=null}constructor(e,t,n,r,o){this.data=t,this.defaultOptions=n,this.options=r,this.responsiveOptions=o,this.eventEmitter=new G,this.resizeListener=()=>this.update(),this.initializeTimeoutId=setTimeout((()=>this.initialize()),0);const i="string"==typeof e?document.querySelector(e):e;if(!i)throw new Error("Target element is not found");this.container=i;const a=K.get(i);a&&a.detach(),K.set(i,this)}}const X={x:{pos:"x",len:"width",dir:"horizontal",rectStart:"x1",rectEnd:"x2",rectOffset:"y2"},y:{pos:"y",len:"height",dir:"vertical",rectStart:"y2",rectEnd:"y1",rectOffset:"x1"}};class J{createGridAndLabels(e,t,n,r){const o="x"===this.units.pos?n.axisX:n.axisY,i=this.ticks.map(((e,t)=>this.projectValue(e,t))),a=this.ticks.map(o.labelInterpolationFnc);i.forEach(((l,s)=>{const c=a[s],u={x:0,y:0};let d;d=i[s+1]?i[s+1]-l:Math.max(this.axisLength-l,this.axisLength/this.ticks.length),""!==c&&y(c)||("x"===this.units.pos?(l=this.chartRect.x1+l,u.x=n.axisX.labelOffset.x,"start"===n.axisX.position?u.y=this.chartRect.padding.top+n.axisX.labelOffset.y+5:u.y=this.chartRect.y1+n.axisX.labelOffset.y+5):(l=this.chartRect.y1-l,u.y=n.axisY.labelOffset.y-d,"start"===n.axisY.position?u.x=this.chartRect.padding.left+n.axisY.labelOffset.x:u.x=this.chartRect.x2+n.axisY.labelOffset.x+10),o.showGrid&&function(e,t,n,r,o,i,a,l){const s={["".concat(n.units.pos,"1")]:e,["".concat(n.units.pos,"2")]:e,["".concat(n.counterUnits.pos,"1")]:r,["".concat(n.counterUnits.pos,"2")]:r+o},c=i.elem("line",s,a.join(" "));l.emit("draw",{type:"grid",axis:n,index:t,group:i,element:c,...s})}(l,s,this,this.gridOffset,this.chartRect[this.counterUnits.len](),e,[n.classNames.grid,n.classNames[this.units.dir]],r),o.showLabel&&function(e,t,n,r,o,i,a,l,s,c){const u={[o.units.pos]:e+a[o.units.pos],[o.counterUnits.pos]:a[o.counterUnits.pos],[o.units.len]:t,[o.counterUnits.len]:Math.max(0,i-10)},d=Math.round(u[o.units.len]),h=Math.round(u[o.counterUnits.len]),p=document.createElement("span");p.className=s.join(" "),p.style[o.units.len]=d+"px",p.style[o.counterUnits.len]=h+"px",p.textContent=String(r);const f=l.foreignObject(p,{style:"overflow: visible;",...u});c.emit("draw",{type:"label",axis:o,index:n,group:l,element:f,text:r,...u})}(l,d,s,c,this,o.offset,u,t,[n.classNames.label,n.classNames[this.units.dir],"start"===o.position?n.classNames[o.position]:n.classNames.end],r))}))}constructor(e,t,n){this.units=e,this.chartRect=t,this.ticks=n,this.counterUnits=e===X.x?X.y:X.x,this.axisLength=t[this.units.rectEnd]-t[this.units.rectStart],this.gridOffset=t[this.units.rectOffset]}}class Q extends J{projectValue(e){const t=Number(A(e,this.units.pos));return this.axisLength*(t-this.bounds.min)/this.bounds.range}constructor(e,t,n,r){const o=r.highLow||C(t,r,e.pos),i=h(n[e.rectEnd]-n[e.rectStart],o,r.scaleMinSpace||20,r.onlyInteger),a={min:i.min,max:i.max};super(e,n,i.values),this.bounds=i,this.range=a}}class ee extends J{projectValue(e,t){return this.stepLength*t}constructor(e,t,n,r){const o=r.ticks||[];super(e,n,o);const i=Math.max(1,o.length-(r.stretch?1:0));this.stepLength=this.axisLength/i,this.stretch=Boolean(r.stretch)}}function te(e,t,n){var r;if(g(e,"name")&&e.name&&(null===(r=t.series)||void 0===r?void 0:r[e.name])){const r=(null==t?void 0:t.series[e.name])[n];return void 0===r?t[n]:r}return t[n]}const ne={axisX:{offset:30,position:"end",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:f,type:void 0},axisY:{offset:40,position:"start",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:f,type:void 0,scaleMinSpace:20,onlyInteger:!1},width:void 0,height:void 0,showLine:!0,showPoint:!0,showArea:!1,areaBase:0,lineSmooth:!0,showGridBackground:!1,low:void 0,high:void 0,chartPadding:{top:15,right:15,bottom:5,left:10},fullWidth:!1,reverseData:!1,classNames:{chart:"ct-chart-line",label:"ct-label",labelGroup:"ct-labels",series:"ct-series",line:"ct-line",point:"ct-point",area:"ct-area",grid:"ct-grid",gridGroup:"ct-grids",gridBackground:"ct-grid-background",vertical:"ct-vertical",horizontal:"ct-horizontal",start:"ct-start",end:"ct-end"}};class re extends Y{createChart(e){const{data:t}=this,n=B(t,e.reverseData,!0),r=O(this.container,e.width,e.height,e.classNames.chart);this.svg=r;const o=r.elem("g").addClass(e.classNames.gridGroup),i=r.elem("g"),a=r.elem("g").addClass(e.classNames.labelGroup),s=D(r,e);let c,u;c=void 0===e.axisX.type?new ee(X.x,n.series,s,{...e.axisX,ticks:n.labels,stretch:e.fullWidth}):new e.axisX.type(X.x,n.series,s,e.axisX),u=void 0===e.axisY.type?new Q(X.y,n.series,s,{...e.axisY,high:w(e.high)?e.high:e.axisY.high,low:w(e.low)?e.low:e.axisY.low}):new e.axisY.type(X.y,n.series,s,e.axisY),c.createGridAndLabels(o,a,e,this.eventEmitter),u.createGridAndLabels(o,a,e,this.eventEmitter),e.showGridBackground&&R(o,s,e.classNames.gridBackground,this.eventEmitter),x(t.series,((t,r)=>{const o=i.elem("g"),a=g(t,"name")&&t.name,d=g(t,"className")&&t.className,h=g(t,"meta")?t.meta:void 0;a&&o.attr({"ct:series-name":a}),h&&o.attr({"ct:meta":V(h)}),o.addClass([e.classNames.series,d||"".concat(e.classNames.series,"-").concat(l(r))].join(" "));const p=[],f=[];n.series[r].forEach(((e,o)=>{const i={x:s.x1+c.projectValue(e,o,n.series[r]),y:s.y1-u.projectValue(e,o,n.series[r])};p.push(i.x,i.y),f.push({value:e,valueIndex:o,meta:k(t,o)})}));const m={lineSmooth:te(t,e,"lineSmooth"),showPoint:te(t,e,"showPoint"),showLine:te(t,e,"showLine"),showArea:te(t,e,"showArea"),areaBase:te(t,e,"areaBase")};let v;v="function"==typeof m.lineSmooth?m.lineSmooth:m.lineSmooth?$():U();const y=v(p,f);if(m.showPoint&&y.pathElements.forEach((n=>{const{data:i}=n,a=o.elem("line",{x1:n.x,y1:n.y,x2:n.x+.01,y2:n.y},e.classNames.point);if(i){let e,t;g(i.value,"x")&&(e=i.value.x),g(i.value,"y")&&(t=i.value.y),a.attr({"ct:value":[e,t].filter(w).join(","),"ct:meta":V(i.meta)})}this.eventEmitter.emit("draw",{type:"point",value:null==i?void 0:i.value,index:(null==i?void 0:i.valueIndex)||0,meta:null==i?void 0:i.meta,series:t,seriesIndex:r,axisX:c,axisY:u,group:o,element:a,x:n.x,y:n.y,chartRect:s})})),m.showLine){const i=o.elem("path",{d:y.stringify()},e.classNames.line,!0);this.eventEmitter.emit("draw",{type:"line",values:n.series[r],path:y.clone(),chartRect:s,index:r,series:t,seriesIndex:r,meta:h,axisX:c,axisY:u,group:o,element:i})}if(m.showArea&&u.range){const i=Math.max(Math.min(m.areaBase,u.range.max),u.range.min),a=s.y1-u.projectValue(i);y.splitByCommand("M").filter((e=>e.pathElements.length>1)).map((e=>{const t=e.pathElements[0],n=e.pathElements[e.pathElements.length-1];return e.clone(!0).position(0).remove(1).move(t.x,a).line(t.x,t.y).position(e.pathElements.length+1).line(n.x,a)})).forEach((i=>{const a=o.elem("path",{d:i.stringify()},e.classNames.area,!0);this.eventEmitter.emit("draw",{type:"area",values:n.series[r],path:i.clone(),series:t,seriesIndex:r,axisX:c,axisY:u,chartRect:s,index:r,group:o,element:a,meta:h})}))}}),e.reverseData),this.eventEmitter.emit("created",{chartRect:s,axisX:c,axisY:u,svg:r,options:e})}constructor(e,t,n,r){super(e,t,ne,p({},ne,n),r),this.data=t}}function oe(e){return t=e,n=function(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return Array.from(t).reduce(((e,t)=>({x:e.x+(g(t,"x")?t.x:0),y:e.y+(g(t,"y")?t.y:0)})),{x:0,y:0})},m(Math.max(...t.map((e=>e.length))),(e=>n(...t.map((t=>t[e])))));var t,n}const ie={axisX:{offset:30,position:"end",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:f,scaleMinSpace:30,onlyInteger:!1},axisY:{offset:40,position:"start",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:f,scaleMinSpace:20,onlyInteger:!1},width:void 0,height:void 0,high:void 0,low:void 0,referenceValue:0,chartPadding:{top:15,right:15,bottom:5,left:10},seriesBarDistance:15,stackBars:!1,stackMode:"accumulate",horizontalBars:!1,distributeSeries:!1,reverseData:!1,showGridBackground:!1,classNames:{chart:"ct-chart-bar",horizontalBars:"ct-horizontal-bars",label:"ct-label",labelGroup:"ct-labels",series:"ct-series",bar:"ct-bar",grid:"ct-grid",gridGroup:"ct-grids",gridBackground:"ct-grid-background",vertical:"ct-vertical",horizontal:"ct-horizontal",start:"ct-start",end:"ct-end"}};class ae extends Y{createChart(e){const{data:t}=this,n=B(t,e.reverseData,e.horizontalBars?"x":"y",!0),r=O(this.container,e.width,e.height,e.classNames.chart+(e.horizontalBars?" "+e.classNames.horizontalBars:"")),o=e.stackBars&&!0!==e.stackMode&&n.series.length?C([oe(n.series)],e,e.horizontalBars?"x":"y"):C(n.series,e,e.horizontalBars?"x":"y");this.svg=r;const i=r.elem("g").addClass(e.classNames.gridGroup),a=r.elem("g"),s=r.elem("g").addClass(e.classNames.labelGroup);"number"==typeof e.high&&(o.high=e.high),"number"==typeof e.low&&(o.low=e.low);const c=D(r,e);let u;const d=e.distributeSeries&&e.stackBars?n.labels.slice(0,1):n.labels;let h,p,f;e.horizontalBars?(u=p=void 0===e.axisX.type?new Q(X.x,n.series,c,{...e.axisX,highLow:o,referenceValue:0}):new e.axisX.type(X.x,n.series,c,{...e.axisX,highLow:o,referenceValue:0}),h=f=void 0===e.axisY.type?new ee(X.y,n.series,c,{ticks:d}):new e.axisY.type(X.y,n.series,c,e.axisY)):(h=p=void 0===e.axisX.type?new ee(X.x,n.series,c,{ticks:d}):new e.axisX.type(X.x,n.series,c,e.axisX),u=f=void 0===e.axisY.type?new Q(X.y,n.series,c,{...e.axisY,highLow:o,referenceValue:0}):new e.axisY.type(X.y,n.series,c,{...e.axisY,highLow:o,referenceValue:0}));const m=e.horizontalBars?c.x1+u.projectValue(0):c.y1-u.projectValue(0),v="accumulate"===e.stackMode,y="accumulate-relative"===e.stackMode,b=[],E=[];let A=b;h.createGridAndLabels(i,s,e,this.eventEmitter),u.createGridAndLabels(i,s,e,this.eventEmitter),e.showGridBackground&&R(i,c,e.classNames.gridBackground,this.eventEmitter),x(t.series,((r,o)=>{const i=o-(t.series.length-1)/2;let s;s=e.distributeSeries&&!e.stackBars?h.axisLength/n.series.length/2:e.distributeSeries&&e.stackBars?h.axisLength/2:h.axisLength/n.series[o].length/2;const d=a.elem("g"),x=g(r,"name")&&r.name,C=g(r,"className")&&r.className,B=g(r,"meta")?r.meta:void 0;x&&d.attr({"ct:series-name":x}),B&&d.attr({"ct:meta":V(B)}),d.addClass([e.classNames.series,C||"".concat(e.classNames.series,"-").concat(l(o))].join(" ")),n.series[o].forEach(((t,a)=>{const l=g(t,"x")&&t.x,x=g(t,"y")&&t.y;let C,B;C=e.distributeSeries&&!e.stackBars?o:e.distributeSeries&&e.stackBars?0:a,B=e.horizontalBars?{x:c.x1+u.projectValue(l||0,a,n.series[o]),y:c.y1-h.projectValue(x||0,C,n.series[o])}:{x:c.x1+h.projectValue(l||0,C,n.series[o]),y:c.y1-u.projectValue(x||0,a,n.series[o])},h instanceof ee&&(h.stretch||(B[h.units.pos]+=s*(e.horizontalBars?-1:1)),B[h.units.pos]+=e.stackBars||e.distributeSeries?0:i*e.seriesBarDistance*(e.horizontalBars?-1:1)),y&&(A=x>=0||l>=0?b:E);const M=A[a]||m;if(A[a]=M-(m-B[h.counterUnits.pos]),void 0===t)return;const _={["".concat(h.units.pos,"1")]:B[h.units.pos],["".concat(h.units.pos,"2")]:B[h.units.pos]};e.stackBars&&(v||y||!e.stackMode)?(_["".concat(h.counterUnits.pos,"1")]=M,_["".concat(h.counterUnits.pos,"2")]=A[a]):(_["".concat(h.counterUnits.pos,"1")]=m,_["".concat(h.counterUnits.pos,"2")]=B[h.counterUnits.pos]),_.x1=Math.min(Math.max(_.x1,c.x1),c.x2),_.x2=Math.min(Math.max(_.x2,c.x1),c.x2),_.y1=Math.min(Math.max(_.y1,c.y2),c.y1),_.y2=Math.min(Math.max(_.y2,c.y2),c.y1);const S=k(r,a),N=d.elem("line",_,e.classNames.bar).attr({"ct:value":[l,x].filter(w).join(","),"ct:meta":V(S)});this.eventEmitter.emit("draw",{type:"bar",value:t,index:a,meta:S,series:r,seriesIndex:o,axisX:p,axisY:f,chartRect:c,group:d,element:N,..._})}))}),e.reverseData),this.eventEmitter.emit("created",{chartRect:c,axisX:p,axisY:f,svg:r,options:e})}constructor(e,t,n,r){super(e,t,ie,p({},ie,n),r),this.data=t}}const le={width:void 0,height:void 0,chartPadding:5,classNames:{chartPie:"ct-chart-pie",chartDonut:"ct-chart-donut",series:"ct-series",slicePie:"ct-slice-pie",sliceDonut:"ct-slice-donut",label:"ct-label"},startAngle:0,total:void 0,donut:!1,donutWidth:60,showLabel:!0,labelOffset:0,labelPosition:"inside",labelInterpolationFnc:f,labelDirection:"neutral",ignoreEmptyValues:!1};function se(e,t,n){const r=t.x>e.x;return r&&"explode"===n||!r&&"implode"===n?"start":r&&"implode"===n||!r&&"explode"===n?"end":"middle"}class ce extends Y{createChart(e){const{data:t}=this,n=B(t),r=[];let o,i,s=e.startAngle;const c=O(this.container,e.width,e.height,e.donut?e.classNames.chartDonut:e.classNames.chartPie);this.svg=c;const u=D(c,e);let h=Math.min(u.width()/2,u.height()/2);const p=e.total||n.series.reduce(v,0),f=a(e.donutWidth);"%"===f.unit&&(f.value*=h/100),h-=e.donut?f.value/2:0,i="outside"===e.labelPosition||e.donut?h:"center"===e.labelPosition?0:h/2,e.labelOffset&&(i+=e.labelOffset);const m={x:u.x1+u.width()/2,y:u.y2+u.height()/2},w=1===t.series.filter((e=>g(e,"value")?0!==e.value:0!==e)).length;t.series.forEach(((e,t)=>r[t]=c.elem("g"))),e.showLabel&&(o=c.elem("g")),t.series.forEach(((a,c)=>{var v,b;if(0===n.series[c]&&e.ignoreEmptyValues)return;const x=g(a,"name")&&a.name,k=g(a,"className")&&a.className,E=g(a,"meta")?a.meta:void 0;x&&r[c].attr({"ct:series-name":x}),r[c].addClass([null===(v=e.classNames)||void 0===v?void 0:v.series,k||"".concat(null===(b=e.classNames)||void 0===b?void 0:b.series,"-").concat(l(c))].join(" "));let A=p>0?s+n.series[c]/p*360:0;const C=Math.max(0,s-(0===c||w?0:.2));A-C>=359.99&&(A=C+359.99);const B=d(m.x,m.y,h,C),M=d(m.x,m.y,h,A),_=new q(!e.donut).move(M.x,M.y).arc(h,h,0,Number(A-s>180),0,B.x,B.y);e.donut||_.line(m.x,m.y);const S=r[c].elem("path",{d:_.stringify()},e.donut?e.classNames.sliceDonut:e.classNames.slicePie);if(S.attr({"ct:value":n.series[c],"ct:meta":V(E)}),e.donut&&S.attr({style:"stroke-width: "+f.value+"px"}),this.eventEmitter.emit("draw",{type:"slice",value:n.series[c],totalDataSum:p,index:c,meta:E,series:a,group:r[c],element:S,path:_.clone(),center:m,radius:h,startAngle:s,endAngle:A,chartRect:u}),e.showLabel){let r,l;r=1===t.series.length?{x:m.x,y:m.y}:d(m.x,m.y,i,s+(A-s)/2),l=n.labels&&!y(n.labels[c])?n.labels[c]:n.series[c];const h=e.labelInterpolationFnc(l,c);if(h||0===h){const t=o.elem("text",{dx:r.x,dy:r.y,"text-anchor":se(m,r,e.labelDirection)},e.classNames.label).text(String(h));this.eventEmitter.emit("draw",{type:"label",index:c,group:o,element:t,text:""+h,chartRect:u,series:a,meta:E,...r})}}s=A})),this.eventEmitter.emit("created",{chartRect:u,svg:c,options:e})}constructor(e,t,n,r){super(e,t,le,p({},le,n),r),this.data=t}}},80833:(e,t,n)=>{"use strict";n.d(t,{GB:()=>oe});var r,o,i,a,l=function(){return l=Object.assign||function(e){for(var t,n=1,r=arguments.length;n<r;n++)for(var o in t=arguments[n])Object.prototype.hasOwnProperty.call(t,o)&&(e[o]=t[o]);return e},l.apply(this,arguments)};function s(e,t,n){if(n||2===arguments.length)for(var r,o=0,i=t.length;o<i;o++)!r&&o in t||(r||(r=Array.prototype.slice.call(t,0,o)),r[o]=t[o]);return e.concat(r||Array.prototype.slice.call(t))}!function(e){e.HEX="HEX",e.RGB="RGB",e.HSL="HSL",e.CMYK="CMYK"}(r||(r={})),function(e){e.ANALOGOUS="ANALOGOUS",e.COMPLEMENTARY="COMPLEMENTARY",e.SPLIT_COMPLEMENTARY="SPLIT_COMPLEMENTARY",e.TRIADIC="TRIADIC",e.TETRADIC="TETRADIC",e.SQUARE="SQUARE"}(o||(o={})),function(e){e.ADDITIVE="ADDITIVE",e.SUBTRACTIVE="SUBTRACTIVE"}(i||(i={})),function(e){e.black="#000000",e.silver="#C0C0C0",e.gray="#808080",e.white="#FFFFFF",e.maroon="#800000",e.red="#FF0000",e.purple="#800080",e.fuchsia="#FF00FF",e.green="#008000",e.lime="#00FF00",e.olive="#808000",e.yellow="#FFFF00",e.navy="#000080",e.blue="#0000FF",e.teal="#008080",e.aqua="#00FFFF",e.orange="#FFA500",e.aliceblue="#F0F8FF",e.antiquewhite="#FAEBD7",e.aquamarine="#7FFFD4",e.azure="#F0FFFF",e.beige="#F5F5DC",e.bisque="#FFE4C4",e.blanchedalmond="#FFEBCD",e.blueviolet="#8A2BE2",e.brown="#A52A2A",e.burlywood="#DEB887",e.cadetblue="#5F9EA0",e.chartreuse="#7FFF00",e.chocolate="#D2691E",e.coral="#FF7F50",e.cornflowerblue="#6495ED",e.cornsilk="#FFF8DC",e.crimson="#DC143C",e.cyan="#00FFFF",e.darkblue="#00008B",e.darkcyan="#008B8B",e.darkgoldenrod="#B8860B",e.darkgray="#A9A9A9",e.darkgreen="#006400",e.darkgrey="#A9A9A9",e.darkkhaki="#BDB76B",e.darkmagenta="#8B008B",e.darkolivegreen="#556B2F",e.darkorange="#FF8C00",e.darkorchid="#9932CC",e.darkred="#8B0000",e.darksalmon="#E9967A",e.darkseagreen="#8FBC8F",e.darkslateblue="#483D8B",e.darkslategray="#2F4F4F",e.darkslategrey="#2F4F4F",e.darkturquoise="#00CED1",e.darkviolet="#9400D3",e.deeppink="#FF1493",e.deepskyblue="#00BFFF",e.dimgray="#696969",e.dimgrey="#696969",e.dodgerblue="#1E90FF",e.firebrick="#B22222",e.floralwhite="#FFFAF0",e.forestgreen="#228B22",e.gainsboro="#DCDCDC",e.ghostwhite="#F8F8FF",e.gold="#FFD700",e.goldenrod="#DAA520",e.greenyellow="#ADFF2F",e.grey="#808080",e.honeydew="#F0FFF0",e.hotpink="#FF69B4",e.indianred="#CD5C5C",e.indigo="#4B0082",e.ivory="#FFFFF0",e.khaki="#F0E68C",e.lavender="#E6E6FA",e.lavenderblush="#FFF0F5",e.lawngreen="#7CFC00",e.lemonchiffon="#FFFACD",e.lightblue="#ADD8E6",e.lightcoral="#F08080",e.lightcyan="#E0FFFF",e.lightgoldenrodyellow="#FAFAD2",e.lightgray="#D3D3D3",e.lightgreen="#90EE90",e.lightgrey="#D3D3D3",e.lightpink="#FFB6C1",e.lightsalmon="#FFA07A",e.lightseagreen="#20B2AA",e.lightskyblue="#87CEFA",e.lightslategray="#778899",e.lightslategrey="#778899",e.lightsteelblue="#B0C4DE",e.lightyellow="#FFFFE0",e.limegreen="#32CD32",e.linen="#FAF0E6",e.magenta="#FF00FF",e.mediumaquamarine="#66CDAA",e.mediumblue="#0000CD",e.mediumorchid="#BA55D3",e.mediumpurple="#9370DB",e.mediumseagreen="#3CB371",e.mediumslateblue="#7B68EE",e.mediumspringgreen="#00FA9A",e.mediumturquoise="#48D1CC",e.mediumvioletred="#C71585",e.midnightblue="#191970",e.mintcream="#F5FFFA",e.mistyrose="#FFE4E1",e.moccasin="#FFE4B5",e.navajowhite="#FFDEAD",e.oldlace="#FDF5E6",e.olivedrab="#6B8E23",e.orangered="#FF4500",e.orchid="#DA70D6",e.palegoldenrod="#EEE8AA",e.palegreen="#98FB98",e.paleturquoise="#AFEEEE",e.palevioletred="#DB7093",e.papayawhip="#FFEFD5",e.peachpuff="#FFDAB9",e.peru="#CD853F",e.pink="#FFC0CB",e.plum="#DDA0DD",e.powderblue="#B0E0E6",e.rosybrown="#BC8F8F",e.royalblue="#4169E1",e.saddlebrown="#8B4513",e.salmon="#FA8072",e.sandybrown="#F4A460",e.seagreen="#2E8B57",e.seashell="#FFF5EE",e.sienna="#A0522D",e.skyblue="#87CEEB",e.slateblue="#6A5ACD",e.slategray="#708090",e.slategrey="#708090",e.snow="#FFFAFA",e.springgreen="#00FF7F",e.steelblue="#4682B4",e.tan="#D2B48C",e.thistle="#D8BFD8",e.tomato="#FF6347",e.turquoise="#40E0D0",e.violet="#EE82EE",e.wheat="#F5DEB3",e.whitesmoke="#F5F5F5",e.yellowgreen="#9ACD32",e.rebeccapurple="#663399"}(a||(a={}));var c,u,d,h,p,f,m,v=Object.keys(a),g=((c={})[r.HEX]=/^#(?:([a-f\d])([a-f\d])([a-f\d])([a-f\d])?|([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})?)$/i,c[r.RGB]=/^rgba?\s*\(\s*(?:((?:\d*\.)?\d+%?)\s*,\s*((?:\d*\.)?\d+%?)\s*,\s*((?:\d*\.)?\d+%?)(?:\s*,\s*((?:\d*\.)?\d+))?|((?:\d*\.)?\d+%?)\s*((?:\d*\.)?\d+%?)\s*((?:\d*\.)?\d+%?)(?:\s*\/\s*((?:\d*\.)?\d+%?))?)\s*\)$/,c[r.HSL]=/^hsla?\s*\(\s*(?:(-?(?:\d*\.)?\d+(?:deg|grad|rad|turn)?)\s*,\s*((?:\d*\.)?\d+)%\s*,\s*((?:\d*\.)?\d+)%(?:\s*,\s*((?:\d*\.)?\d+))?|(-?(?:\d*\.)?\d+(?:deg|grad|rad|turn)?)\s*((?:\d*\.)?\d+)%\s*((?:\d*\.)?\d+)%(?:\s*\/\s*((?:\d*\.)?\d+%?))?)\s*\)$/,c[r.CMYK]=/^(?:device-cmyk|cmyk)\s*\(\s*(?:((?:\d*\.)?\d+%?)\s*,\s*((?:\d*\.)?\d+%?)\s*,\s*((?:\d*\.)?\d+%?)\s*,\s*((?:\d*\.)?\d+%?)(?:\s*,\s*((?:\d*\.)?\d+))?|((?:\d*\.)?\d+%?)\s*((?:\d*\.)?\d+%?)\s*((?:\d*\.)?\d+%?)\s*((?:\d*\.)?\d+%?)(?:\s*\/\s*((?:\d*\.)?\d+%?))?)\s*\)$/,c),w=/^(-?(?:\d*\.)?\d+)((?:deg|grad|rad|turn)?)$/,y=/^(\d+(?:\.\d+)?|\.\d+)%$/,b=/^0x([a-f\d]{1,2})$/i,x=function(e,t,n){return n<0&&(n+=6),n>=6&&(n-=6),n<1?Math.round(255*((t-e)*n+e)):n<3?Math.round(255*t):n<4?Math.round(255*((t-e)*(4-n)+e)):Math.round(255*e)},k=function(e,t,n){t/=100;var r=(n/=100)<=.5?n*(t+1):n+t-n*t,o=2*n-r;return{r:x(o,r,2+(e/=60)),g:x(o,r,e),b:x(o,r,e-2)}},E=function(e,t,n,r){return r=1-r,{r:Math.round(255*(1-e)*r),g:Math.round(255*(1-t)*r),b:Math.round(255*(1-n)*r)}},A=function(e,t,n){e/=255,t/=255,n/=255;var r=1-Math.max(e,t,n),o=1-r,i=(o-e)/o,a=(o-t)/o,l=(o-n)/o;return{c:Math.round(100*i),m:Math.round(100*a),y:Math.round(100*l),k:Math.round(100*r)}},C=function(e,t,n,r){void 0===r&&(r=1),e/=255,t/=255,n/=255,r=Math.min(r,1);var o=Math.max(e,t,n),i=Math.min(e,t,n),a=o-i,l=0,s=0,c=(o+i)/2;if(0===a)l=0,s=0;else{switch(o){case e:l=(t-n)/a%6;break;case t:l=(n-e)/a+2;break;case n:l=(e-t)/a+4}(l=Math.round(60*l))<0&&(l+=360),s=a/(1-Math.abs(2*c-1))}return{h:l,s:Math.round(100*s),l:Math.round(100*c),a:r}},B=function(e,t){if(e<0&&(e+=360),e>360&&(e-=360),360===e||0===e)return e;var n=[[0,120],[120,180],[180,240],[240,360]],r=[[0,60],[60,120],[120,240],[240,360]],o=t?r:n,i=0,a=0,l=0,s=0;return(t?n:r).find((function(t,n){return e>=t[0]&&e<t[1]&&(i=t[0],a=t[1],l=o[n][0],s=o[n][1],!0)})),l+(s-l)/(a-i)*(e-i)},M=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},_=function(e){return y.test("".concat(e))?+"".concat(e).replace(y,"$1"):Math.min(+e,100)},S=function(e){return 1===e.length&&(e+=e),parseInt(e,16)},N=function(e){var t=Z(e).toString(16).toUpperCase();return 1===t.length?"0x0".concat(t):"0x".concat(t)},V=function(e){var t=Z(e).toString(16).toUpperCase();return 1===t.length&&(t="0".concat(t)),t},L=function(e,t){return void 0===t&&(t=!1),!t&&y.test(e)?Math.min(255*+e.replace(y,"$1")/100,255):b.test(e)?3===e.length?t?parseInt(e+e.slice(-1))/255:parseInt(e+e.slice(-1)):t?Z(e,6)/255:Z(e,6):Math.min(+e,t?1:255)},T=function(e){return Math.min(y.test(e)?+e.replace(y,"$1")/100:+e,1)},I=function(e){return e.sort().join("").toUpperCase()},Z=function(e,t){void 0===t&&(t=0);var n=Math.pow(10,t);return Math.round(+e*n)/n},O=function(e,t,n){return Math.max(t,Math.min(e,n))},D=((u={})[r.HEX]=function(e){return"#".concat(V(e.r)).concat(V(e.g)).concat(V(e.b)).concat(M(e,"a")&&V(e.a)||"")},u[r.RGB]=function(e){return"rgb".concat(M(e,"a")?"a":"","(").concat(Z(e.r),",").concat(Z(e.g),",").concat(Z(e.b)).concat(M(e,"a")&&",".concat(Z(e.a,2))||"",")")},u[r.HSL]=function(e){return"hsl".concat(M(e,"a")?"a":"","(").concat(Z(e.h),",").concat(Z(e.s),"%,").concat(Z(e.l),"%").concat(M(e,"a")&&",".concat(Z(e.a,2))||"",")")},u[r.CMYK]=function(e){return"cmyk(".concat(Z(e.c),"%,").concat(Z(e.m),"%,").concat(Z(e.y),"%,").concat(Z(e.k),"%").concat(M(e,"a")&&",".concat(Z(e.a,2))||"",")")},u),R=function(e){if("string"==typeof e){var t=e.match(w),n=+t[1];switch(t[2]){case"rad":e=Math.round(180*n/Math.PI);break;case"turn":e=Math.round(360*n);break;default:e=n}}return(e>360||e<0)&&(e-=360*Math.floor(e/360)),e},H=function(e){return"string"==typeof e&&(e=y.test(e)?+e.replace(y,"$1")/100:+e),isNaN(+e)||e>1?1:Z(e,6)},P=function(e,t,n){return t.reduce((function(t,r){return s(s([],t,!0),[l(l({},e),{h:n===i.ADDITIVE?R(e.h+r):R(B(B(e.h,!1)+r,!0))})],!1)}),[l({},e)])},j=function(e,t){return P(e,[30,-30],t)},F=function(e,t){return P(e,[180],t)},z=function(e,t){return P(e,[150,-150],t)},q=function(e,t){return P(e,[120,-120],t)},U=function(e,t){return P(e,[60,-120,180],t)},$=function(e,t){return P(e,[90,-90,180],t)},W=Object.entries(r).reduce((function(e,t){var n=t[0],o=t[1];if(n!==r.HEX){var i=I(n.split(""));e[i]=o,e["A"+i]=o}return e}),{}),G=function(e){return"string"==typeof e?function(e){var t;if(Object.keys(r).some((function(n){if(g[n].test(e))return t=n,!0})),!t&&~v.indexOf(e)&&(t=r.HEX),!t)throw new Error("The provided string color doesn't have a correct format");return t}(e):function(e){var t,n=!1,o=I(Object.keys(e));if(W[o]&&(t=W[o]),t&&t===r.RGB){var i=Object.entries(e).some((function(e){return!b.test("".concat(e[1]))})),a=Object.entries(e).some((function(e){return!(y.test("".concat(e[1]))||!b.test("".concat(e[1]))&&!isNaN(+e[1])&&+e[1]<=255)}));i&&a&&(n=!0),i||(t=r.HEX)}if(!t||n)throw new Error("The provided color object doesn't have the proper keys or format");return t}(e)},K=((d={})[r.HEX]=function(e){var t=(~v.indexOf(e)?a[e]:e).match(g.HEX),n={r:S(t[1]||t[5]),g:S(t[2]||t[6]),b:S(t[3]||t[7])},r=t[4]||t[8];return void 0!==r&&(n.a=S(r)/255),n},d[r.RGB]=function(e){var t=e.match(g.RGB),n=L(t[1]||t[5]),r=L(t[2]||t[6]),o=L(t[3]||t[7]),i=t[4]||t[8],a={r:Math.min(n,255),g:Math.min(r,255),b:Math.min(o,255)};return void 0!==i&&(a.a=H(i)),a},d[r.HSL]=function(e){var t=e.match(g.HSL),n=R(t[1]||t[5]),r=_(t[2]||t[6]),o=_(t[3]||t[7]),i=t[4]||t[8],a=k(n,r,o);return void 0!==i&&(a.a=H(i)),a},d[r.CMYK]=function(e){var t=e.match(g.CMYK),n=T(t[1]||t[6]),r=T(t[2]||t[7]),o=T(t[3]||t[8]),i=T(t[4]||t[9]),a=t[5]||t[10],l=E(n,r,o,i);return void 0!==a&&(l.a=H(a)),l},d),Y=((h={})[r.HEX]=function(e){var t={r:L("".concat(e.r)),g:L("".concat(e.g)),b:L("".concat(e.b))};return M(e,"a")&&(t.a=Math.min(L("".concat(e.a),!0),1)),t},h[r.RGB]=function(e){return this.HEX(e)},h[r.HSL]=function(e){var t=_("".concat(e.s)),n=_("".concat(e.l)),r=k(R(e.h),t,n);return M(e,"a")&&(r.a=H(e.a)),r},h[r.CMYK]=function(e){var t=T("".concat(e.c)),n=T("".concat(e.m)),r=T("".concat(e.y)),o=T("".concat(e.k)),i=E(t,n,r,o);return M(e,"a")&&(i.a=H(e.a)),i},h),X=function(e,t){return void 0===t&&(t=G(e)),"string"==typeof e?K[t](e):Y[t](e)},J=((p={})[r.HEX]=function(e){return{r:N(e.r),g:N(e.g),b:N(e.b)}},p.HEXA=function(e){var t=J.HEX(e);return t.a=M(e,"a")?N(255*e.a):"0xFF",t},p[r.RGB]=function(e){return M(e,"a")&&delete e.a,e},p.RGBA=function(e){return e.a=M(e,"a")?Z(e.a,2):1,e},p[r.HSL]=function(e){var t=C(e.r,e.g,e.b);return delete t.a,t},p.HSLA=function(e){var t=J.HSL(e);return t.a=M(e,"a")?Z(e.a,2):1,t},p[r.CMYK]=function(e){return A(e.r,e.g,e.b)},p.CMYKA=function(e){var t=A(e.r,e.g,e.b);return t.a=M(e,"a")?Z(e.a,2):1,t},p),Q=function(e,t,n){var o=G(e),i="string"==typeof e,a=X(e,o),s="string"==typeof e&&M(a,"a")||"string"!=typeof e&&M(e,"a"),c=C(a.r,a.g,a.b,a.a);s||delete c.a;var u=n?c.l/(t+1):(100-c.l)/(t+1),d=Array(t).fill(null).map((function(e,t){return l(l({},c),{l:c.l+u*(t+1)*(1-2*+n)})}));switch(o){case r.HEX:default:return d.map((function(e){var t=k(e.h,e.s,e.l);return s&&(t.a=e.a),i?s?D.HEX(l(l({},t),{a:Z(255*t.a,6)})):D.HEX(t):s?J.HEXA(t):J.HEX(t)}));case r.RGB:return d.map((function(e){var t=k(e.h,e.s,e.l);return s&&(t.a=e.a),i?D.RGB(t):s?J.RGBA(t):J.RGB(t)}));case r.HSL:return d.map((function(e){return i?D.HSL(e):s?J.HSLA(l(l({},k(e.h,e.s,e.l)),{a:e.a})):J.HSL(k(e.h,e.s,e.l))}))}},ee=((f={buildHarmony:function(e,t,n){var o=G(e),i=X(e,o),a=C(i.r,i.g,i.b,i.a),l="string"==typeof e&&M(i,"a")||"string"!=typeof e&&M(e,"a"),s="string"==typeof e;switch(o){case r.HEX:default:return l?this.HEXA(a,t,n,s):this.HEX(a,t,n,s);case r.HSL:return l?this.HSLA(a,t,n,s):this.HSL(a,t,n,s);case r.RGB:return l?this.RGBA(a,t,n,s):this.RGB(a,t,n,s)}}})[r.HEX]=function(e,t,n,r){return t(e,n).map((function(e){return r?D.HEX(k(e.h,e.s,e.l)):J.HEX(k(e.h,e.s,e.l))}))},f.HEXA=function(e,t,n,r){return t(e,n).map((function(e){return r?D.HEX(l(l({},k(e.h,e.s,e.l)),{a:255*H(e.a)})):J.HEXA(l(l({},k(e.h,e.s,e.l)),{a:H(e.a)}))}))},f[r.RGB]=function(e,t,n,r){return t(e,n).map((function(e){return r?D.RGB(k(e.h,e.s,e.l)):J.RGB(k(e.h,e.s,e.l))}))},f.RGBA=function(e,t,n,r){return t(e,n).map((function(e){return r?D.RGB(l(l({},k(e.h,e.s,e.l)),{a:H(e.a)})):J.RGBA(l(l({},k(e.h,e.s,e.l)),{a:H(e.a)}))}))},f[r.HSL]=function(e,t,n,r){return t(e,n).map((function(e){return r?D.HSL({h:e.h,s:e.s,l:e.l}):J.HSL(k(e.h,e.s,e.l))}))},f.HSLA=function(e,t,n,r){return t(e,n).map((function(e){return r?D.HSL(l(l({},e),{a:H(e.a)})):J.HSLA(l(l({},k(e.h,e.s,e.l)),{a:H(e.a)}))}))},f),te=((m={mix:function(e,t){var n,r,o,a,s,c,u,d,h,p,f,m,v,g,w,y=e.map((function(e){var t=G(e);return X(e,t)})),b=t===i.SUBTRACTIVE?y.map((function(e){var t,n,r,o,i,a,l,s,c,u,d,h,p,f,m=(t=e.r,n=e.g,r=e.b,o=Math.min(t,n,r),i=Math.min(255-t,255-n,255-r),l=n-o,s=r-o,u=(a=t-o)-(c=Math.min(a,l)),d=(l+c)/2,h=(s+l-c)/2,p=Math.max(u,d,h)/Math.max(a,l,s),{r:u/(f=isNaN(p)||p===1/0||p<=0?1:p)+i,y:d/f+i,b:h/f+i});return M(e,"a")&&(m.a=e.a),m})):null;function x(e){var n=t===i.ADDITIVE?{r:0,g:0,b:0,a:0}:{r:0,y:0,b:0,a:0};return e.reduce((function(e,n){var r=M(n,"a")?n.a:1,o={r:Math.min(e.r+n.r*r,255),b:Math.min(e.b+n.b*r,255),a:1-(1-r)*(1-e.a)},a="g"in e?e.g:e.y,s="g"in n?n.g:n.y;return l(l({},o),t===i.ADDITIVE?{g:Math.min(a+s*r,255)}:{y:Math.min(a+s*r,255)})}),n)}if(t===i.ADDITIVE)n=x(y);else{var k=x(b);r=k.r,o=k.y,a=k.b,s=Math.min(r,o,a),c=Math.min(255-r,255-o,255-a),h=a-s,f=(u=r-s)+(d=o-s)-(p=Math.min(d,h)),m=d+p,v=2*(h-p),g=Math.max(f,m,v)/Math.max(u,d,h),(n={r:f/(w=isNaN(g)||g===1/0||g<=0?1:g)+c,g:m/w+c,b:v/w+c}).a=k.a}return{r:Z(n.r,2),g:Z(n.g,2),b:Z(n.b,2),a:O(n.a,0,1)}}})[r.HEX]=function(e,t,n){var r=this.mix(e,t);return delete r.a,n?D.HEX(r):J.HEX(r)},m.HEXA=function(e,t,n){var r=this.mix(e,t);return r.a=n?255*H(r.a):H(r.a),n?D.HEX(r):J.HEXA(r)},m[r.RGB]=function(e,t,n){var r=this.mix(e,t);return delete r.a,n?D.RGB(r):J.RGB(r)},m.RGBA=function(e,t,n){var r=this.mix(e,t);return n?D.RGB(r):J.RGBA(r)},m[r.HSL]=function(e,t,n){var r=this.mix(e,t),o=C(r.r,r.g,r.b);return delete r.a,delete o.a,n?D.HSL(o):J.HSL(r)},m.HSLA=function(e,t,n){var r=this.mix(e,t),o=C(r.r,r.g,r.b,r.a);return n?D.HSL(o):J.HSLA(r)},m),ne=function(e,t,n,r,o){var i=r(X(e,t));return n?o(i):i},re=function(e,t,n,r,o,i){n<1&&(n=5);var a=function(e,t,n){var r=n-1,o=(t.r-e.r)/r,i=(t.g-e.g)/r,a=(t.b-e.b)/r,l=H(e.a),s=(H(t.a)-l)/r;return Array(n).fill(null).map((function(n,c){return 0===c?e:c===r?t:{r:Z(e.r+o*c),g:Z(e.g+i*c),b:Z(e.b+a*c),a:Z(l+s*c,2)}}))}(X(e),X(t),n);return a.map((function(e){var t=o(e);return r?i(t):t}))},oe=function(){function e(e){this.rgb=X(e),this.updateHSL(),this.updateCMYK()}return e.prototype.updateRGB=function(){this.rgb=l(l({},k(this.hsl.h,this.hsl.s,this.hsl.l)),{a:this.hsl.a})},e.prototype.updateRGBFromCMYK=function(){this.rgb=l(l({},E(this.cmyk.c,this.cmyk.m,this.cmyk.y,this.cmyk.k)),{a:this.rgb.a})},e.prototype.updateHSL=function(){this.hsl=C(this.rgb.r,this.rgb.g,this.rgb.b,this.rgb.a)},e.prototype.updateCMYK=function(){this.cmyk=A(this.rgb.r,this.rgb.g,this.rgb.b)},e.prototype.updateRGBAndCMYK=function(){return this.updateRGB(),this.updateCMYK(),this},e.prototype.updateHSLAndCMYK=function(){return this.updateHSL(),this.updateCMYK(),this},e.prototype.updateRGBAndHSL=function(){return this.updateRGBFromCMYK(),this.updateHSL(),this},e.prototype.setH=function(e){return this.hsl.h=R(e),this.updateRGBAndCMYK()},e.prototype.setS=function(e){return this.hsl.s=O(e,0,100),this.updateRGBAndCMYK()},e.prototype.setL=function(e){return this.hsl.l=O(e,0,100),this.updateRGBAndCMYK()},e.prototype.setR=function(e){return this.rgb.r=O(e,0,255),this.updateHSLAndCMYK()},e.prototype.setG=function(e){return this.rgb.g=O(e,0,255),this.updateHSLAndCMYK()},e.prototype.setB=function(e){return this.rgb.b=O(e,0,255),this.updateHSLAndCMYK()},e.prototype.setA=function(e){return this.hsl.a=this.rgb.a=O(e,0,1),this},e.prototype.setC=function(e){return this.cmyk.c=O(e,0,100),this.updateRGBAndHSL()},e.prototype.setM=function(e){return this.cmyk.m=O(e,0,100),this.updateRGBAndHSL()},e.prototype.setY=function(e){return this.cmyk.y=O(e,0,100),this.updateRGBAndHSL()},e.prototype.setK=function(e){return this.cmyk.k=O(e,0,100),this.updateRGBAndHSL()},Object.defineProperty(e.prototype,"H",{get:function(){return Z(this.hsl.h)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"S",{get:function(){return Z(this.hsl.s)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"L",{get:function(){return Z(this.hsl.l)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"R",{get:function(){return Z(this.rgb.r)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"G",{get:function(){return Z(this.rgb.g)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"B",{get:function(){return Z(this.rgb.b)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"A",{get:function(){return Z(this.hsl.a,2)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"C",{get:function(){return Z(this.cmyk.c)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"M",{get:function(){return Z(this.cmyk.m)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"Y",{get:function(){return Z(this.cmyk.y)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"K",{get:function(){return Z(this.cmyk.k)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HEXObject",{get:function(){return J.HEX(this.rgb)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HEXAObject",{get:function(){return J.HEXA(this.rgb)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"RGBObject",{get:function(){return{r:this.R,g:this.G,b:this.B}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"RGBAObject",{get:function(){return l(l({},this.RGBObject),{a:this.hsl.a})},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HSLObject",{get:function(){return{h:this.H,s:this.S,l:this.L}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HSLAObject",{get:function(){return l(l({},this.HSLObject),{a:this.hsl.a})},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"CMYKObject",{get:function(){return{c:this.C,m:this.M,y:this.Y,k:this.K}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"CMYKAObject",{get:function(){return{c:this.C,m:this.M,y:this.Y,k:this.K,a:this.hsl.a}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HEX",{get:function(){var e=this.rgb,t={r:e.r,g:e.g,b:e.b};return D.HEX(t)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HEXA",{get:function(){var e=this.rgb,t={r:e.r,g:e.g,b:e.b,a:255*this.hsl.a};return D.HEX(t)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"RGB",{get:function(){var e=this.rgb,t={r:e.r,g:e.g,b:e.b};return D.RGB(t)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"RGBA",{get:function(){var e=this.rgb,t={r:e.r,g:e.g,b:e.b,a:this.hsl.a};return D.RGB(t)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HSL",{get:function(){var e=this.hsl,t={h:e.h,s:e.s,l:e.l};return D.HSL(t)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HSLA",{get:function(){return D.HSL(this.hsl)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"CMYK",{get:function(){return D.CMYK(this.cmyk)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"CMYKA",{get:function(){return D.CMYK(l(l({},this.cmyk),{a:this.hsl.a}))},enumerable:!1,configurable:!0}),e.toHEX=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.HEX,D.HEX)},e.toHEXA=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.HEXA,D.HEX)},e.toRGB=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.RGB,D.RGB)},e.toRGBA=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.RGBA,D.RGB)},e.toHSL=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.HSL,D.HSL)},e.toHSLA=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.HSLA,D.HSL)},e.toCMYK=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.CMYK,D.CMYK)},e.toCMYKA=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.CMYKA,D.CMYK)},e.getBlendHEX=function(e,t,n,r){return void 0===n&&(n=5),void 0===r&&(r=!0),re(e,t,n,r,J.HEX,D.HEX)},e.getBlendHEXA=function(e,t,n,r){return void 0===n&&(n=5),void 0===r&&(r=!0),re(e,t,n,r,J.HEXA,D.HEX)},e.getBlendRGB=function(e,t,n,r){return void 0===n&&(n=5),void 0===r&&(r=!0),re(e,t,n,r,J.RGB,D.RGB)},e.getBlendRGBA=function(e,t,n,r){return void 0===n&&(n=5),void 0===r&&(r=!0),re(e,t,n,r,J.RGBA,D.RGB)},e.getBlendHSL=function(e,t,n,r){return void 0===n&&(n=5),void 0===r&&(r=!0),re(e,t,n,r,J.HSL,D.HSL)},e.getBlendHSLA=function(e,t,n,r){return void 0===n&&(n=5),void 0===r&&(r=!0),re(e,t,n,r,J.HSLA,D.HSL)},e.getMixHEX=function(e,t,n){return void 0===t&&(t=i.ADDITIVE),void 0===n&&(n=!0),te.HEX(e,t,n)},e.getMixHEXA=function(e,t,n){return void 0===t&&(t=i.ADDITIVE),void 0===n&&(n=!0),te.HEXA(e,t,n)},e.getMixRGB=function(e,t,n){return void 0===t&&(t=i.ADDITIVE),void 0===n&&(n=!0),te.RGB(e,t,n)},e.getMixRGBA=function(e,t,n){return void 0===t&&(t=i.ADDITIVE),void 0===n&&(n=!0),te.RGBA(e,t,n)},e.getMixHSL=function(e,t,n){return void 0===t&&(t=i.ADDITIVE),void 0===n&&(n=!0),te.HSL(e,t,n)},e.getMixHSLA=function(e,t,n){return void 0===t&&(t=i.ADDITIVE),void 0===n&&(n=!0),te.HSLA(e,t,n)},e.getShades=function(e,t){return Q(e,t,!0)},e.getTints=function(e,t){return Q(e,t,!1)},e.getHarmony=function(e,t,n){switch(void 0===t&&(t=o.COMPLEMENTARY),void 0===n&&(n=i.ADDITIVE),t){case o.ANALOGOUS:return ee.buildHarmony(e,j,n);case o.SPLIT_COMPLEMENTARY:return ee.buildHarmony(e,z,n);case o.TRIADIC:return ee.buildHarmony(e,q,n);case o.TETRADIC:return ee.buildHarmony(e,U,n);case o.SQUARE:return ee.buildHarmony(e,$,n);default:return ee.buildHarmony(e,F,n)}},e}()},63218:(e,t,n)=>{"use strict";n.d(t,{Ie:()=>Je,Ay:()=>Qe});var r=n(29726),o=n(95361),i=n(97193);function a(e){var t;return(null==(t=e.ownerDocument)?void 0:t.defaultView)||window}function l(e){return a(e).getComputedStyle(e)}const s=Math.min,c=Math.max,u=Math.round;function d(e){const t=l(e);let n=parseFloat(t.width),r=parseFloat(t.height);const o=e.offsetWidth,i=e.offsetHeight,a=u(n)!==o||u(r)!==i;return a&&(n=o,r=i),{width:n,height:r,fallback:a}}function h(e){return g(e)?(e.nodeName||"").toLowerCase():""}let p;function f(){if(p)return p;const e=navigator.userAgentData;return e&&Array.isArray(e.brands)?(p=e.brands.map((e=>e.brand+"/"+e.version)).join(" "),p):navigator.userAgent}function m(e){return e instanceof a(e).HTMLElement}function v(e){return e instanceof a(e).Element}function g(e){return e instanceof a(e).Node}function w(e){return"undefined"!=typeof ShadowRoot&&(e instanceof a(e).ShadowRoot||e instanceof ShadowRoot)}function y(e){const{overflow:t,overflowX:n,overflowY:r,display:o}=l(e);return/auto|scroll|overlay|hidden|clip/.test(t+r+n)&&!["inline","contents"].includes(o)}function b(e){return["table","td","th"].includes(h(e))}function x(e){const t=/firefox/i.test(f()),n=l(e),r=n.backdropFilter||n.WebkitBackdropFilter;return"none"!==n.transform||"none"!==n.perspective||!!r&&"none"!==r||t&&"filter"===n.willChange||t&&!!n.filter&&"none"!==n.filter||["transform","perspective"].some((e=>n.willChange.includes(e)))||["paint","layout","strict","content"].some((e=>{const t=n.contain;return null!=t&&t.includes(e)}))}function k(){return!/^((?!chrome|android).)*safari/i.test(f())}function E(e){return["html","body","#document"].includes(h(e))}function A(e){return v(e)?e:e.contextElement}const C={x:1,y:1};function B(e){const t=A(e);if(!m(t))return C;const n=t.getBoundingClientRect(),{width:r,height:o,fallback:i}=d(t);let a=(i?u(n.width):n.width)/r,l=(i?u(n.height):n.height)/o;return a&&Number.isFinite(a)||(a=1),l&&Number.isFinite(l)||(l=1),{x:a,y:l}}function M(e,t,n,r){var o,i;void 0===t&&(t=!1),void 0===n&&(n=!1);const l=e.getBoundingClientRect(),s=A(e);let c=C;t&&(r?v(r)&&(c=B(r)):c=B(e));const u=s?a(s):window,d=!k()&&n;let h=(l.left+(d&&(null==(o=u.visualViewport)?void 0:o.offsetLeft)||0))/c.x,p=(l.top+(d&&(null==(i=u.visualViewport)?void 0:i.offsetTop)||0))/c.y,f=l.width/c.x,m=l.height/c.y;if(s){const e=a(s),t=r&&v(r)?a(r):r;let n=e.frameElement;for(;n&&r&&t!==e;){const e=B(n),t=n.getBoundingClientRect(),r=getComputedStyle(n);t.x+=(n.clientLeft+parseFloat(r.paddingLeft))*e.x,t.y+=(n.clientTop+parseFloat(r.paddingTop))*e.y,h*=e.x,p*=e.y,f*=e.x,m*=e.y,h+=t.x,p+=t.y,n=a(n).frameElement}}return{width:f,height:m,top:p,right:h+f,bottom:p+m,left:h,x:h,y:p}}function _(e){return((g(e)?e.ownerDocument:e.document)||window.document).documentElement}function S(e){return v(e)?{scrollLeft:e.scrollLeft,scrollTop:e.scrollTop}:{scrollLeft:e.pageXOffset,scrollTop:e.pageYOffset}}function N(e){return M(_(e)).left+S(e).scrollLeft}function V(e){if("html"===h(e))return e;const t=e.assignedSlot||e.parentNode||w(e)&&e.host||_(e);return w(t)?t.host:t}function L(e){const t=V(e);return E(t)?t.ownerDocument.body:m(t)&&y(t)?t:L(t)}function T(e,t){var n;void 0===t&&(t=[]);const r=L(e),o=r===(null==(n=e.ownerDocument)?void 0:n.body),i=a(r);return o?t.concat(i,i.visualViewport||[],y(r)?r:[]):t.concat(r,T(r))}function I(e,t,n){return"viewport"===t?(0,i.B1)(function(e,t){const n=a(e),r=_(e),o=n.visualViewport;let i=r.clientWidth,l=r.clientHeight,s=0,c=0;if(o){i=o.width,l=o.height;const e=k();(e||!e&&"fixed"===t)&&(s=o.offsetLeft,c=o.offsetTop)}return{width:i,height:l,x:s,y:c}}(e,n)):v(t)?(0,i.B1)(function(e,t){const n=M(e,!0,"fixed"===t),r=n.top+e.clientTop,o=n.left+e.clientLeft,i=m(e)?B(e):{x:1,y:1};return{width:e.clientWidth*i.x,height:e.clientHeight*i.y,x:o*i.x,y:r*i.y}}(t,n)):(0,i.B1)(function(e){const t=_(e),n=S(e),r=e.ownerDocument.body,o=c(t.scrollWidth,t.clientWidth,r.scrollWidth,r.clientWidth),i=c(t.scrollHeight,t.clientHeight,r.scrollHeight,r.clientHeight);let a=-n.scrollLeft+N(e);const s=-n.scrollTop;return"rtl"===l(r).direction&&(a+=c(t.clientWidth,r.clientWidth)-o),{width:o,height:i,x:a,y:s}}(_(e)))}function Z(e){return m(e)&&"fixed"!==l(e).position?e.offsetParent:null}function O(e){const t=a(e);let n=Z(e);for(;n&&b(n)&&"static"===l(n).position;)n=Z(n);return n&&("html"===h(n)||"body"===h(n)&&"static"===l(n).position&&!x(n))?t:n||function(e){let t=V(e);for(;m(t)&&!E(t);){if(x(t))return t;t=V(t)}return null}(e)||t}function D(e,t,n){const r=m(t),o=_(t),i=M(e,!0,"fixed"===n,t);let a={scrollLeft:0,scrollTop:0};const l={x:0,y:0};if(r||!r&&"fixed"!==n)if(("body"!==h(t)||y(o))&&(a=S(t)),m(t)){const e=M(t,!0);l.x=e.x+t.clientLeft,l.y=e.y+t.clientTop}else o&&(l.x=N(o));return{x:i.left+a.scrollLeft-l.x,y:i.top+a.scrollTop-l.y,width:i.width,height:i.height}}const R={getClippingRect:function(e){let{element:t,boundary:n,rootBoundary:r,strategy:o}=e;const i="clippingAncestors"===n?function(e,t){const n=t.get(e);if(n)return n;let r=T(e).filter((e=>v(e)&&"body"!==h(e))),o=null;const i="fixed"===l(e).position;let a=i?V(e):e;for(;v(a)&&!E(a);){const e=l(a),t=x(a);(i?t||o:t||"static"!==e.position||!o||!["absolute","fixed"].includes(o.position))?o=e:r=r.filter((e=>e!==a)),a=V(a)}return t.set(e,r),r}(t,this._c):[].concat(n),a=[...i,r],u=a[0],d=a.reduce(((e,n)=>{const r=I(t,n,o);return e.top=c(r.top,e.top),e.right=s(r.right,e.right),e.bottom=s(r.bottom,e.bottom),e.left=c(r.left,e.left),e}),I(t,u,o));return{width:d.right-d.left,height:d.bottom-d.top,x:d.left,y:d.top}},convertOffsetParentRelativeRectToViewportRelativeRect:function(e){let{rect:t,offsetParent:n,strategy:r}=e;const o=m(n),i=_(n);if(n===i)return t;let a={scrollLeft:0,scrollTop:0},l={x:1,y:1};const s={x:0,y:0};if((o||!o&&"fixed"!==r)&&(("body"!==h(n)||y(i))&&(a=S(n)),m(n))){const e=M(n);l=B(n),s.x=e.x+n.clientLeft,s.y=e.y+n.clientTop}return{width:t.width*l.x,height:t.height*l.y,x:t.x*l.x-a.scrollLeft*l.x+s.x,y:t.y*l.y-a.scrollTop*l.y+s.y}},isElement:v,getDimensions:function(e){return m(e)?d(e):e.getBoundingClientRect()},getOffsetParent:O,getDocumentElement:_,getScale:B,async getElementRects(e){let{reference:t,floating:n,strategy:r}=e;const o=this.getOffsetParent||O,i=this.getDimensions;return{reference:D(t,await o(n),r),floating:{x:0,y:0,...await i(n)}}},getClientRects:e=>Array.from(e.getClientRects()),isRTL:e=>"rtl"===l(e).direction};function H(e,t){for(const n in t)Object.prototype.hasOwnProperty.call(t,n)&&("object"==typeof t[n]&&e[n]?H(e[n],t[n]):e[n]=t[n])}const P={disabled:!1,distance:5,skidding:0,container:"body",boundary:void 0,instantMove:!1,disposeTimeout:0,popperTriggers:[],strategy:"absolute",preventOverflow:!0,flip:!0,shift:!0,overflowPadding:0,arrowPadding:0,arrowOverflow:!0,themes:{tooltip:{placement:"top",triggers:["hover","focus","touch"],hideTriggers:e=>[...e,"click"],delay:{show:200,hide:0},handleResize:!1,html:!1,loadingContent:"..."},dropdown:{placement:"bottom",triggers:["click"],delay:0,handleResize:!0,autoHide:!0},menu:{$extend:"dropdown",triggers:["hover","focus"],popperTriggers:["hover","focus"],delay:{show:0,hide:400}}}};function j(e,t){let n,r=P.themes[e]||{};do{n=r[t],typeof n>"u"?r.$extend?r=P.themes[r.$extend]||{}:(r=null,n=P[t]):r=null}while(r);return n}function F(e){const t=[e];let n=P.themes[e]||{};do{n.$extend?(t.push(n.$extend),n=P.themes[n.$extend]||{}):n=null}while(n);return t}let z=!1;if(typeof window<"u"){z=!1;try{const e=Object.defineProperty({},"passive",{get(){z=!0}});window.addEventListener("test",null,e)}catch{}}let q=!1;typeof window<"u"&&typeof navigator<"u"&&(q=/iPad|iPhone|iPod/.test(navigator.userAgent)&&!window.MSStream);const U=["auto","top","bottom","left","right"].reduce(((e,t)=>e.concat([t,`${t}-start`,`${t}-end`])),[]),$={hover:"mouseenter",focus:"focus",click:"click",touch:"touchstart",pointer:"pointerdown"},W={hover:"mouseleave",focus:"blur",click:"click",touch:"touchend",pointer:"pointerup"};function G(e,t){const n=e.indexOf(t);-1!==n&&e.splice(n,1)}function K(){return new Promise((e=>requestAnimationFrame((()=>{requestAnimationFrame(e)}))))}const Y=[];let X=null;const J={};function Q(e){let t=J[e];return t||(t=J[e]=[]),t}let ee=function(){};function te(e){return function(t){return j(t.theme,e)}}typeof window<"u"&&(ee=window.Element);const ne="__floating-vue__popper",re=()=>(0,r.defineComponent)({name:"VPopper",provide(){return{[ne]:{parentPopper:this}}},inject:{[ne]:{default:null}},props:{theme:{type:String,required:!0},targetNodes:{type:Function,required:!0},referenceNode:{type:Function,default:null},popperNode:{type:Function,required:!0},shown:{type:Boolean,default:!1},showGroup:{type:String,default:null},ariaId:{default:null},disabled:{type:Boolean,default:te("disabled")},positioningDisabled:{type:Boolean,default:te("positioningDisabled")},placement:{type:String,default:te("placement"),validator:e=>U.includes(e)},delay:{type:[String,Number,Object],default:te("delay")},distance:{type:[Number,String],default:te("distance")},skidding:{type:[Number,String],default:te("skidding")},triggers:{type:Array,default:te("triggers")},showTriggers:{type:[Array,Function],default:te("showTriggers")},hideTriggers:{type:[Array,Function],default:te("hideTriggers")},popperTriggers:{type:Array,default:te("popperTriggers")},popperShowTriggers:{type:[Array,Function],default:te("popperShowTriggers")},popperHideTriggers:{type:[Array,Function],default:te("popperHideTriggers")},container:{type:[String,Object,ee,Boolean],default:te("container")},boundary:{type:[String,ee],default:te("boundary")},strategy:{type:String,validator:e=>["absolute","fixed"].includes(e),default:te("strategy")},autoHide:{type:[Boolean,Function],default:te("autoHide")},handleResize:{type:Boolean,default:te("handleResize")},instantMove:{type:Boolean,default:te("instantMove")},eagerMount:{type:Boolean,default:te("eagerMount")},popperClass:{type:[String,Array,Object],default:te("popperClass")},computeTransformOrigin:{type:Boolean,default:te("computeTransformOrigin")},autoMinSize:{type:Boolean,default:te("autoMinSize")},autoSize:{type:[Boolean,String],default:te("autoSize")},autoMaxSize:{type:Boolean,default:te("autoMaxSize")},autoBoundaryMaxSize:{type:Boolean,default:te("autoBoundaryMaxSize")},preventOverflow:{type:Boolean,default:te("preventOverflow")},overflowPadding:{type:[Number,String],default:te("overflowPadding")},arrowPadding:{type:[Number,String],default:te("arrowPadding")},arrowOverflow:{type:Boolean,default:te("arrowOverflow")},flip:{type:Boolean,default:te("flip")},shift:{type:Boolean,default:te("shift")},shiftCrossAxis:{type:Boolean,default:te("shiftCrossAxis")},noAutoFocus:{type:Boolean,default:te("noAutoFocus")},disposeTimeout:{type:Number,default:te("disposeTimeout")}},emits:{show:()=>!0,hide:()=>!0,"update:shown":e=>!0,"apply-show":()=>!0,"apply-hide":()=>!0,"close-group":()=>!0,"close-directive":()=>!0,"auto-hide":()=>!0,resize:()=>!0},data(){return{isShown:!1,isMounted:!1,skipTransition:!1,classes:{showFrom:!1,showTo:!1,hideFrom:!1,hideTo:!0},result:{x:0,y:0,placement:"",strategy:this.strategy,arrow:{x:0,y:0,centerOffset:0},transformOrigin:null},shownChildren:new Set,lastAutoHide:!0}},computed:{popperId(){return null!=this.ariaId?this.ariaId:this.randomId},shouldMountContent(){return this.eagerMount||this.isMounted},slotData(){return{popperId:this.popperId,isShown:this.isShown,shouldMountContent:this.shouldMountContent,skipTransition:this.skipTransition,autoHide:"function"==typeof this.autoHide?this.lastAutoHide:this.autoHide,show:this.show,hide:this.hide,handleResize:this.handleResize,onResize:this.onResize,classes:{...this.classes,popperClass:this.popperClass},result:this.positioningDisabled?null:this.result,attrs:this.$attrs}},parentPopper(){var e;return null==(e=this[ne])?void 0:e.parentPopper},hasPopperShowTriggerHover(){var e,t;return(null==(e=this.popperTriggers)?void 0:e.includes("hover"))||(null==(t=this.popperShowTriggers)?void 0:t.includes("hover"))}},watch:{shown:"$_autoShowHide",disabled(e){e?this.dispose():this.init()},async container(){this.isShown&&(this.$_ensureTeleport(),await this.$_computePosition())},...["triggers","positioningDisabled"].reduce(((e,t)=>(e[t]="$_refreshListeners",e)),{}),...["placement","distance","skidding","boundary","strategy","overflowPadding","arrowPadding","preventOverflow","shift","shiftCrossAxis","flip"].reduce(((e,t)=>(e[t]="$_computePosition",e)),{})},created(){this.$_isDisposed=!0,this.randomId=`popper_${[Math.random(),Date.now()].map((e=>e.toString(36).substring(2,10))).join("_")}`,this.autoMinSize&&console.warn('[floating-vue] `autoMinSize` option is deprecated. Use `autoSize="min"` instead.'),this.autoMaxSize&&console.warn("[floating-vue] `autoMaxSize` option is deprecated. Use `autoBoundaryMaxSize` instead.")},mounted(){this.init(),this.$_detachPopperNode()},activated(){this.$_autoShowHide()},deactivated(){this.hide()},beforeUnmount(){this.dispose()},methods:{show({event:e=null,skipDelay:t=!1,force:n=!1}={}){var r,o;null!=(r=this.parentPopper)&&r.lockedChild&&this.parentPopper.lockedChild!==this||(this.$_pendingHide=!1,(n||!this.disabled)&&((null==(o=this.parentPopper)?void 0:o.lockedChild)===this&&(this.parentPopper.lockedChild=null),this.$_scheduleShow(e,t),this.$emit("show"),this.$_showFrameLocked=!0,requestAnimationFrame((()=>{this.$_showFrameLocked=!1}))),this.$emit("update:shown",!0))},hide({event:e=null,skipDelay:t=!1}={}){var n;if(!this.$_hideInProgress){if(this.shownChildren.size>0)return void(this.$_pendingHide=!0);if(this.hasPopperShowTriggerHover&&this.$_isAimingPopper())return void(this.parentPopper&&(this.parentPopper.lockedChild=this,clearTimeout(this.parentPopper.lockedChildTimer),this.parentPopper.lockedChildTimer=setTimeout((()=>{this.parentPopper.lockedChild===this&&(this.parentPopper.lockedChild.hide({skipDelay:t}),this.parentPopper.lockedChild=null)}),1e3)));(null==(n=this.parentPopper)?void 0:n.lockedChild)===this&&(this.parentPopper.lockedChild=null),this.$_pendingHide=!1,this.$_scheduleHide(e,t),this.$emit("hide"),this.$emit("update:shown",!1)}},init(){var e;this.$_isDisposed&&(this.$_isDisposed=!1,this.isMounted=!1,this.$_events=[],this.$_preventShow=!1,this.$_referenceNode=(null==(e=this.referenceNode)?void 0:e.call(this))??this.$el,this.$_targetNodes=this.targetNodes().filter((e=>e.nodeType===e.ELEMENT_NODE)),this.$_popperNode=this.popperNode(),this.$_innerNode=this.$_popperNode.querySelector(".v-popper__inner"),this.$_arrowNode=this.$_popperNode.querySelector(".v-popper__arrow-container"),this.$_swapTargetAttrs("title","data-original-title"),this.$_detachPopperNode(),this.triggers.length&&this.$_addEventListeners(),this.shown&&this.show())},dispose(){this.$_isDisposed||(this.$_isDisposed=!0,this.$_removeEventListeners(),this.hide({skipDelay:!0}),this.$_detachPopperNode(),this.isMounted=!1,this.isShown=!1,this.$_updateParentShownChildren(!1),this.$_swapTargetAttrs("data-original-title","title"))},async onResize(){this.isShown&&(await this.$_computePosition(),this.$emit("resize"))},async $_computePosition(){if(this.$_isDisposed||this.positioningDisabled)return;const e={strategy:this.strategy,middleware:[]};(this.distance||this.skidding)&&e.middleware.push((0,o.cY)({mainAxis:this.distance,crossAxis:this.skidding}));const t=this.placement.startsWith("auto");if(t?e.middleware.push((0,o.RK)({alignment:this.placement.split("-")[1]??""})):e.placement=this.placement,this.preventOverflow&&(this.shift&&e.middleware.push((0,o.BN)({padding:this.overflowPadding,boundary:this.boundary,crossAxis:this.shiftCrossAxis})),!t&&this.flip&&e.middleware.push((0,o.UU)({padding:this.overflowPadding,boundary:this.boundary}))),e.middleware.push((0,o.UE)({element:this.$_arrowNode,padding:this.arrowPadding})),this.arrowOverflow&&e.middleware.push({name:"arrowOverflow",fn:({placement:e,rects:t,middlewareData:n})=>{let r;const{centerOffset:o}=n.arrow;return r=e.startsWith("top")||e.startsWith("bottom")?Math.abs(o)>t.reference.width/2:Math.abs(o)>t.reference.height/2,{data:{overflow:r}}}}),this.autoMinSize||this.autoSize){const t=this.autoSize?this.autoSize:this.autoMinSize?"min":null;e.middleware.push({name:"autoSize",fn:({rects:e,placement:n,middlewareData:r})=>{var o;if(null!=(o=r.autoSize)&&o.skip)return{};let i,a;return n.startsWith("top")||n.startsWith("bottom")?i=e.reference.width:a=e.reference.height,this.$_innerNode.style["min"===t?"minWidth":"max"===t?"maxWidth":"width"]=null!=i?`${i}px`:null,this.$_innerNode.style["min"===t?"minHeight":"max"===t?"maxHeight":"height"]=null!=a?`${a}px`:null,{data:{skip:!0},reset:{rects:!0}}}})}(this.autoMaxSize||this.autoBoundaryMaxSize)&&(this.$_innerNode.style.maxWidth=null,this.$_innerNode.style.maxHeight=null,e.middleware.push((0,o.Ej)({boundary:this.boundary,padding:this.overflowPadding,apply:({availableWidth:e,availableHeight:t})=>{this.$_innerNode.style.maxWidth=null!=e?`${e}px`:null,this.$_innerNode.style.maxHeight=null!=t?`${t}px`:null}})));const n=await((e,t,n)=>{const r=new Map,i={platform:R,...n},a={...i.platform,_c:r};return(0,o.rD)(e,t,{...i,platform:a})})(this.$_referenceNode,this.$_popperNode,e);Object.assign(this.result,{x:n.x,y:n.y,placement:n.placement,strategy:n.strategy,arrow:{...n.middlewareData.arrow,...n.middlewareData.arrowOverflow}})},$_scheduleShow(e=null,t=!1){if(this.$_updateParentShownChildren(!0),this.$_hideInProgress=!1,clearTimeout(this.$_scheduleTimer),X&&this.instantMove&&X.instantMove&&X!==this.parentPopper)return X.$_applyHide(!0),void this.$_applyShow(!0);t?this.$_applyShow():this.$_scheduleTimer=setTimeout(this.$_applyShow.bind(this),this.$_computeDelay("show"))},$_scheduleHide(e=null,t=!1){this.shownChildren.size>0?this.$_pendingHide=!0:(this.$_updateParentShownChildren(!1),this.$_hideInProgress=!0,clearTimeout(this.$_scheduleTimer),this.isShown&&(X=this),t?this.$_applyHide():this.$_scheduleTimer=setTimeout(this.$_applyHide.bind(this),this.$_computeDelay("hide")))},$_computeDelay(e){const t=this.delay;return parseInt(t&&t[e]||t||0)},async $_applyShow(e=!1){clearTimeout(this.$_disposeTimer),clearTimeout(this.$_scheduleTimer),this.skipTransition=e,!this.isShown&&(this.$_ensureTeleport(),await K(),await this.$_computePosition(),await this.$_applyShowEffect(),this.positioningDisabled||this.$_registerEventListeners([...T(this.$_referenceNode),...T(this.$_popperNode)],"scroll",(()=>{this.$_computePosition()})))},async $_applyShowEffect(){if(this.$_hideInProgress)return;if(this.computeTransformOrigin){const e=this.$_referenceNode.getBoundingClientRect(),t=this.$_popperNode.querySelector(".v-popper__wrapper"),n=t.parentNode.getBoundingClientRect(),r=e.x+e.width/2-(n.left+t.offsetLeft),o=e.y+e.height/2-(n.top+t.offsetTop);this.result.transformOrigin=`${r}px ${o}px`}this.isShown=!0,this.$_applyAttrsToTarget({"aria-describedby":this.popperId,"data-popper-shown":""});const e=this.showGroup;if(e){let t;for(let n=0;n<Y.length;n++)t=Y[n],t.showGroup!==e&&(t.hide(),t.$emit("close-group"))}Y.push(this),document.body.classList.add("v-popper--some-open");for(const e of F(this.theme))Q(e).push(this),document.body.classList.add(`v-popper--some-open--${e}`);this.$emit("apply-show"),this.classes.showFrom=!0,this.classes.showTo=!1,this.classes.hideFrom=!1,this.classes.hideTo=!1,await K(),this.classes.showFrom=!1,this.classes.showTo=!0,this.noAutoFocus||this.$_popperNode.focus()},async $_applyHide(e=!1){if(this.shownChildren.size>0)return this.$_pendingHide=!0,void(this.$_hideInProgress=!1);if(clearTimeout(this.$_scheduleTimer),!this.isShown)return;this.skipTransition=e,G(Y,this),0===Y.length&&document.body.classList.remove("v-popper--some-open");for(const e of F(this.theme)){const t=Q(e);G(t,this),0===t.length&&document.body.classList.remove(`v-popper--some-open--${e}`)}X===this&&(X=null),this.isShown=!1,this.$_applyAttrsToTarget({"aria-describedby":void 0,"data-popper-shown":void 0}),clearTimeout(this.$_disposeTimer);const t=this.disposeTimeout;null!==t&&(this.$_disposeTimer=setTimeout((()=>{this.$_popperNode&&(this.$_detachPopperNode(),this.isMounted=!1)}),t)),this.$_removeEventListeners("scroll"),this.$emit("apply-hide"),this.classes.showFrom=!1,this.classes.showTo=!1,this.classes.hideFrom=!0,this.classes.hideTo=!1,await K(),this.classes.hideFrom=!1,this.classes.hideTo=!0},$_autoShowHide(){this.shown?this.show():this.hide()},$_ensureTeleport(){if(this.$_isDisposed)return;let e=this.container;if("string"==typeof e?e=window.document.querySelector(e):!1===e&&(e=this.$_targetNodes[0].parentNode),!e)throw new Error("No container for popover: "+this.container);e.appendChild(this.$_popperNode),this.isMounted=!0},$_addEventListeners(){const e=e=>{this.isShown&&!this.$_hideInProgress||(e.usedByTooltip=!0,!this.$_preventShow&&this.show({event:e}))};this.$_registerTriggerListeners(this.$_targetNodes,$,this.triggers,this.showTriggers,e),this.$_registerTriggerListeners([this.$_popperNode],$,this.popperTriggers,this.popperShowTriggers,e);const t=e=>{e.usedByTooltip||this.hide({event:e})};this.$_registerTriggerListeners(this.$_targetNodes,W,this.triggers,this.hideTriggers,t),this.$_registerTriggerListeners([this.$_popperNode],W,this.popperTriggers,this.popperHideTriggers,t)},$_registerEventListeners(e,t,n){this.$_events.push({targetNodes:e,eventType:t,handler:n}),e.forEach((e=>e.addEventListener(t,n,z?{passive:!0}:void 0)))},$_registerTriggerListeners(e,t,n,r,o){let i=n;null!=r&&(i="function"==typeof r?r(i):r),i.forEach((n=>{const r=t[n];r&&this.$_registerEventListeners(e,r,o)}))},$_removeEventListeners(e){const t=[];this.$_events.forEach((n=>{const{targetNodes:r,eventType:o,handler:i}=n;e&&e!==o?t.push(n):r.forEach((e=>e.removeEventListener(o,i)))})),this.$_events=t},$_refreshListeners(){this.$_isDisposed||(this.$_removeEventListeners(),this.$_addEventListeners())},$_handleGlobalClose(e,t=!1){this.$_showFrameLocked||(this.hide({event:e}),e.closePopover?this.$emit("close-directive"):this.$emit("auto-hide"),t&&(this.$_preventShow=!0,setTimeout((()=>{this.$_preventShow=!1}),300)))},$_detachPopperNode(){this.$_popperNode.parentNode&&this.$_popperNode.parentNode.removeChild(this.$_popperNode)},$_swapTargetAttrs(e,t){for(const n of this.$_targetNodes){const r=n.getAttribute(e);r&&(n.removeAttribute(e),n.setAttribute(t,r))}},$_applyAttrsToTarget(e){for(const t of this.$_targetNodes)for(const n in e){const r=e[n];null==r?t.removeAttribute(n):t.setAttribute(n,r)}},$_updateParentShownChildren(e){let t=this.parentPopper;for(;t;)e?t.shownChildren.add(this.randomId):(t.shownChildren.delete(this.randomId),t.$_pendingHide&&t.hide()),t=t.parentPopper},$_isAimingPopper(){const e=this.$_referenceNode.getBoundingClientRect();if(ue>=e.left&&ue<=e.right&&de>=e.top&&de<=e.bottom){const e=this.$_popperNode.getBoundingClientRect(),t=ue-se,n=de-ce,r=e.left+e.width/2-se+(e.top+e.height/2)-ce+e.width+e.height,o=se+t*r,i=ce+n*r;return he(se,ce,o,i,e.left,e.top,e.left,e.bottom)||he(se,ce,o,i,e.left,e.top,e.right,e.top)||he(se,ce,o,i,e.right,e.top,e.right,e.bottom)||he(se,ce,o,i,e.left,e.bottom,e.right,e.bottom)}return!1}},render(){return this.$slots.default(this.slotData)}});function oe(e){for(let t=0;t<Y.length;t++){const n=Y[t];try{const t=n.popperNode();n.$_mouseDownContains=t.contains(e.target)}catch{}}}function ie(e,t=!1){const n={};for(let r=Y.length-1;r>=0;r--){const o=Y[r];try{const r=o.$_containsGlobalTarget=ae(o,e);o.$_pendingHide=!1,requestAnimationFrame((()=>{if(o.$_pendingHide=!1,!n[o.randomId]&&le(o,r,e)){if(o.$_handleGlobalClose(e,t),!e.closeAllPopover&&e.closePopover&&r){let e=o.parentPopper;for(;e;)n[e.randomId]=!0,e=e.parentPopper;return}let i=o.parentPopper;for(;i&&le(i,i.$_containsGlobalTarget,e);)i.$_handleGlobalClose(e,t),i=i.parentPopper}}))}catch{}}}function ae(e,t){const n=e.popperNode();return e.$_mouseDownContains||n.contains(t.target)}function le(e,t,n){return n.closeAllPopover||n.closePopover&&t||function(e,t){if("function"==typeof e.autoHide){const n=e.autoHide(t);return e.lastAutoHide=n,n}return e.autoHide}(e,n)&&!t}typeof document<"u"&&typeof window<"u"&&(q?(document.addEventListener("touchstart",oe,!z||{passive:!0,capture:!0}),document.addEventListener("touchend",(function(e){ie(e,!0)}),!z||{passive:!0,capture:!0})):(window.addEventListener("mousedown",oe,!0),window.addEventListener("click",(function(e){ie(e)}),!0)),window.addEventListener("resize",(function(e){for(let t=0;t<Y.length;t++)Y[t].$_computePosition(e)})));let se=0,ce=0,ue=0,de=0;function he(e,t,n,r,o,i,a,l){const s=((a-o)*(t-i)-(l-i)*(e-o))/((l-i)*(n-e)-(a-o)*(r-t)),c=((n-e)*(t-i)-(r-t)*(e-o))/((l-i)*(n-e)-(a-o)*(r-t));return s>=0&&s<=1&&c>=0&&c<=1}typeof window<"u"&&window.addEventListener("mousemove",(e=>{se=ue,ce=de,ue=e.clientX,de=e.clientY}),z?{passive:!0}:void 0);const pe=(e,t)=>{const n=e.__vccOpts||e;for(const[e,r]of t)n[e]=r;return n};const fe=pe({extends:re()},[["render",function(e,t,n,o,i,a){return(0,r.openBlock)(),(0,r.createElementBlock)("div",{ref:"reference",class:(0,r.normalizeClass)(["v-popper",{"v-popper--shown":e.slotData.isShown}])},[(0,r.renderSlot)(e.$slots,"default",(0,r.normalizeProps)((0,r.guardReactiveProps)(e.slotData)))],2)}]]);let me;function ve(){ve.init||(ve.init=!0,me=-1!==function(){var e=window.navigator.userAgent,t=e.indexOf("MSIE ");if(t>0)return parseInt(e.substring(t+5,e.indexOf(".",t)),10);if(e.indexOf("Trident/")>0){var n=e.indexOf("rv:");return parseInt(e.substring(n+3,e.indexOf(".",n)),10)}var r=e.indexOf("Edge/");return r>0?parseInt(e.substring(r+5,e.indexOf(".",r)),10):-1}())}var ge={name:"ResizeObserver",props:{emitOnMount:{type:Boolean,default:!1},ignoreWidth:{type:Boolean,default:!1},ignoreHeight:{type:Boolean,default:!1}},emits:["notify"],mounted(){ve(),(0,r.nextTick)((()=>{this._w=this.$el.offsetWidth,this._h=this.$el.offsetHeight,this.emitOnMount&&this.emitSize()}));const e=document.createElement("object");this._resizeObject=e,e.setAttribute("aria-hidden","true"),e.setAttribute("tabindex",-1),e.onload=this.addResizeHandlers,e.type="text/html",me&&this.$el.appendChild(e),e.data="about:blank",me||this.$el.appendChild(e)},beforeUnmount(){this.removeResizeHandlers()},methods:{compareAndNotify(){(!this.ignoreWidth&&this._w!==this.$el.offsetWidth||!this.ignoreHeight&&this._h!==this.$el.offsetHeight)&&(this._w=this.$el.offsetWidth,this._h=this.$el.offsetHeight,this.emitSize())},emitSize(){this.$emit("notify",{width:this._w,height:this._h})},addResizeHandlers(){this._resizeObject.contentDocument.defaultView.addEventListener("resize",this.compareAndNotify),this.compareAndNotify()},removeResizeHandlers(){this._resizeObject&&this._resizeObject.onload&&(!me&&this._resizeObject.contentDocument&&this._resizeObject.contentDocument.defaultView.removeEventListener("resize",this.compareAndNotify),this.$el.removeChild(this._resizeObject),this._resizeObject.onload=null,this._resizeObject=null)}}};const we=(0,r.withScopeId)("data-v-b329ee4c");(0,r.pushScopeId)("data-v-b329ee4c");const ye={class:"resize-observer",tabindex:"-1"};(0,r.popScopeId)();const be=we(((e,t,n,o,i,a)=>((0,r.openBlock)(),(0,r.createBlock)("div",ye))));ge.render=be,ge.__scopeId="data-v-b329ee4c",ge.__file="src/components/ResizeObserver.vue";const xe=(e="theme")=>({computed:{themeClass(){return function(e){const t=[e];let n=P.themes[e]||{};do{n.$extend&&!n.$resetCss?(t.push(n.$extend),n=P.themes[n.$extend]||{}):n=null}while(n);return t.map((e=>`v-popper--theme-${e}`))}(this[e])}}}),ke=(0,r.defineComponent)({name:"VPopperContent",components:{ResizeObserver:ge},mixins:[xe()],props:{popperId:String,theme:String,shown:Boolean,mounted:Boolean,skipTransition:Boolean,autoHide:Boolean,handleResize:Boolean,classes:Object,result:Object},emits:["hide","resize"],methods:{toPx:e=>null==e||isNaN(e)?null:`${e}px`}}),Ee=["id","aria-hidden","tabindex","data-popper-placement"],Ae={ref:"inner",class:"v-popper__inner"},Ce=[(0,r.createElementVNode)("div",{class:"v-popper__arrow-outer"},null,-1),(0,r.createElementVNode)("div",{class:"v-popper__arrow-inner"},null,-1)];const Be=pe(ke,[["render",function(e,t,n,o,i,a){const l=(0,r.resolveComponent)("ResizeObserver");return(0,r.openBlock)(),(0,r.createElementBlock)("div",{id:e.popperId,ref:"popover",class:(0,r.normalizeClass)(["v-popper__popper",[e.themeClass,e.classes.popperClass,{"v-popper__popper--shown":e.shown,"v-popper__popper--hidden":!e.shown,"v-popper__popper--show-from":e.classes.showFrom,"v-popper__popper--show-to":e.classes.showTo,"v-popper__popper--hide-from":e.classes.hideFrom,"v-popper__popper--hide-to":e.classes.hideTo,"v-popper__popper--skip-transition":e.skipTransition,"v-popper__popper--arrow-overflow":e.result&&e.result.arrow.overflow,"v-popper__popper--no-positioning":!e.result}]]),style:(0,r.normalizeStyle)(e.result?{position:e.result.strategy,transform:`translate3d(${Math.round(e.result.x)}px,${Math.round(e.result.y)}px,0)`}:void 0),"aria-hidden":e.shown?"false":"true",tabindex:e.autoHide?0:void 0,"data-popper-placement":e.result?e.result.placement:void 0,onKeyup:t[2]||(t[2]=(0,r.withKeys)((t=>e.autoHide&&e.$emit("hide")),["esc"]))},[(0,r.createElementVNode)("div",{class:"v-popper__backdrop",onClick:t[0]||(t[0]=t=>e.autoHide&&e.$emit("hide"))}),(0,r.createElementVNode)("div",{class:"v-popper__wrapper",style:(0,r.normalizeStyle)(e.result?{transformOrigin:e.result.transformOrigin}:void 0)},[(0,r.createElementVNode)("div",Ae,[e.mounted?((0,r.openBlock)(),(0,r.createElementBlock)(r.Fragment,{key:0},[(0,r.createElementVNode)("div",null,[(0,r.renderSlot)(e.$slots,"default")]),e.handleResize?((0,r.openBlock)(),(0,r.createBlock)(l,{key:0,onNotify:t[1]||(t[1]=t=>e.$emit("resize",t))})):(0,r.createCommentVNode)("",!0)],64)):(0,r.createCommentVNode)("",!0)],512),(0,r.createElementVNode)("div",{ref:"arrow",class:"v-popper__arrow-container",style:(0,r.normalizeStyle)(e.result?{left:e.toPx(e.result.arrow.x),top:e.toPx(e.result.arrow.y)}:void 0)},Ce,4)],4)],46,Ee)}]]),Me={methods:{show(...e){return this.$refs.popper.show(...e)},hide(...e){return this.$refs.popper.hide(...e)},dispose(...e){return this.$refs.popper.dispose(...e)},onResize(...e){return this.$refs.popper.onResize(...e)}}};const _e=pe((0,r.defineComponent)({name:"VPopperWrapper",components:{Popper:fe,PopperContent:Be},mixins:[Me,xe("finalTheme")],props:{theme:{type:String,default:null},referenceNode:{type:Function,default:null},shown:{type:Boolean,default:!1},showGroup:{type:String,default:null},ariaId:{default:null},disabled:{type:Boolean,default:void 0},positioningDisabled:{type:Boolean,default:void 0},placement:{type:String,default:void 0},delay:{type:[String,Number,Object],default:void 0},distance:{type:[Number,String],default:void 0},skidding:{type:[Number,String],default:void 0},triggers:{type:Array,default:void 0},showTriggers:{type:[Array,Function],default:void 0},hideTriggers:{type:[Array,Function],default:void 0},popperTriggers:{type:Array,default:void 0},popperShowTriggers:{type:[Array,Function],default:void 0},popperHideTriggers:{type:[Array,Function],default:void 0},container:{type:[String,Object,Element,Boolean],default:void 0},boundary:{type:[String,Element],default:void 0},strategy:{type:String,default:void 0},autoHide:{type:[Boolean,Function],default:void 0},handleResize:{type:Boolean,default:void 0},instantMove:{type:Boolean,default:void 0},eagerMount:{type:Boolean,default:void 0},popperClass:{type:[String,Array,Object],default:void 0},computeTransformOrigin:{type:Boolean,default:void 0},autoMinSize:{type:Boolean,default:void 0},autoSize:{type:[Boolean,String],default:void 0},autoMaxSize:{type:Boolean,default:void 0},autoBoundaryMaxSize:{type:Boolean,default:void 0},preventOverflow:{type:Boolean,default:void 0},overflowPadding:{type:[Number,String],default:void 0},arrowPadding:{type:[Number,String],default:void 0},arrowOverflow:{type:Boolean,default:void 0},flip:{type:Boolean,default:void 0},shift:{type:Boolean,default:void 0},shiftCrossAxis:{type:Boolean,default:void 0},noAutoFocus:{type:Boolean,default:void 0},disposeTimeout:{type:Number,default:void 0}},emits:{show:()=>!0,hide:()=>!0,"update:shown":e=>!0,"apply-show":()=>!0,"apply-hide":()=>!0,"close-group":()=>!0,"close-directive":()=>!0,"auto-hide":()=>!0,resize:()=>!0},computed:{finalTheme(){return this.theme??this.$options.vPopperTheme}},methods:{getTargetNodes(){return Array.from(this.$el.children).filter((e=>e!==this.$refs.popperContent.$el))}}}),[["render",function(e,t,n,o,i,a){const l=(0,r.resolveComponent)("PopperContent"),s=(0,r.resolveComponent)("Popper");return(0,r.openBlock)(),(0,r.createBlock)(s,(0,r.mergeProps)({ref:"popper"},e.$props,{theme:e.finalTheme,"target-nodes":e.getTargetNodes,"popper-node":()=>e.$refs.popperContent.$el,class:[e.themeClass],onShow:t[0]||(t[0]=()=>e.$emit("show")),onHide:t[1]||(t[1]=()=>e.$emit("hide")),"onUpdate:shown":t[2]||(t[2]=t=>e.$emit("update:shown",t)),onApplyShow:t[3]||(t[3]=()=>e.$emit("apply-show")),onApplyHide:t[4]||(t[4]=()=>e.$emit("apply-hide")),onCloseGroup:t[5]||(t[5]=()=>e.$emit("close-group")),onCloseDirective:t[6]||(t[6]=()=>e.$emit("close-directive")),onAutoHide:t[7]||(t[7]=()=>e.$emit("auto-hide")),onResize:t[8]||(t[8]=()=>e.$emit("resize"))}),{default:(0,r.withCtx)((({popperId:t,isShown:n,shouldMountContent:o,skipTransition:i,autoHide:a,show:s,hide:c,handleResize:u,onResize:d,classes:h,result:p})=>[(0,r.renderSlot)(e.$slots,"default",{shown:n,show:s,hide:c}),(0,r.createVNode)(l,{ref:"popperContent","popper-id":t,theme:e.finalTheme,shown:n,mounted:o,"skip-transition":i,"auto-hide":a,"handle-resize":u,classes:h,result:p,onHide:c,onResize:d},{default:(0,r.withCtx)((()=>[(0,r.renderSlot)(e.$slots,"popper",{shown:n,hide:c})])),_:2},1032,["popper-id","theme","shown","mounted","skip-transition","auto-hide","handle-resize","classes","result","onHide","onResize"])])),_:3},16,["theme","target-nodes","popper-node","class"])}]]),Se={..._e,name:"VDropdown",vPopperTheme:"dropdown"},Ne={..._e,name:"VMenu",vPopperTheme:"menu"},Ve={..._e,name:"VTooltip",vPopperTheme:"tooltip"},Le=(0,r.defineComponent)({name:"VTooltipDirective",components:{Popper:re(),PopperContent:Be},mixins:[Me],inheritAttrs:!1,props:{theme:{type:String,default:"tooltip"},html:{type:Boolean,default:e=>j(e.theme,"html")},content:{type:[String,Number,Function],default:null},loadingContent:{type:String,default:e=>j(e.theme,"loadingContent")},targetNodes:{type:Function,required:!0}},data:()=>({asyncContent:null}),computed:{isContentAsync(){return"function"==typeof this.content},loading(){return this.isContentAsync&&null==this.asyncContent},finalContent(){return this.isContentAsync?this.loading?this.loadingContent:this.asyncContent:this.content}},watch:{content:{handler(){this.fetchContent(!0)},immediate:!0},async finalContent(){await this.$nextTick(),this.$refs.popper.onResize()}},created(){this.$_fetchId=0},methods:{fetchContent(e){if("function"==typeof this.content&&this.$_isShown&&(e||!this.$_loading&&null==this.asyncContent)){this.asyncContent=null,this.$_loading=!0;const e=++this.$_fetchId,t=this.content(this);t.then?t.then((t=>this.onResult(e,t))):this.onResult(e,t)}},onResult(e,t){e===this.$_fetchId&&(this.$_loading=!1,this.asyncContent=t)},onShow(){this.$_isShown=!0,this.fetchContent()},onHide(){this.$_isShown=!1}}}),Te=["innerHTML"],Ie=["textContent"];const Ze=pe(Le,[["render",function(e,t,n,o,i,a){const l=(0,r.resolveComponent)("PopperContent"),s=(0,r.resolveComponent)("Popper");return(0,r.openBlock)(),(0,r.createBlock)(s,(0,r.mergeProps)({ref:"popper"},e.$attrs,{theme:e.theme,"target-nodes":e.targetNodes,"popper-node":()=>e.$refs.popperContent.$el,onApplyShow:e.onShow,onApplyHide:e.onHide}),{default:(0,r.withCtx)((({popperId:t,isShown:n,shouldMountContent:o,skipTransition:i,autoHide:a,hide:s,handleResize:c,onResize:u,classes:d,result:h})=>[(0,r.createVNode)(l,{ref:"popperContent",class:(0,r.normalizeClass)({"v-popper--tooltip-loading":e.loading}),"popper-id":t,theme:e.theme,shown:n,mounted:o,"skip-transition":i,"auto-hide":a,"handle-resize":c,classes:d,result:h,onHide:s,onResize:u},{default:(0,r.withCtx)((()=>[e.html?((0,r.openBlock)(),(0,r.createElementBlock)("div",{key:0,innerHTML:e.finalContent},null,8,Te)):((0,r.openBlock)(),(0,r.createElementBlock)("div",{key:1,textContent:(0,r.toDisplayString)(e.finalContent)},null,8,Ie))])),_:2},1032,["class","popper-id","theme","shown","mounted","skip-transition","auto-hide","handle-resize","classes","result","onHide","onResize"])])),_:1},16,["theme","target-nodes","popper-node","onApplyShow","onApplyHide"])}]]),Oe="v-popper--has-tooltip";function De(e,t,n){let r;const o=typeof t;return r="string"===o?{content:t}:t&&"object"===o?t:{content:!1},r.placement=function(e,t){let n=e.placement;if(!n&&t)for(const e of U)t[e]&&(n=e);return n||(n=j(e.theme||"tooltip","placement")),n}(r,n),r.targetNodes=()=>[e],r.referenceNode=()=>e,r}let Re,He,Pe=0;function je(e,t,n){!function(){if(Re)return;He=(0,r.ref)([]),Re=(0,r.createApp)({name:"VTooltipDirectiveApp",setup:()=>({directives:He}),render(){return this.directives.map((e=>(0,r.h)(Ze,{...e.options,shown:e.shown||e.options.shown,key:e.id})))},devtools:{hide:!0}});const e=document.createElement("div");document.body.appendChild(e),Re.mount(e)}();const o=(0,r.ref)(De(e,t,n)),i=(0,r.ref)(!1),a={id:Pe++,options:o,shown:i};return He.value.push(a),e.classList&&e.classList.add(Oe),e.$_popper={options:o,item:a,show(){i.value=!0},hide(){i.value=!1}}}function Fe(e){if(e.$_popper){const t=He.value.indexOf(e.$_popper.item);-1!==t&&He.value.splice(t,1),delete e.$_popper,delete e.$_popperOldShown,delete e.$_popperMountTarget}e.classList&&e.classList.remove(Oe)}function ze(e,{value:t,modifiers:n}){const r=De(e,t,n);if(!r.content||j(r.theme||"tooltip","disabled"))Fe(e);else{let o;e.$_popper?(o=e.$_popper,o.options.value=r):o=je(e,t,n),typeof t.shown<"u"&&t.shown!==e.$_popperOldShown&&(e.$_popperOldShown=t.shown,t.shown?o.show():o.hide())}}const qe={beforeMount:ze,updated:ze,beforeUnmount(e){Fe(e)}};function Ue(e){e.addEventListener("click",We),e.addEventListener("touchstart",Ge,!!z&&{passive:!0})}function $e(e){e.removeEventListener("click",We),e.removeEventListener("touchstart",Ge),e.removeEventListener("touchend",Ke),e.removeEventListener("touchcancel",Ye)}function We(e){const t=e.currentTarget;e.closePopover=!t.$_vclosepopover_touch,e.closeAllPopover=t.$_closePopoverModifiers&&!!t.$_closePopoverModifiers.all}function Ge(e){if(1===e.changedTouches.length){const t=e.currentTarget;t.$_vclosepopover_touch=!0;const n=e.changedTouches[0];t.$_vclosepopover_touchPoint=n,t.addEventListener("touchend",Ke),t.addEventListener("touchcancel",Ye)}}function Ke(e){const t=e.currentTarget;if(t.$_vclosepopover_touch=!1,1===e.changedTouches.length){const n=e.changedTouches[0],r=t.$_vclosepopover_touchPoint;e.closePopover=Math.abs(n.screenY-r.screenY)<20&&Math.abs(n.screenX-r.screenX)<20,e.closeAllPopover=t.$_closePopoverModifiers&&!!t.$_closePopoverModifiers.all}}function Ye(e){e.currentTarget.$_vclosepopover_touch=!1}const Xe={beforeMount(e,{value:t,modifiers:n}){e.$_closePopoverModifiers=n,(typeof t>"u"||t)&&Ue(e)},updated(e,{value:t,oldValue:n,modifiers:r}){e.$_closePopoverModifiers=r,t!==n&&(typeof t>"u"||t?Ue(e):$e(e))},beforeUnmount(e){$e(e)}},Je=_e;const Qe={version:"2.0.0",install:function(e,t={}){e.$_vTooltipInstalled||(e.$_vTooltipInstalled=!0,H(P,t),e.directive("tooltip",qe),e.directive("close-popper",Xe),e.component("VTooltip",Ve),e.component("VDropdown",Se),e.component("VMenu",Ne))},options:P}},25542:(e,t,n)=>{"use strict";n.d(t,{L:()=>i});for(var r=36,o="";r--;)o+=r.toString(36);function i(e){for(var t="",n=e||11;n--;)t+=o[36*Math.random()|0];return t}}}]);
\ No newline at end of file
+(self.webpackChunklaravel_nova=self.webpackChunklaravel_nova||[]).push([[332],{98234:(e,t,n)=>{"use strict";function r(e){if(null==e)return window;if("[object Window]"!==e.toString()){var t=e.ownerDocument;return t&&t.defaultView||window}return e}function o(e){return e instanceof r(e).Element||e instanceof Element}function i(e){return e instanceof r(e).HTMLElement||e instanceof HTMLElement}function a(e){return"undefined"!=typeof ShadowRoot&&(e instanceof r(e).ShadowRoot||e instanceof ShadowRoot)}n.d(t,{n4:()=>fe});var l=Math.max,s=Math.min,c=Math.round;function u(){var e=navigator.userAgentData;return null!=e&&e.brands&&Array.isArray(e.brands)?e.brands.map((function(e){return e.brand+"/"+e.version})).join(" "):navigator.userAgent}function d(){return!/^((?!chrome|android).)*safari/i.test(u())}function h(e,t,n){void 0===t&&(t=!1),void 0===n&&(n=!1);var a=e.getBoundingClientRect(),l=1,s=1;t&&i(e)&&(l=e.offsetWidth>0&&c(a.width)/e.offsetWidth||1,s=e.offsetHeight>0&&c(a.height)/e.offsetHeight||1);var u=(o(e)?r(e):window).visualViewport,h=!d()&&n,p=(a.left+(h&&u?u.offsetLeft:0))/l,f=(a.top+(h&&u?u.offsetTop:0))/s,m=a.width/l,v=a.height/s;return{width:m,height:v,top:f,right:p+m,bottom:f+v,left:p,x:p,y:f}}function p(e){var t=r(e);return{scrollLeft:t.pageXOffset,scrollTop:t.pageYOffset}}function f(e){return e?(e.nodeName||"").toLowerCase():null}function m(e){return((o(e)?e.ownerDocument:e.document)||window.document).documentElement}function v(e){return h(m(e)).left+p(e).scrollLeft}function g(e){return r(e).getComputedStyle(e)}function w(e){var t=g(e),n=t.overflow,r=t.overflowX,o=t.overflowY;return/auto|scroll|overlay|hidden/.test(n+o+r)}function y(e,t,n){void 0===n&&(n=!1);var o,a,l=i(t),s=i(t)&&function(e){var t=e.getBoundingClientRect(),n=c(t.width)/e.offsetWidth||1,r=c(t.height)/e.offsetHeight||1;return 1!==n||1!==r}(t),u=m(t),d=h(e,s,n),g={scrollLeft:0,scrollTop:0},y={x:0,y:0};return(l||!l&&!n)&&(("body"!==f(t)||w(u))&&(g=(o=t)!==r(o)&&i(o)?{scrollLeft:(a=o).scrollLeft,scrollTop:a.scrollTop}:p(o)),i(t)?((y=h(t,!0)).x+=t.clientLeft,y.y+=t.clientTop):u&&(y.x=v(u))),{x:d.left+g.scrollLeft-y.x,y:d.top+g.scrollTop-y.y,width:d.width,height:d.height}}function b(e){var t=h(e),n=e.offsetWidth,r=e.offsetHeight;return Math.abs(t.width-n)<=1&&(n=t.width),Math.abs(t.height-r)<=1&&(r=t.height),{x:e.offsetLeft,y:e.offsetTop,width:n,height:r}}function x(e){return"html"===f(e)?e:e.assignedSlot||e.parentNode||(a(e)?e.host:null)||m(e)}function k(e){return["html","body","#document"].indexOf(f(e))>=0?e.ownerDocument.body:i(e)&&w(e)?e:k(x(e))}function E(e,t){var n;void 0===t&&(t=[]);var o=k(e),i=o===(null==(n=e.ownerDocument)?void 0:n.body),a=r(o),l=i?[a].concat(a.visualViewport||[],w(o)?o:[]):o,s=t.concat(l);return i?s:s.concat(E(x(l)))}function A(e){return["table","td","th"].indexOf(f(e))>=0}function C(e){return i(e)&&"fixed"!==g(e).position?e.offsetParent:null}function B(e){for(var t=r(e),n=C(e);n&&A(n)&&"static"===g(n).position;)n=C(n);return n&&("html"===f(n)||"body"===f(n)&&"static"===g(n).position)?t:n||function(e){var t=/firefox/i.test(u());if(/Trident/i.test(u())&&i(e)&&"fixed"===g(e).position)return null;var n=x(e);for(a(n)&&(n=n.host);i(n)&&["html","body"].indexOf(f(n))<0;){var r=g(n);if("none"!==r.transform||"none"!==r.perspective||"paint"===r.contain||-1!==["transform","perspective"].indexOf(r.willChange)||t&&"filter"===r.willChange||t&&r.filter&&"none"!==r.filter)return n;n=n.parentNode}return null}(e)||t}var M="top",_="bottom",S="right",N="left",V="auto",L=[M,_,S,N],T="start",I="end",Z="viewport",O="popper",D=L.reduce((function(e,t){return e.concat([t+"-"+T,t+"-"+I])}),[]),R=[].concat(L,[V]).reduce((function(e,t){return e.concat([t,t+"-"+T,t+"-"+I])}),[]),H=["beforeRead","read","afterRead","beforeMain","main","afterMain","beforeWrite","write","afterWrite"];function P(e){var t=new Map,n=new Set,r=[];function o(e){n.add(e.name),[].concat(e.requires||[],e.requiresIfExists||[]).forEach((function(e){if(!n.has(e)){var r=t.get(e);r&&o(r)}})),r.push(e)}return e.forEach((function(e){t.set(e.name,e)})),e.forEach((function(e){n.has(e.name)||o(e)})),r}var j={placement:"bottom",modifiers:[],strategy:"absolute"};function F(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return!t.some((function(e){return!(e&&"function"==typeof e.getBoundingClientRect)}))}function z(e){void 0===e&&(e={});var t=e,n=t.defaultModifiers,r=void 0===n?[]:n,i=t.defaultOptions,a=void 0===i?j:i;return function(e,t,n){void 0===n&&(n=a);var i,l,s={placement:"bottom",orderedModifiers:[],options:Object.assign({},j,a),modifiersData:{},elements:{reference:e,popper:t},attributes:{},styles:{}},c=[],u=!1,d={state:s,setOptions:function(n){var i="function"==typeof n?n(s.options):n;h(),s.options=Object.assign({},a,s.options,i),s.scrollParents={reference:o(e)?E(e):e.contextElement?E(e.contextElement):[],popper:E(t)};var l,u,p=function(e){var t=P(e);return H.reduce((function(e,n){return e.concat(t.filter((function(e){return e.phase===n})))}),[])}((l=[].concat(r,s.options.modifiers),u=l.reduce((function(e,t){var n=e[t.name];return e[t.name]=n?Object.assign({},n,t,{options:Object.assign({},n.options,t.options),data:Object.assign({},n.data,t.data)}):t,e}),{}),Object.keys(u).map((function(e){return u[e]}))));return s.orderedModifiers=p.filter((function(e){return e.enabled})),s.orderedModifiers.forEach((function(e){var t=e.name,n=e.options,r=void 0===n?{}:n,o=e.effect;if("function"==typeof o){var i=o({state:s,name:t,instance:d,options:r}),a=function(){};c.push(i||a)}})),d.update()},forceUpdate:function(){if(!u){var e=s.elements,t=e.reference,n=e.popper;if(F(t,n)){s.rects={reference:y(t,B(n),"fixed"===s.options.strategy),popper:b(n)},s.reset=!1,s.placement=s.options.placement,s.orderedModifiers.forEach((function(e){return s.modifiersData[e.name]=Object.assign({},e.data)}));for(var r=0;r<s.orderedModifiers.length;r++)if(!0!==s.reset){var o=s.orderedModifiers[r],i=o.fn,a=o.options,l=void 0===a?{}:a,c=o.name;"function"==typeof i&&(s=i({state:s,options:l,name:c,instance:d})||s)}else s.reset=!1,r=-1}}},update:(i=function(){return new Promise((function(e){d.forceUpdate(),e(s)}))},function(){return l||(l=new Promise((function(e){Promise.resolve().then((function(){l=void 0,e(i())}))}))),l}),destroy:function(){h(),u=!0}};if(!F(e,t))return d;function h(){c.forEach((function(e){return e()})),c=[]}return d.setOptions(n).then((function(e){!u&&n.onFirstUpdate&&n.onFirstUpdate(e)})),d}}var q={passive:!0};function U(e){return e.split("-")[0]}function $(e){return e.split("-")[1]}function W(e){return["top","bottom"].indexOf(e)>=0?"x":"y"}function G(e){var t,n=e.reference,r=e.element,o=e.placement,i=o?U(o):null,a=o?$(o):null,l=n.x+n.width/2-r.width/2,s=n.y+n.height/2-r.height/2;switch(i){case M:t={x:l,y:n.y-r.height};break;case _:t={x:l,y:n.y+n.height};break;case S:t={x:n.x+n.width,y:s};break;case N:t={x:n.x-r.width,y:s};break;default:t={x:n.x,y:n.y}}var c=i?W(i):null;if(null!=c){var u="y"===c?"height":"width";switch(a){case T:t[c]=t[c]-(n[u]/2-r[u]/2);break;case I:t[c]=t[c]+(n[u]/2-r[u]/2)}}return t}var K={top:"auto",right:"auto",bottom:"auto",left:"auto"};function Y(e){var t,n=e.popper,o=e.popperRect,i=e.placement,a=e.variation,l=e.offsets,s=e.position,u=e.gpuAcceleration,d=e.adaptive,h=e.roundOffsets,p=e.isFixed,f=l.x,v=void 0===f?0:f,w=l.y,y=void 0===w?0:w,b="function"==typeof h?h({x:v,y}):{x:v,y};v=b.x,y=b.y;var x=l.hasOwnProperty("x"),k=l.hasOwnProperty("y"),E=N,A=M,C=window;if(d){var V=B(n),L="clientHeight",T="clientWidth";if(V===r(n)&&"static"!==g(V=m(n)).position&&"absolute"===s&&(L="scrollHeight",T="scrollWidth"),i===M||(i===N||i===S)&&a===I)A=_,y-=(p&&V===C&&C.visualViewport?C.visualViewport.height:V[L])-o.height,y*=u?1:-1;if(i===N||(i===M||i===_)&&a===I)E=S,v-=(p&&V===C&&C.visualViewport?C.visualViewport.width:V[T])-o.width,v*=u?1:-1}var Z,O=Object.assign({position:s},d&&K),D=!0===h?function(e,t){var n=e.x,r=e.y,o=t.devicePixelRatio||1;return{x:c(n*o)/o||0,y:c(r*o)/o||0}}({x:v,y},r(n)):{x:v,y};return v=D.x,y=D.y,u?Object.assign({},O,((Z={})[A]=k?"0":"",Z[E]=x?"0":"",Z.transform=(C.devicePixelRatio||1)<=1?"translate("+v+"px, "+y+"px)":"translate3d("+v+"px, "+y+"px, 0)",Z)):Object.assign({},O,((t={})[A]=k?y+"px":"",t[E]=x?v+"px":"",t.transform="",t))}const X={name:"offset",enabled:!0,phase:"main",requires:["popperOffsets"],fn:function(e){var t=e.state,n=e.options,r=e.name,o=n.offset,i=void 0===o?[0,0]:o,a=R.reduce((function(e,n){return e[n]=function(e,t,n){var r=U(e),o=[N,M].indexOf(r)>=0?-1:1,i="function"==typeof n?n(Object.assign({},t,{placement:e})):n,a=i[0],l=i[1];return a=a||0,l=(l||0)*o,[N,S].indexOf(r)>=0?{x:l,y:a}:{x:a,y:l}}(n,t.rects,i),e}),{}),l=a[t.placement],s=l.x,c=l.y;null!=t.modifiersData.popperOffsets&&(t.modifiersData.popperOffsets.x+=s,t.modifiersData.popperOffsets.y+=c),t.modifiersData[r]=a}};var J={left:"right",right:"left",bottom:"top",top:"bottom"};function Q(e){return e.replace(/left|right|bottom|top/g,(function(e){return J[e]}))}var ee={start:"end",end:"start"};function te(e){return e.replace(/start|end/g,(function(e){return ee[e]}))}function ne(e,t){var n=t.getRootNode&&t.getRootNode();if(e.contains(t))return!0;if(n&&a(n)){var r=t;do{if(r&&e.isSameNode(r))return!0;r=r.parentNode||r.host}while(r)}return!1}function re(e){return Object.assign({},e,{left:e.x,top:e.y,right:e.x+e.width,bottom:e.y+e.height})}function oe(e,t,n){return t===Z?re(function(e,t){var n=r(e),o=m(e),i=n.visualViewport,a=o.clientWidth,l=o.clientHeight,s=0,c=0;if(i){a=i.width,l=i.height;var u=d();(u||!u&&"fixed"===t)&&(s=i.offsetLeft,c=i.offsetTop)}return{width:a,height:l,x:s+v(e),y:c}}(e,n)):o(t)?function(e,t){var n=h(e,!1,"fixed"===t);return n.top=n.top+e.clientTop,n.left=n.left+e.clientLeft,n.bottom=n.top+e.clientHeight,n.right=n.left+e.clientWidth,n.width=e.clientWidth,n.height=e.clientHeight,n.x=n.left,n.y=n.top,n}(t,n):re(function(e){var t,n=m(e),r=p(e),o=null==(t=e.ownerDocument)?void 0:t.body,i=l(n.scrollWidth,n.clientWidth,o?o.scrollWidth:0,o?o.clientWidth:0),a=l(n.scrollHeight,n.clientHeight,o?o.scrollHeight:0,o?o.clientHeight:0),s=-r.scrollLeft+v(e),c=-r.scrollTop;return"rtl"===g(o||n).direction&&(s+=l(n.clientWidth,o?o.clientWidth:0)-i),{width:i,height:a,x:s,y:c}}(m(e)))}function ie(e,t,n,r){var a="clippingParents"===t?function(e){var t=E(x(e)),n=["absolute","fixed"].indexOf(g(e).position)>=0&&i(e)?B(e):e;return o(n)?t.filter((function(e){return o(e)&&ne(e,n)&&"body"!==f(e)})):[]}(e):[].concat(t),c=[].concat(a,[n]),u=c[0],d=c.reduce((function(t,n){var o=oe(e,n,r);return t.top=l(o.top,t.top),t.right=s(o.right,t.right),t.bottom=s(o.bottom,t.bottom),t.left=l(o.left,t.left),t}),oe(e,u,r));return d.width=d.right-d.left,d.height=d.bottom-d.top,d.x=d.left,d.y=d.top,d}function ae(e){return Object.assign({},{top:0,right:0,bottom:0,left:0},e)}function le(e,t){return t.reduce((function(t,n){return t[n]=e,t}),{})}function se(e,t){void 0===t&&(t={});var n=t,r=n.placement,i=void 0===r?e.placement:r,a=n.strategy,l=void 0===a?e.strategy:a,s=n.boundary,c=void 0===s?"clippingParents":s,u=n.rootBoundary,d=void 0===u?Z:u,p=n.elementContext,f=void 0===p?O:p,v=n.altBoundary,g=void 0!==v&&v,w=n.padding,y=void 0===w?0:w,b=ae("number"!=typeof y?y:le(y,L)),x=f===O?"reference":O,k=e.rects.popper,E=e.elements[g?x:f],A=ie(o(E)?E:E.contextElement||m(e.elements.popper),c,d,l),C=h(e.elements.reference),B=G({reference:C,element:k,strategy:"absolute",placement:i}),N=re(Object.assign({},k,B)),V=f===O?N:C,T={top:A.top-V.top+b.top,bottom:V.bottom-A.bottom+b.bottom,left:A.left-V.left+b.left,right:V.right-A.right+b.right},I=e.modifiersData.offset;if(f===O&&I){var D=I[i];Object.keys(T).forEach((function(e){var t=[S,_].indexOf(e)>=0?1:-1,n=[M,_].indexOf(e)>=0?"y":"x";T[e]+=D[n]*t}))}return T}function ce(e,t,n){return l(e,s(t,n))}const ue={name:"preventOverflow",enabled:!0,phase:"main",fn:function(e){var t=e.state,n=e.options,r=e.name,o=n.mainAxis,i=void 0===o||o,a=n.altAxis,c=void 0!==a&&a,u=n.boundary,d=n.rootBoundary,h=n.altBoundary,p=n.padding,f=n.tether,m=void 0===f||f,v=n.tetherOffset,g=void 0===v?0:v,w=se(t,{boundary:u,rootBoundary:d,padding:p,altBoundary:h}),y=U(t.placement),x=$(t.placement),k=!x,E=W(y),A="x"===E?"y":"x",C=t.modifiersData.popperOffsets,V=t.rects.reference,L=t.rects.popper,I="function"==typeof g?g(Object.assign({},t.rects,{placement:t.placement})):g,Z="number"==typeof I?{mainAxis:I,altAxis:I}:Object.assign({mainAxis:0,altAxis:0},I),O=t.modifiersData.offset?t.modifiersData.offset[t.placement]:null,D={x:0,y:0};if(C){if(i){var R,H="y"===E?M:N,P="y"===E?_:S,j="y"===E?"height":"width",F=C[E],z=F+w[H],q=F-w[P],G=m?-L[j]/2:0,K=x===T?V[j]:L[j],Y=x===T?-L[j]:-V[j],X=t.elements.arrow,J=m&&X?b(X):{width:0,height:0},Q=t.modifiersData["arrow#persistent"]?t.modifiersData["arrow#persistent"].padding:{top:0,right:0,bottom:0,left:0},ee=Q[H],te=Q[P],ne=ce(0,V[j],J[j]),re=k?V[j]/2-G-ne-ee-Z.mainAxis:K-ne-ee-Z.mainAxis,oe=k?-V[j]/2+G+ne+te+Z.mainAxis:Y+ne+te+Z.mainAxis,ie=t.elements.arrow&&B(t.elements.arrow),ae=ie?"y"===E?ie.clientTop||0:ie.clientLeft||0:0,le=null!=(R=null==O?void 0:O[E])?R:0,ue=F+oe-le,de=ce(m?s(z,F+re-le-ae):z,F,m?l(q,ue):q);C[E]=de,D[E]=de-F}if(c){var he,pe="x"===E?M:N,fe="x"===E?_:S,me=C[A],ve="y"===A?"height":"width",ge=me+w[pe],we=me-w[fe],ye=-1!==[M,N].indexOf(y),be=null!=(he=null==O?void 0:O[A])?he:0,xe=ye?ge:me-V[ve]-L[ve]-be+Z.altAxis,ke=ye?me+V[ve]+L[ve]-be-Z.altAxis:we,Ee=m&&ye?function(e,t,n){var r=ce(e,t,n);return r>n?n:r}(xe,me,ke):ce(m?xe:ge,me,m?ke:we);C[A]=Ee,D[A]=Ee-me}t.modifiersData[r]=D}},requiresIfExists:["offset"]};const de={name:"arrow",enabled:!0,phase:"main",fn:function(e){var t,n=e.state,r=e.name,o=e.options,i=n.elements.arrow,a=n.modifiersData.popperOffsets,l=U(n.placement),s=W(l),c=[N,S].indexOf(l)>=0?"height":"width";if(i&&a){var u=function(e,t){return ae("number"!=typeof(e="function"==typeof e?e(Object.assign({},t.rects,{placement:t.placement})):e)?e:le(e,L))}(o.padding,n),d=b(i),h="y"===s?M:N,p="y"===s?_:S,f=n.rects.reference[c]+n.rects.reference[s]-a[s]-n.rects.popper[c],m=a[s]-n.rects.reference[s],v=B(i),g=v?"y"===s?v.clientHeight||0:v.clientWidth||0:0,w=f/2-m/2,y=u[h],x=g-d[c]-u[p],k=g/2-d[c]/2+w,E=ce(y,k,x),A=s;n.modifiersData[r]=((t={})[A]=E,t.centerOffset=E-k,t)}},effect:function(e){var t=e.state,n=e.options.element,r=void 0===n?"[data-popper-arrow]":n;null!=r&&("string"!=typeof r||(r=t.elements.popper.querySelector(r)))&&ne(t.elements.popper,r)&&(t.elements.arrow=r)},requires:["popperOffsets"],requiresIfExists:["preventOverflow"]};function he(e,t,n){return void 0===n&&(n={x:0,y:0}),{top:e.top-t.height-n.y,right:e.right-t.width+n.x,bottom:e.bottom-t.height+n.y,left:e.left-t.width-n.x}}function pe(e){return[M,S,_,N].some((function(t){return e[t]>=0}))}var fe=z({defaultModifiers:[{name:"eventListeners",enabled:!0,phase:"write",fn:function(){},effect:function(e){var t=e.state,n=e.instance,o=e.options,i=o.scroll,a=void 0===i||i,l=o.resize,s=void 0===l||l,c=r(t.elements.popper),u=[].concat(t.scrollParents.reference,t.scrollParents.popper);return a&&u.forEach((function(e){e.addEventListener("scroll",n.update,q)})),s&&c.addEventListener("resize",n.update,q),function(){a&&u.forEach((function(e){e.removeEventListener("scroll",n.update,q)})),s&&c.removeEventListener("resize",n.update,q)}},data:{}},{name:"popperOffsets",enabled:!0,phase:"read",fn:function(e){var t=e.state,n=e.name;t.modifiersData[n]=G({reference:t.rects.reference,element:t.rects.popper,strategy:"absolute",placement:t.placement})},data:{}},{name:"computeStyles",enabled:!0,phase:"beforeWrite",fn:function(e){var t=e.state,n=e.options,r=n.gpuAcceleration,o=void 0===r||r,i=n.adaptive,a=void 0===i||i,l=n.roundOffsets,s=void 0===l||l,c={placement:U(t.placement),variation:$(t.placement),popper:t.elements.popper,popperRect:t.rects.popper,gpuAcceleration:o,isFixed:"fixed"===t.options.strategy};null!=t.modifiersData.popperOffsets&&(t.styles.popper=Object.assign({},t.styles.popper,Y(Object.assign({},c,{offsets:t.modifiersData.popperOffsets,position:t.options.strategy,adaptive:a,roundOffsets:s})))),null!=t.modifiersData.arrow&&(t.styles.arrow=Object.assign({},t.styles.arrow,Y(Object.assign({},c,{offsets:t.modifiersData.arrow,position:"absolute",adaptive:!1,roundOffsets:s})))),t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-placement":t.placement})},data:{}},{name:"applyStyles",enabled:!0,phase:"write",fn:function(e){var t=e.state;Object.keys(t.elements).forEach((function(e){var n=t.styles[e]||{},r=t.attributes[e]||{},o=t.elements[e];i(o)&&f(o)&&(Object.assign(o.style,n),Object.keys(r).forEach((function(e){var t=r[e];!1===t?o.removeAttribute(e):o.setAttribute(e,!0===t?"":t)})))}))},effect:function(e){var t=e.state,n={popper:{position:t.options.strategy,left:"0",top:"0",margin:"0"},arrow:{position:"absolute"},reference:{}};return Object.assign(t.elements.popper.style,n.popper),t.styles=n,t.elements.arrow&&Object.assign(t.elements.arrow.style,n.arrow),function(){Object.keys(t.elements).forEach((function(e){var r=t.elements[e],o=t.attributes[e]||{},a=Object.keys(t.styles.hasOwnProperty(e)?t.styles[e]:n[e]).reduce((function(e,t){return e[t]="",e}),{});i(r)&&f(r)&&(Object.assign(r.style,a),Object.keys(o).forEach((function(e){r.removeAttribute(e)})))}))}},requires:["computeStyles"]},X,{name:"flip",enabled:!0,phase:"main",fn:function(e){var t=e.state,n=e.options,r=e.name;if(!t.modifiersData[r]._skip){for(var o=n.mainAxis,i=void 0===o||o,a=n.altAxis,l=void 0===a||a,s=n.fallbackPlacements,c=n.padding,u=n.boundary,d=n.rootBoundary,h=n.altBoundary,p=n.flipVariations,f=void 0===p||p,m=n.allowedAutoPlacements,v=t.options.placement,g=U(v),w=s||(g===v||!f?[Q(v)]:function(e){if(U(e)===V)return[];var t=Q(e);return[te(e),t,te(t)]}(v)),y=[v].concat(w).reduce((function(e,n){return e.concat(U(n)===V?function(e,t){void 0===t&&(t={});var n=t,r=n.placement,o=n.boundary,i=n.rootBoundary,a=n.padding,l=n.flipVariations,s=n.allowedAutoPlacements,c=void 0===s?R:s,u=$(r),d=u?l?D:D.filter((function(e){return $(e)===u})):L,h=d.filter((function(e){return c.indexOf(e)>=0}));0===h.length&&(h=d);var p=h.reduce((function(t,n){return t[n]=se(e,{placement:n,boundary:o,rootBoundary:i,padding:a})[U(n)],t}),{});return Object.keys(p).sort((function(e,t){return p[e]-p[t]}))}(t,{placement:n,boundary:u,rootBoundary:d,padding:c,flipVariations:f,allowedAutoPlacements:m}):n)}),[]),b=t.rects.reference,x=t.rects.popper,k=new Map,E=!0,A=y[0],C=0;C<y.length;C++){var B=y[C],I=U(B),Z=$(B)===T,O=[M,_].indexOf(I)>=0,H=O?"width":"height",P=se(t,{placement:B,boundary:u,rootBoundary:d,altBoundary:h,padding:c}),j=O?Z?S:N:Z?_:M;b[H]>x[H]&&(j=Q(j));var F=Q(j),z=[];if(i&&z.push(P[I]<=0),l&&z.push(P[j]<=0,P[F]<=0),z.every((function(e){return e}))){A=B,E=!1;break}k.set(B,z)}if(E)for(var q=function(e){var t=y.find((function(t){var n=k.get(t);if(n)return n.slice(0,e).every((function(e){return e}))}));if(t)return A=t,"break"},W=f?3:1;W>0;W--){if("break"===q(W))break}t.placement!==A&&(t.modifiersData[r]._skip=!0,t.placement=A,t.reset=!0)}},requiresIfExists:["offset"],data:{_skip:!1}},ue,de,{name:"hide",enabled:!0,phase:"main",requiresIfExists:["preventOverflow"],fn:function(e){var t=e.state,n=e.name,r=t.rects.reference,o=t.rects.popper,i=t.modifiersData.preventOverflow,a=se(t,{elementContext:"reference"}),l=se(t,{altBoundary:!0}),s=he(a,r),c=he(l,o,i),u=pe(s),d=pe(c);t.modifiersData[n]={referenceClippingOffsets:s,popperEscapeOffsets:c,isReferenceHidden:u,hasPopperEscaped:d},t.attributes.popper=Object.assign({},t.attributes.popper,{"data-popper-reference-hidden":u,"data-popper-escaped":d})}}]})},17554:function(e,t,n){var r,o,i,a={scope:{}};a.defineProperty="function"==typeof Object.defineProperties?Object.defineProperty:function(e,t,n){if(n.get||n.set)throw new TypeError("ES3 does not support getters and setters.");e!=Array.prototype&&e!=Object.prototype&&(e[t]=n.value)},a.getGlobal=function(e){return"undefined"!=typeof window&&window===e?e:void 0!==n.g&&null!=n.g?n.g:e},a.global=a.getGlobal(this),a.SYMBOL_PREFIX="jscomp_symbol_",a.initSymbol=function(){a.initSymbol=function(){},a.global.Symbol||(a.global.Symbol=a.Symbol)},a.symbolCounter_=0,a.Symbol=function(e){return a.SYMBOL_PREFIX+(e||"")+a.symbolCounter_++},a.initSymbolIterator=function(){a.initSymbol();var e=a.global.Symbol.iterator;e||(e=a.global.Symbol.iterator=a.global.Symbol("iterator")),"function"!=typeof Array.prototype[e]&&a.defineProperty(Array.prototype,e,{configurable:!0,writable:!0,value:function(){return a.arrayIterator(this)}}),a.initSymbolIterator=function(){}},a.arrayIterator=function(e){var t=0;return a.iteratorPrototype((function(){return t<e.length?{done:!1,value:e[t++]}:{done:!0}}))},a.iteratorPrototype=function(e){return a.initSymbolIterator(),(e={next:e})[a.global.Symbol.iterator]=function(){return this},e},a.array=a.array||{},a.iteratorFromArray=function(e,t){a.initSymbolIterator(),e instanceof String&&(e+="");var n=0,r={next:function(){if(n<e.length){var o=n++;return{value:t(o,e[o]),done:!1}}return r.next=function(){return{done:!0,value:void 0}},r.next()}};return r[Symbol.iterator]=function(){return r},r},a.polyfill=function(e,t,n,r){if(t){for(n=a.global,e=e.split("."),r=0;r<e.length-1;r++){var o=e[r];o in n||(n[o]={}),n=n[o]}(t=t(r=n[e=e[e.length-1]]))!=r&&null!=t&&a.defineProperty(n,e,{configurable:!0,writable:!0,value:t})}},a.polyfill("Array.prototype.keys",(function(e){return e||function(){return a.iteratorFromArray(this,(function(e){return e}))}}),"es6-impl","es3");var l=this;o=[],r=function(){function e(e){if(!R.col(e))try{return document.querySelectorAll(e)}catch(e){}}function t(e,t){for(var n=e.length,r=2<=arguments.length?arguments[1]:void 0,o=[],i=0;i<n;i++)if(i in e){var a=e[i];t.call(r,a,i,e)&&o.push(a)}return o}function n(e){return e.reduce((function(e,t){return e.concat(R.arr(t)?n(t):t)}),[])}function r(t){return R.arr(t)?t:(R.str(t)&&(t=e(t)||t),t instanceof NodeList||t instanceof HTMLCollection?[].slice.call(t):[t])}function o(e,t){return e.some((function(e){return e===t}))}function i(e){var t,n={};for(t in e)n[t]=e[t];return n}function a(e,t){var n,r=i(e);for(n in e)r[n]=t.hasOwnProperty(n)?t[n]:e[n];return r}function s(e,t){var n,r=i(e);for(n in t)r[n]=R.und(e[n])?t[n]:e[n];return r}function c(e){e=e.replace(/^#?([a-f\d])([a-f\d])([a-f\d])$/i,(function(e,t,n,r){return t+t+n+n+r+r}));var t=/^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i.exec(e);return"rgba("+(e=parseInt(t[1],16))+","+parseInt(t[2],16)+","+(t=parseInt(t[3],16))+",1)"}function u(e){function t(e,t,n){return 0>n&&(n+=1),1<n&&--n,n<1/6?e+6*(t-e)*n:.5>n?t:n<2/3?e+(t-e)*(2/3-n)*6:e}var n=/hsl\((\d+),\s*([\d.]+)%,\s*([\d.]+)%\)/g.exec(e)||/hsla\((\d+),\s*([\d.]+)%,\s*([\d.]+)%,\s*([\d.]+)\)/g.exec(e);e=parseInt(n[1])/360;var r=parseInt(n[2])/100,o=parseInt(n[3])/100;if(n=n[4]||1,0==r)o=r=e=o;else{var i=.5>o?o*(1+r):o+r-o*r,a=2*o-i;o=t(a,i,e+1/3),r=t(a,i,e),e=t(a,i,e-1/3)}return"rgba("+255*o+","+255*r+","+255*e+","+n+")"}function d(e){if(e=/([\+\-]?[0-9#\.]+)(%|px|pt|em|rem|in|cm|mm|ex|ch|pc|vw|vh|vmin|vmax|deg|rad|turn)?$/.exec(e))return e[2]}function h(e){return-1<e.indexOf("translate")||"perspective"===e?"px":-1<e.indexOf("rotate")||-1<e.indexOf("skew")?"deg":void 0}function p(e,t){return R.fnc(e)?e(t.target,t.id,t.total):e}function f(e,t){if(t in e.style)return getComputedStyle(e).getPropertyValue(t.replace(/([a-z])([A-Z])/g,"$1-$2").toLowerCase())||"0"}function m(e,t){return R.dom(e)&&o(D,t)?"transform":R.dom(e)&&(e.getAttribute(t)||R.svg(e)&&e[t])?"attribute":R.dom(e)&&"transform"!==t&&f(e,t)?"css":null!=e[t]?"object":void 0}function v(e,n){var r=h(n);if(r=-1<n.indexOf("scale")?1:0+r,!(e=e.style.transform))return r;for(var o=[],i=[],a=[],l=/(\w+)\((.+?)\)/g;o=l.exec(e);)i.push(o[1]),a.push(o[2]);return e=t(a,(function(e,t){return i[t]===n})),e.length?e[0]:r}function g(e,t){switch(m(e,t)){case"transform":return v(e,t);case"css":return f(e,t);case"attribute":return e.getAttribute(t)}return e[t]||0}function w(e,t){var n=/^(\*=|\+=|-=)/.exec(e);if(!n)return e;var r=d(e)||0;switch(t=parseFloat(t),e=parseFloat(e.replace(n[0],"")),n[0][0]){case"+":return t+e+r;case"-":return t-e+r;case"*":return t*e+r}}function y(e,t){return Math.sqrt(Math.pow(t.x-e.x,2)+Math.pow(t.y-e.y,2))}function b(e){e=e.points;for(var t,n=0,r=0;r<e.numberOfItems;r++){var o=e.getItem(r);0<r&&(n+=y(t,o)),t=o}return n}function x(e){if(e.getTotalLength)return e.getTotalLength();switch(e.tagName.toLowerCase()){case"circle":return 2*Math.PI*e.getAttribute("r");case"rect":return 2*e.getAttribute("width")+2*e.getAttribute("height");case"line":return y({x:e.getAttribute("x1"),y:e.getAttribute("y1")},{x:e.getAttribute("x2"),y:e.getAttribute("y2")});case"polyline":return b(e);case"polygon":var t=e.points;return b(e)+y(t.getItem(t.numberOfItems-1),t.getItem(0))}}function k(e,t){function n(n){return n=void 0===n?0:n,e.el.getPointAtLength(1<=t+n?t+n:0)}var r=n(),o=n(-1),i=n(1);switch(e.property){case"x":return r.x;case"y":return r.y;case"angle":return 180*Math.atan2(i.y-o.y,i.x-o.x)/Math.PI}}function E(e,t){var n,r=/-?\d*\.?\d+/g;if(n=R.pth(e)?e.totalLength:e,R.col(n))if(R.rgb(n)){var o=/rgb\((\d+,\s*[\d]+,\s*[\d]+)\)/g.exec(n);n=o?"rgba("+o[1]+",1)":n}else n=R.hex(n)?c(n):R.hsl(n)?u(n):void 0;else o=(o=d(n))?n.substr(0,n.length-o.length):n,n=t&&!/\s/g.test(n)?o+t:o;return{original:n+="",numbers:n.match(r)?n.match(r).map(Number):[0],strings:R.str(e)||t?n.split(r):[]}}function A(e){return t(e=e?n(R.arr(e)?e.map(r):r(e)):[],(function(e,t,n){return n.indexOf(e)===t}))}function C(e){var t=A(e);return t.map((function(e,n){return{target:e,id:n,total:t.length}}))}function B(e,t){var n=i(t);if(R.arr(e)){var o=e.length;2!==o||R.obj(e[0])?R.fnc(t.duration)||(n.duration=t.duration/o):e={value:e}}return r(e).map((function(e,n){return n=n?0:t.delay,e=R.obj(e)&&!R.pth(e)?e:{value:e},R.und(e.delay)&&(e.delay=n),e})).map((function(e){return s(e,n)}))}function M(e,t){var n,r={};for(n in e){var o=p(e[n],t);R.arr(o)&&(o=o.map((function(e){return p(e,t)})),1===o.length&&(o=o[0])),r[n]=o}return r.duration=parseFloat(r.duration),r.delay=parseFloat(r.delay),r}function _(e){return R.arr(e)?H.apply(this,e):P[e]}function S(e,t){var n;return e.tweens.map((function(r){var o=(r=M(r,t)).value,i=g(t.target,e.name),a=n?n.to.original:i,l=(a=R.arr(o)?o[0]:a,w(R.arr(o)?o[1]:o,a));return i=d(l)||d(a)||d(i),r.from=E(a,i),r.to=E(l,i),r.start=n?n.end:e.offset,r.end=r.start+r.delay+r.duration,r.easing=_(r.easing),r.elasticity=(1e3-Math.min(Math.max(r.elasticity,1),999))/1e3,r.isPath=R.pth(o),r.isColor=R.col(r.from.original),r.isColor&&(r.round=1),n=r}))}function N(e,r){return t(n(e.map((function(e){return r.map((function(t){var n=m(e.target,t.name);if(n){var r=S(t,e);t={type:n,property:t.name,animatable:e,tweens:r,duration:r[r.length-1].end,delay:r[0].delay}}else t=void 0;return t}))}))),(function(e){return!R.und(e)}))}function V(e,t,n,r){var o="delay"===e;return t.length?(o?Math.min:Math.max).apply(Math,t.map((function(t){return t[e]}))):o?r.delay:n.offset+r.delay+r.duration}function L(e){var t,n=a(Z,e),r=a(O,e),o=C(e.targets),i=[],l=s(n,r);for(t in e)l.hasOwnProperty(t)||"targets"===t||i.push({name:t,offset:l.offset,tweens:B(e[t],r)});return s(n,{children:[],animatables:o,animations:e=N(o,i),duration:V("duration",e,n,r),delay:V("delay",e,n,r)})}function T(e){function n(){return window.Promise&&new Promise((function(e){return d=e}))}function r(e){return p.reversed?p.duration-e:e}function o(e){for(var n=0,r={},o=p.animations,i=o.length;n<i;){var a=o[n],l=a.animatable,s=(c=a.tweens)[h=c.length-1];h&&(s=t(c,(function(t){return e<t.end}))[0]||s);for(var c=Math.min(Math.max(e-s.start-s.delay,0),s.duration)/s.duration,u=isNaN(c)?1:s.easing(c,s.elasticity),d=(c=s.to.strings,s.round),h=[],m=void 0,v=(m=s.to.numbers.length,0);v<m;v++){var g=void 0,w=(g=s.to.numbers[v],s.from.numbers[v]);g=s.isPath?k(s.value,u*g):w+u*(g-w),d&&(s.isColor&&2<v||(g=Math.round(g*d)/d)),h.push(g)}if(s=c.length)for(m=c[0],u=0;u<s;u++)d=c[u+1],v=h[u],isNaN(v)||(m=d?m+(v+d):m+(v+" "));else m=h[0];j[a.type](l.target,a.property,m,r,l.id),a.currentValue=m,n++}if(n=Object.keys(r).length)for(o=0;o<n;o++)I||(I=f(document.body,"transform")?"transform":"-webkit-transform"),p.animatables[o].target.style[I]=r[o].join(" ");p.currentTime=e,p.progress=e/p.duration*100}function i(e){p[e]&&p[e](p)}function a(){p.remaining&&!0!==p.remaining&&p.remaining--}function l(e){var t=p.duration,l=p.offset,f=l+p.delay,m=p.currentTime,v=p.reversed,g=r(e);if(p.children.length){var w=p.children,y=w.length;if(g>=p.currentTime)for(var b=0;b<y;b++)w[b].seek(g);else for(;y--;)w[y].seek(g)}(g>=f||!t)&&(p.began||(p.began=!0,i("begin")),i("run")),g>l&&g<t?o(g):(g<=l&&0!==m&&(o(0),v&&a()),(g>=t&&m!==t||!t)&&(o(t),v||a())),i("update"),e>=t&&(p.remaining?(c=s,"alternate"===p.direction&&(p.reversed=!p.reversed)):(p.pause(),p.completed||(p.completed=!0,i("complete"),"Promise"in window&&(d(),h=n()))),u=0)}e=void 0===e?{}:e;var s,c,u=0,d=null,h=n(),p=L(e);return p.reset=function(){var e=p.direction,t=p.loop;for(p.currentTime=0,p.progress=0,p.paused=!0,p.began=!1,p.completed=!1,p.reversed="reverse"===e,p.remaining="alternate"===e&&1===t?2:t,o(0),e=p.children.length;e--;)p.children[e].reset()},p.tick=function(e){s=e,c||(c=s),l((u+s-c)*T.speed)},p.seek=function(e){l(r(e))},p.pause=function(){var e=F.indexOf(p);-1<e&&F.splice(e,1),p.paused=!0},p.play=function(){p.paused&&(p.paused=!1,c=0,u=r(p.currentTime),F.push(p),z||q())},p.reverse=function(){p.reversed=!p.reversed,c=0,u=r(p.currentTime)},p.restart=function(){p.pause(),p.reset(),p.play()},p.finished=h,p.reset(),p.autoplay&&p.play(),p}var I,Z={update:void 0,begin:void 0,run:void 0,complete:void 0,loop:1,direction:"normal",autoplay:!0,offset:0},O={duration:1e3,delay:0,easing:"easeOutElastic",elasticity:500,round:0},D="translateX translateY translateZ rotate rotateX rotateY rotateZ scale scaleX scaleY scaleZ skewX skewY perspective".split(" "),R={arr:function(e){return Array.isArray(e)},obj:function(e){return-1<Object.prototype.toString.call(e).indexOf("Object")},pth:function(e){return R.obj(e)&&e.hasOwnProperty("totalLength")},svg:function(e){return e instanceof SVGElement},dom:function(e){return e.nodeType||R.svg(e)},str:function(e){return"string"==typeof e},fnc:function(e){return"function"==typeof e},und:function(e){return void 0===e},hex:function(e){return/(^#[0-9A-F]{6}$)|(^#[0-9A-F]{3}$)/i.test(e)},rgb:function(e){return/^rgb/.test(e)},hsl:function(e){return/^hsl/.test(e)},col:function(e){return R.hex(e)||R.rgb(e)||R.hsl(e)}},H=function(){function e(e,t,n){return(((1-3*n+3*t)*e+(3*n-6*t))*e+3*t)*e}return function(t,n,r,o){if(0<=t&&1>=t&&0<=r&&1>=r){var i=new Float32Array(11);if(t!==n||r!==o)for(var a=0;11>a;++a)i[a]=e(.1*a,t,r);return function(a){if(t===n&&r===o)return a;if(0===a)return 0;if(1===a)return 1;for(var l=0,s=1;10!==s&&i[s]<=a;++s)l+=.1;--s,s=l+(a-i[s])/(i[s+1]-i[s])*.1;var c=3*(1-3*r+3*t)*s*s+2*(3*r-6*t)*s+3*t;if(.001<=c){for(l=0;4>l&&0!=(c=3*(1-3*r+3*t)*s*s+2*(3*r-6*t)*s+3*t);++l){var u=e(s,t,r)-a;s-=u/c}a=s}else if(0===c)a=s;else{s=l,l+=.1;var d=0;do{0<(c=e(u=s+(l-s)/2,t,r)-a)?l=u:s=u}while(1e-7<Math.abs(c)&&10>++d);a=u}return e(a,n,o)}}}}(),P=function(){function e(e,t){return 0===e||1===e?e:-Math.pow(2,10*(e-1))*Math.sin(2*(e-1-t/(2*Math.PI)*Math.asin(1))*Math.PI/t)}var t,n="Quad Cubic Quart Quint Sine Expo Circ Back Elastic".split(" "),r={In:[[.55,.085,.68,.53],[.55,.055,.675,.19],[.895,.03,.685,.22],[.755,.05,.855,.06],[.47,0,.745,.715],[.95,.05,.795,.035],[.6,.04,.98,.335],[.6,-.28,.735,.045],e],Out:[[.25,.46,.45,.94],[.215,.61,.355,1],[.165,.84,.44,1],[.23,1,.32,1],[.39,.575,.565,1],[.19,1,.22,1],[.075,.82,.165,1],[.175,.885,.32,1.275],function(t,n){return 1-e(1-t,n)}],InOut:[[.455,.03,.515,.955],[.645,.045,.355,1],[.77,0,.175,1],[.86,0,.07,1],[.445,.05,.55,.95],[1,0,0,1],[.785,.135,.15,.86],[.68,-.55,.265,1.55],function(t,n){return.5>t?e(2*t,n)/2:1-e(-2*t+2,n)/2}]},o={linear:H(.25,.25,.75,.75)},i={};for(t in r)i.type=t,r[i.type].forEach(function(e){return function(t,r){o["ease"+e.type+n[r]]=R.fnc(t)?t:H.apply(l,t)}}(i)),i={type:i.type};return o}(),j={css:function(e,t,n){return e.style[t]=n},attribute:function(e,t,n){return e.setAttribute(t,n)},object:function(e,t,n){return e[t]=n},transform:function(e,t,n,r,o){r[o]||(r[o]=[]),r[o].push(t+"("+n+")")}},F=[],z=0,q=function(){function e(){z=requestAnimationFrame(t)}function t(t){var n=F.length;if(n){for(var r=0;r<n;)F[r]&&F[r].tick(t),r++;e()}else cancelAnimationFrame(z),z=0}return e}();return T.version="2.2.0",T.speed=1,T.running=F,T.remove=function(e){e=A(e);for(var t=F.length;t--;)for(var n=F[t],r=n.animations,i=r.length;i--;)o(e,r[i].animatable.target)&&(r.splice(i,1),r.length||n.pause())},T.getValue=g,T.path=function(t,n){var r=R.str(t)?e(t)[0]:t,o=n||100;return function(e){return{el:r,property:e,totalLength:x(r)*(o/100)}}},T.setDashoffset=function(e){var t=x(e);return e.setAttribute("stroke-dasharray",t),t},T.bezier=H,T.easings=P,T.timeline=function(e){var t=T(e);return t.pause(),t.duration=0,t.add=function(n){return t.children.forEach((function(e){e.began=!0,e.completed=!0})),r(n).forEach((function(n){var r=s(n,a(O,e||{}));r.targets=r.targets||e.targets,n=t.duration;var o=r.offset;r.autoplay=!1,r.direction=t.direction,r.offset=R.und(o)?n:w(o,n),t.began=!0,t.completed=!0,t.seek(r.offset),(r=T(r)).began=!0,r.completed=!0,r.duration>n&&(t.duration=r.duration),t.children.push(r)})),t.seek(0),t.reset(),t.autoplay&&t.restart(),t},t},T.random=function(e,t){return Math.floor(Math.random()*(t-e+1))+e},T},void 0===(i="function"==typeof r?r.apply(t,o):r)||(e.exports=i)},89692:function(e,t){var n,r,o;r=[e,t],n=function(e,t){"use strict";var n,r,o="function"==typeof Map?new Map:(n=[],r=[],{has:function(e){return n.indexOf(e)>-1},get:function(e){return r[n.indexOf(e)]},set:function(e,t){-1===n.indexOf(e)&&(n.push(e),r.push(t))},delete:function(e){var t=n.indexOf(e);t>-1&&(n.splice(t,1),r.splice(t,1))}}),i=function(e){return new Event(e,{bubbles:!0})};try{new Event("test")}catch(e){i=function(e){var t=document.createEvent("Event");return t.initEvent(e,!0,!1),t}}function a(e){if(e&&e.nodeName&&"TEXTAREA"===e.nodeName&&!o.has(e)){var t=null,n=null,r=null,a=function(){e.clientWidth!==n&&h()},l=function(t){window.removeEventListener("resize",a,!1),e.removeEventListener("input",h,!1),e.removeEventListener("keyup",h,!1),e.removeEventListener("autosize:destroy",l,!1),e.removeEventListener("autosize:update",h,!1),Object.keys(t).forEach((function(n){e.style[n]=t[n]})),o.delete(e)}.bind(e,{height:e.style.height,resize:e.style.resize,overflowY:e.style.overflowY,overflowX:e.style.overflowX,wordWrap:e.style.wordWrap});e.addEventListener("autosize:destroy",l,!1),"onpropertychange"in e&&"oninput"in e&&e.addEventListener("keyup",h,!1),window.addEventListener("resize",a,!1),e.addEventListener("input",h,!1),e.addEventListener("autosize:update",h,!1),e.style.overflowX="hidden",e.style.wordWrap="break-word",o.set(e,{destroy:l,update:h}),s()}function s(){var n=window.getComputedStyle(e,null);"vertical"===n.resize?e.style.resize="none":"both"===n.resize&&(e.style.resize="horizontal"),t="content-box"===n.boxSizing?-(parseFloat(n.paddingTop)+parseFloat(n.paddingBottom)):parseFloat(n.borderTopWidth)+parseFloat(n.borderBottomWidth),isNaN(t)&&(t=0),h()}function c(t){var n=e.style.width;e.style.width="0px",e.offsetWidth,e.style.width=n,e.style.overflowY=t}function u(e){for(var t=[];e&&e.parentNode&&e.parentNode instanceof Element;)e.parentNode.scrollTop&&t.push({node:e.parentNode,scrollTop:e.parentNode.scrollTop}),e=e.parentNode;return t}function d(){if(0!==e.scrollHeight){var r=u(e),o=document.documentElement&&document.documentElement.scrollTop;e.style.height="",e.style.height=e.scrollHeight+t+"px",n=e.clientWidth,r.forEach((function(e){e.node.scrollTop=e.scrollTop})),o&&(document.documentElement.scrollTop=o)}}function h(){d();var t=Math.round(parseFloat(e.style.height)),n=window.getComputedStyle(e,null),o="content-box"===n.boxSizing?Math.round(parseFloat(n.height)):e.offsetHeight;if(o<t?"hidden"===n.overflowY&&(c("scroll"),d(),o="content-box"===n.boxSizing?Math.round(parseFloat(window.getComputedStyle(e,null).height)):e.offsetHeight):"hidden"!==n.overflowY&&(c("hidden"),d(),o="content-box"===n.boxSizing?Math.round(parseFloat(window.getComputedStyle(e,null).height)):e.offsetHeight),r!==o){r=o;var a=i("autosize:resized");try{e.dispatchEvent(a)}catch(e){}}}}function l(e){var t=o.get(e);t&&t.destroy()}function s(e){var t=o.get(e);t&&t.update()}var c=null;"undefined"==typeof window||"function"!=typeof window.getComputedStyle?((c=function(e){return e}).destroy=function(e){return e},c.update=function(e){return e}):((c=function(e,t){return e&&Array.prototype.forEach.call(e.length?e:[e],(function(e){return a(e,t)})),e}).destroy=function(e){return e&&Array.prototype.forEach.call(e.length?e:[e],l),e},c.update=function(e){return e&&Array.prototype.forEach.call(e.length?e:[e],s),e}),t.default=c,e.exports=t.default},void 0===(o="function"==typeof n?n.apply(t,r):n)||(e.exports=o)},67526:(e,t)=>{"use strict";t.byteLength=function(e){var t=l(e),n=t[0],r=t[1];return 3*(n+r)/4-r},t.toByteArray=function(e){var t,n,i=l(e),a=i[0],s=i[1],c=new o(function(e,t,n){return 3*(t+n)/4-n}(0,a,s)),u=0,d=s>0?a-4:a;for(n=0;n<d;n+=4)t=r[e.charCodeAt(n)]<<18|r[e.charCodeAt(n+1)]<<12|r[e.charCodeAt(n+2)]<<6|r[e.charCodeAt(n+3)],c[u++]=t>>16&255,c[u++]=t>>8&255,c[u++]=255&t;2===s&&(t=r[e.charCodeAt(n)]<<2|r[e.charCodeAt(n+1)]>>4,c[u++]=255&t);1===s&&(t=r[e.charCodeAt(n)]<<10|r[e.charCodeAt(n+1)]<<4|r[e.charCodeAt(n+2)]>>2,c[u++]=t>>8&255,c[u++]=255&t);return c},t.fromByteArray=function(e){for(var t,r=e.length,o=r%3,i=[],a=16383,l=0,c=r-o;l<c;l+=a)i.push(s(e,l,l+a>c?c:l+a));1===o?(t=e[r-1],i.push(n[t>>2]+n[t<<4&63]+"==")):2===o&&(t=(e[r-2]<<8)+e[r-1],i.push(n[t>>10]+n[t>>4&63]+n[t<<2&63]+"="));return i.join("")};for(var n=[],r=[],o="undefined"!=typeof Uint8Array?Uint8Array:Array,i="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",a=0;a<64;++a)n[a]=i[a],r[i.charCodeAt(a)]=a;function l(e){var t=e.length;if(t%4>0)throw new Error("Invalid string. Length must be a multiple of 4");var n=e.indexOf("=");return-1===n&&(n=t),[n,n===t?0:4-n%4]}function s(e,t,r){for(var o,i,a=[],l=t;l<r;l+=3)o=(e[l]<<16&16711680)+(e[l+1]<<8&65280)+(255&e[l+2]),a.push(n[(i=o)>>18&63]+n[i>>12&63]+n[i>>6&63]+n[63&i]);return a.join("")}r["-".charCodeAt(0)]=62,r["_".charCodeAt(0)]=63},48287:(e,t,n)=>{"use strict";var r=n(67526),o=n(251),i=n(64634);function a(){return s.TYPED_ARRAY_SUPPORT?2147483647:1073741823}function l(e,t){if(a()<t)throw new RangeError("Invalid typed array length");return s.TYPED_ARRAY_SUPPORT?(e=new Uint8Array(t)).__proto__=s.prototype:(null===e&&(e=new s(t)),e.length=t),e}function s(e,t,n){if(!(s.TYPED_ARRAY_SUPPORT||this instanceof s))return new s(e,t,n);if("number"==typeof e){if("string"==typeof t)throw new Error("If encoding is specified then the first argument must be a string");return d(this,e)}return c(this,e,t,n)}function c(e,t,n,r){if("number"==typeof t)throw new TypeError('"value" argument must not be a number');return"undefined"!=typeof ArrayBuffer&&t instanceof ArrayBuffer?function(e,t,n,r){if(t.byteLength,n<0||t.byteLength<n)throw new RangeError("'offset' is out of bounds");if(t.byteLength<n+(r||0))throw new RangeError("'length' is out of bounds");t=void 0===n&&void 0===r?new Uint8Array(t):void 0===r?new Uint8Array(t,n):new Uint8Array(t,n,r);s.TYPED_ARRAY_SUPPORT?(e=t).__proto__=s.prototype:e=h(e,t);return e}(e,t,n,r):"string"==typeof t?function(e,t,n){"string"==typeof n&&""!==n||(n="utf8");if(!s.isEncoding(n))throw new TypeError('"encoding" must be a valid string encoding');var r=0|f(t,n);e=l(e,r);var o=e.write(t,n);o!==r&&(e=e.slice(0,o));return e}(e,t,n):function(e,t){if(s.isBuffer(t)){var n=0|p(t.length);return 0===(e=l(e,n)).length||t.copy(e,0,0,n),e}if(t){if("undefined"!=typeof ArrayBuffer&&t.buffer instanceof ArrayBuffer||"length"in t)return"number"!=typeof t.length||(r=t.length)!=r?l(e,0):h(e,t);if("Buffer"===t.type&&i(t.data))return h(e,t.data)}var r;throw new TypeError("First argument must be a string, Buffer, ArrayBuffer, Array, or array-like object.")}(e,t)}function u(e){if("number"!=typeof e)throw new TypeError('"size" argument must be a number');if(e<0)throw new RangeError('"size" argument must not be negative')}function d(e,t){if(u(t),e=l(e,t<0?0:0|p(t)),!s.TYPED_ARRAY_SUPPORT)for(var n=0;n<t;++n)e[n]=0;return e}function h(e,t){var n=t.length<0?0:0|p(t.length);e=l(e,n);for(var r=0;r<n;r+=1)e[r]=255&t[r];return e}function p(e){if(e>=a())throw new RangeError("Attempt to allocate Buffer larger than maximum size: 0x"+a().toString(16)+" bytes");return 0|e}function f(e,t){if(s.isBuffer(e))return e.length;if("undefined"!=typeof ArrayBuffer&&"function"==typeof ArrayBuffer.isView&&(ArrayBuffer.isView(e)||e instanceof ArrayBuffer))return e.byteLength;"string"!=typeof e&&(e=""+e);var n=e.length;if(0===n)return 0;for(var r=!1;;)switch(t){case"ascii":case"latin1":case"binary":return n;case"utf8":case"utf-8":case void 0:return j(e).length;case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return 2*n;case"hex":return n>>>1;case"base64":return F(e).length;default:if(r)return j(e).length;t=(""+t).toLowerCase(),r=!0}}function m(e,t,n){var r=!1;if((void 0===t||t<0)&&(t=0),t>this.length)return"";if((void 0===n||n>this.length)&&(n=this.length),n<=0)return"";if((n>>>=0)<=(t>>>=0))return"";for(e||(e="utf8");;)switch(e){case"hex":return N(this,t,n);case"utf8":case"utf-8":return B(this,t,n);case"ascii":return _(this,t,n);case"latin1":case"binary":return S(this,t,n);case"base64":return C(this,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return V(this,t,n);default:if(r)throw new TypeError("Unknown encoding: "+e);e=(e+"").toLowerCase(),r=!0}}function v(e,t,n){var r=e[t];e[t]=e[n],e[n]=r}function g(e,t,n,r,o){if(0===e.length)return-1;if("string"==typeof n?(r=n,n=0):n>2147483647?n=2147483647:n<-2147483648&&(n=-2147483648),n=+n,isNaN(n)&&(n=o?0:e.length-1),n<0&&(n=e.length+n),n>=e.length){if(o)return-1;n=e.length-1}else if(n<0){if(!o)return-1;n=0}if("string"==typeof t&&(t=s.from(t,r)),s.isBuffer(t))return 0===t.length?-1:w(e,t,n,r,o);if("number"==typeof t)return t&=255,s.TYPED_ARRAY_SUPPORT&&"function"==typeof Uint8Array.prototype.indexOf?o?Uint8Array.prototype.indexOf.call(e,t,n):Uint8Array.prototype.lastIndexOf.call(e,t,n):w(e,[t],n,r,o);throw new TypeError("val must be string, number or Buffer")}function w(e,t,n,r,o){var i,a=1,l=e.length,s=t.length;if(void 0!==r&&("ucs2"===(r=String(r).toLowerCase())||"ucs-2"===r||"utf16le"===r||"utf-16le"===r)){if(e.length<2||t.length<2)return-1;a=2,l/=2,s/=2,n/=2}function c(e,t){return 1===a?e[t]:e.readUInt16BE(t*a)}if(o){var u=-1;for(i=n;i<l;i++)if(c(e,i)===c(t,-1===u?0:i-u)){if(-1===u&&(u=i),i-u+1===s)return u*a}else-1!==u&&(i-=i-u),u=-1}else for(n+s>l&&(n=l-s),i=n;i>=0;i--){for(var d=!0,h=0;h<s;h++)if(c(e,i+h)!==c(t,h)){d=!1;break}if(d)return i}return-1}function y(e,t,n,r){n=Number(n)||0;var o=e.length-n;r?(r=Number(r))>o&&(r=o):r=o;var i=t.length;if(i%2!=0)throw new TypeError("Invalid hex string");r>i/2&&(r=i/2);for(var a=0;a<r;++a){var l=parseInt(t.substr(2*a,2),16);if(isNaN(l))return a;e[n+a]=l}return a}function b(e,t,n,r){return z(j(t,e.length-n),e,n,r)}function x(e,t,n,r){return z(function(e){for(var t=[],n=0;n<e.length;++n)t.push(255&e.charCodeAt(n));return t}(t),e,n,r)}function k(e,t,n,r){return x(e,t,n,r)}function E(e,t,n,r){return z(F(t),e,n,r)}function A(e,t,n,r){return z(function(e,t){for(var n,r,o,i=[],a=0;a<e.length&&!((t-=2)<0);++a)r=(n=e.charCodeAt(a))>>8,o=n%256,i.push(o),i.push(r);return i}(t,e.length-n),e,n,r)}function C(e,t,n){return 0===t&&n===e.length?r.fromByteArray(e):r.fromByteArray(e.slice(t,n))}function B(e,t,n){n=Math.min(e.length,n);for(var r=[],o=t;o<n;){var i,a,l,s,c=e[o],u=null,d=c>239?4:c>223?3:c>191?2:1;if(o+d<=n)switch(d){case 1:c<128&&(u=c);break;case 2:128==(192&(i=e[o+1]))&&(s=(31&c)<<6|63&i)>127&&(u=s);break;case 3:i=e[o+1],a=e[o+2],128==(192&i)&&128==(192&a)&&(s=(15&c)<<12|(63&i)<<6|63&a)>2047&&(s<55296||s>57343)&&(u=s);break;case 4:i=e[o+1],a=e[o+2],l=e[o+3],128==(192&i)&&128==(192&a)&&128==(192&l)&&(s=(15&c)<<18|(63&i)<<12|(63&a)<<6|63&l)>65535&&s<1114112&&(u=s)}null===u?(u=65533,d=1):u>65535&&(u-=65536,r.push(u>>>10&1023|55296),u=56320|1023&u),r.push(u),o+=d}return function(e){var t=e.length;if(t<=M)return String.fromCharCode.apply(String,e);var n="",r=0;for(;r<t;)n+=String.fromCharCode.apply(String,e.slice(r,r+=M));return n}(r)}t.hp=s,t.IS=50,s.TYPED_ARRAY_SUPPORT=void 0!==n.g.TYPED_ARRAY_SUPPORT?n.g.TYPED_ARRAY_SUPPORT:function(){try{var e=new Uint8Array(1);return e.__proto__={__proto__:Uint8Array.prototype,foo:function(){return 42}},42===e.foo()&&"function"==typeof e.subarray&&0===e.subarray(1,1).byteLength}catch(e){return!1}}(),a(),s.poolSize=8192,s._augment=function(e){return e.__proto__=s.prototype,e},s.from=function(e,t,n){return c(null,e,t,n)},s.TYPED_ARRAY_SUPPORT&&(s.prototype.__proto__=Uint8Array.prototype,s.__proto__=Uint8Array,"undefined"!=typeof Symbol&&Symbol.species&&s[Symbol.species]===s&&Object.defineProperty(s,Symbol.species,{value:null,configurable:!0})),s.alloc=function(e,t,n){return function(e,t,n,r){return u(t),t<=0?l(e,t):void 0!==n?"string"==typeof r?l(e,t).fill(n,r):l(e,t).fill(n):l(e,t)}(null,e,t,n)},s.allocUnsafe=function(e){return d(null,e)},s.allocUnsafeSlow=function(e){return d(null,e)},s.isBuffer=function(e){return!(null==e||!e._isBuffer)},s.compare=function(e,t){if(!s.isBuffer(e)||!s.isBuffer(t))throw new TypeError("Arguments must be Buffers");if(e===t)return 0;for(var n=e.length,r=t.length,o=0,i=Math.min(n,r);o<i;++o)if(e[o]!==t[o]){n=e[o],r=t[o];break}return n<r?-1:r<n?1:0},s.isEncoding=function(e){switch(String(e).toLowerCase()){case"hex":case"utf8":case"utf-8":case"ascii":case"latin1":case"binary":case"base64":case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return!0;default:return!1}},s.concat=function(e,t){if(!i(e))throw new TypeError('"list" argument must be an Array of Buffers');if(0===e.length)return s.alloc(0);var n;if(void 0===t)for(t=0,n=0;n<e.length;++n)t+=e[n].length;var r=s.allocUnsafe(t),o=0;for(n=0;n<e.length;++n){var a=e[n];if(!s.isBuffer(a))throw new TypeError('"list" argument must be an Array of Buffers');a.copy(r,o),o+=a.length}return r},s.byteLength=f,s.prototype._isBuffer=!0,s.prototype.swap16=function(){var e=this.length;if(e%2!=0)throw new RangeError("Buffer size must be a multiple of 16-bits");for(var t=0;t<e;t+=2)v(this,t,t+1);return this},s.prototype.swap32=function(){var e=this.length;if(e%4!=0)throw new RangeError("Buffer size must be a multiple of 32-bits");for(var t=0;t<e;t+=4)v(this,t,t+3),v(this,t+1,t+2);return this},s.prototype.swap64=function(){var e=this.length;if(e%8!=0)throw new RangeError("Buffer size must be a multiple of 64-bits");for(var t=0;t<e;t+=8)v(this,t,t+7),v(this,t+1,t+6),v(this,t+2,t+5),v(this,t+3,t+4);return this},s.prototype.toString=function(){var e=0|this.length;return 0===e?"":0===arguments.length?B(this,0,e):m.apply(this,arguments)},s.prototype.equals=function(e){if(!s.isBuffer(e))throw new TypeError("Argument must be a Buffer");return this===e||0===s.compare(this,e)},s.prototype.inspect=function(){var e="",n=t.IS;return this.length>0&&(e=this.toString("hex",0,n).match(/.{2}/g).join(" "),this.length>n&&(e+=" ... ")),"<Buffer "+e+">"},s.prototype.compare=function(e,t,n,r,o){if(!s.isBuffer(e))throw new TypeError("Argument must be a Buffer");if(void 0===t&&(t=0),void 0===n&&(n=e?e.length:0),void 0===r&&(r=0),void 0===o&&(o=this.length),t<0||n>e.length||r<0||o>this.length)throw new RangeError("out of range index");if(r>=o&&t>=n)return 0;if(r>=o)return-1;if(t>=n)return 1;if(this===e)return 0;for(var i=(o>>>=0)-(r>>>=0),a=(n>>>=0)-(t>>>=0),l=Math.min(i,a),c=this.slice(r,o),u=e.slice(t,n),d=0;d<l;++d)if(c[d]!==u[d]){i=c[d],a=u[d];break}return i<a?-1:a<i?1:0},s.prototype.includes=function(e,t,n){return-1!==this.indexOf(e,t,n)},s.prototype.indexOf=function(e,t,n){return g(this,e,t,n,!0)},s.prototype.lastIndexOf=function(e,t,n){return g(this,e,t,n,!1)},s.prototype.write=function(e,t,n,r){if(void 0===t)r="utf8",n=this.length,t=0;else if(void 0===n&&"string"==typeof t)r=t,n=this.length,t=0;else{if(!isFinite(t))throw new Error("Buffer.write(string, encoding, offset[, length]) is no longer supported");t|=0,isFinite(n)?(n|=0,void 0===r&&(r="utf8")):(r=n,n=void 0)}var o=this.length-t;if((void 0===n||n>o)&&(n=o),e.length>0&&(n<0||t<0)||t>this.length)throw new RangeError("Attempt to write outside buffer bounds");r||(r="utf8");for(var i=!1;;)switch(r){case"hex":return y(this,e,t,n);case"utf8":case"utf-8":return b(this,e,t,n);case"ascii":return x(this,e,t,n);case"latin1":case"binary":return k(this,e,t,n);case"base64":return E(this,e,t,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return A(this,e,t,n);default:if(i)throw new TypeError("Unknown encoding: "+r);r=(""+r).toLowerCase(),i=!0}},s.prototype.toJSON=function(){return{type:"Buffer",data:Array.prototype.slice.call(this._arr||this,0)}};var M=4096;function _(e,t,n){var r="";n=Math.min(e.length,n);for(var o=t;o<n;++o)r+=String.fromCharCode(127&e[o]);return r}function S(e,t,n){var r="";n=Math.min(e.length,n);for(var o=t;o<n;++o)r+=String.fromCharCode(e[o]);return r}function N(e,t,n){var r=e.length;(!t||t<0)&&(t=0),(!n||n<0||n>r)&&(n=r);for(var o="",i=t;i<n;++i)o+=P(e[i]);return o}function V(e,t,n){for(var r=e.slice(t,n),o="",i=0;i<r.length;i+=2)o+=String.fromCharCode(r[i]+256*r[i+1]);return o}function L(e,t,n){if(e%1!=0||e<0)throw new RangeError("offset is not uint");if(e+t>n)throw new RangeError("Trying to access beyond buffer length")}function T(e,t,n,r,o,i){if(!s.isBuffer(e))throw new TypeError('"buffer" argument must be a Buffer instance');if(t>o||t<i)throw new RangeError('"value" argument is out of bounds');if(n+r>e.length)throw new RangeError("Index out of range")}function I(e,t,n,r){t<0&&(t=65535+t+1);for(var o=0,i=Math.min(e.length-n,2);o<i;++o)e[n+o]=(t&255<<8*(r?o:1-o))>>>8*(r?o:1-o)}function Z(e,t,n,r){t<0&&(t=4294967295+t+1);for(var o=0,i=Math.min(e.length-n,4);o<i;++o)e[n+o]=t>>>8*(r?o:3-o)&255}function O(e,t,n,r,o,i){if(n+r>e.length)throw new RangeError("Index out of range");if(n<0)throw new RangeError("Index out of range")}function D(e,t,n,r,i){return i||O(e,0,n,4),o.write(e,t,n,r,23,4),n+4}function R(e,t,n,r,i){return i||O(e,0,n,8),o.write(e,t,n,r,52,8),n+8}s.prototype.slice=function(e,t){var n,r=this.length;if((e=~~e)<0?(e+=r)<0&&(e=0):e>r&&(e=r),(t=void 0===t?r:~~t)<0?(t+=r)<0&&(t=0):t>r&&(t=r),t<e&&(t=e),s.TYPED_ARRAY_SUPPORT)(n=this.subarray(e,t)).__proto__=s.prototype;else{var o=t-e;n=new s(o,void 0);for(var i=0;i<o;++i)n[i]=this[i+e]}return n},s.prototype.readUIntLE=function(e,t,n){e|=0,t|=0,n||L(e,t,this.length);for(var r=this[e],o=1,i=0;++i<t&&(o*=256);)r+=this[e+i]*o;return r},s.prototype.readUIntBE=function(e,t,n){e|=0,t|=0,n||L(e,t,this.length);for(var r=this[e+--t],o=1;t>0&&(o*=256);)r+=this[e+--t]*o;return r},s.prototype.readUInt8=function(e,t){return t||L(e,1,this.length),this[e]},s.prototype.readUInt16LE=function(e,t){return t||L(e,2,this.length),this[e]|this[e+1]<<8},s.prototype.readUInt16BE=function(e,t){return t||L(e,2,this.length),this[e]<<8|this[e+1]},s.prototype.readUInt32LE=function(e,t){return t||L(e,4,this.length),(this[e]|this[e+1]<<8|this[e+2]<<16)+16777216*this[e+3]},s.prototype.readUInt32BE=function(e,t){return t||L(e,4,this.length),16777216*this[e]+(this[e+1]<<16|this[e+2]<<8|this[e+3])},s.prototype.readIntLE=function(e,t,n){e|=0,t|=0,n||L(e,t,this.length);for(var r=this[e],o=1,i=0;++i<t&&(o*=256);)r+=this[e+i]*o;return r>=(o*=128)&&(r-=Math.pow(2,8*t)),r},s.prototype.readIntBE=function(e,t,n){e|=0,t|=0,n||L(e,t,this.length);for(var r=t,o=1,i=this[e+--r];r>0&&(o*=256);)i+=this[e+--r]*o;return i>=(o*=128)&&(i-=Math.pow(2,8*t)),i},s.prototype.readInt8=function(e,t){return t||L(e,1,this.length),128&this[e]?-1*(255-this[e]+1):this[e]},s.prototype.readInt16LE=function(e,t){t||L(e,2,this.length);var n=this[e]|this[e+1]<<8;return 32768&n?4294901760|n:n},s.prototype.readInt16BE=function(e,t){t||L(e,2,this.length);var n=this[e+1]|this[e]<<8;return 32768&n?4294901760|n:n},s.prototype.readInt32LE=function(e,t){return t||L(e,4,this.length),this[e]|this[e+1]<<8|this[e+2]<<16|this[e+3]<<24},s.prototype.readInt32BE=function(e,t){return t||L(e,4,this.length),this[e]<<24|this[e+1]<<16|this[e+2]<<8|this[e+3]},s.prototype.readFloatLE=function(e,t){return t||L(e,4,this.length),o.read(this,e,!0,23,4)},s.prototype.readFloatBE=function(e,t){return t||L(e,4,this.length),o.read(this,e,!1,23,4)},s.prototype.readDoubleLE=function(e,t){return t||L(e,8,this.length),o.read(this,e,!0,52,8)},s.prototype.readDoubleBE=function(e,t){return t||L(e,8,this.length),o.read(this,e,!1,52,8)},s.prototype.writeUIntLE=function(e,t,n,r){(e=+e,t|=0,n|=0,r)||T(this,e,t,n,Math.pow(2,8*n)-1,0);var o=1,i=0;for(this[t]=255&e;++i<n&&(o*=256);)this[t+i]=e/o&255;return t+n},s.prototype.writeUIntBE=function(e,t,n,r){(e=+e,t|=0,n|=0,r)||T(this,e,t,n,Math.pow(2,8*n)-1,0);var o=n-1,i=1;for(this[t+o]=255&e;--o>=0&&(i*=256);)this[t+o]=e/i&255;return t+n},s.prototype.writeUInt8=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,1,255,0),s.TYPED_ARRAY_SUPPORT||(e=Math.floor(e)),this[t]=255&e,t+1},s.prototype.writeUInt16LE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,2,65535,0),s.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8):I(this,e,t,!0),t+2},s.prototype.writeUInt16BE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,2,65535,0),s.TYPED_ARRAY_SUPPORT?(this[t]=e>>>8,this[t+1]=255&e):I(this,e,t,!1),t+2},s.prototype.writeUInt32LE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,4,4294967295,0),s.TYPED_ARRAY_SUPPORT?(this[t+3]=e>>>24,this[t+2]=e>>>16,this[t+1]=e>>>8,this[t]=255&e):Z(this,e,t,!0),t+4},s.prototype.writeUInt32BE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,4,4294967295,0),s.TYPED_ARRAY_SUPPORT?(this[t]=e>>>24,this[t+1]=e>>>16,this[t+2]=e>>>8,this[t+3]=255&e):Z(this,e,t,!1),t+4},s.prototype.writeIntLE=function(e,t,n,r){if(e=+e,t|=0,!r){var o=Math.pow(2,8*n-1);T(this,e,t,n,o-1,-o)}var i=0,a=1,l=0;for(this[t]=255&e;++i<n&&(a*=256);)e<0&&0===l&&0!==this[t+i-1]&&(l=1),this[t+i]=(e/a|0)-l&255;return t+n},s.prototype.writeIntBE=function(e,t,n,r){if(e=+e,t|=0,!r){var o=Math.pow(2,8*n-1);T(this,e,t,n,o-1,-o)}var i=n-1,a=1,l=0;for(this[t+i]=255&e;--i>=0&&(a*=256);)e<0&&0===l&&0!==this[t+i+1]&&(l=1),this[t+i]=(e/a|0)-l&255;return t+n},s.prototype.writeInt8=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,1,127,-128),s.TYPED_ARRAY_SUPPORT||(e=Math.floor(e)),e<0&&(e=255+e+1),this[t]=255&e,t+1},s.prototype.writeInt16LE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,2,32767,-32768),s.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8):I(this,e,t,!0),t+2},s.prototype.writeInt16BE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,2,32767,-32768),s.TYPED_ARRAY_SUPPORT?(this[t]=e>>>8,this[t+1]=255&e):I(this,e,t,!1),t+2},s.prototype.writeInt32LE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,4,2147483647,-2147483648),s.TYPED_ARRAY_SUPPORT?(this[t]=255&e,this[t+1]=e>>>8,this[t+2]=e>>>16,this[t+3]=e>>>24):Z(this,e,t,!0),t+4},s.prototype.writeInt32BE=function(e,t,n){return e=+e,t|=0,n||T(this,e,t,4,2147483647,-2147483648),e<0&&(e=4294967295+e+1),s.TYPED_ARRAY_SUPPORT?(this[t]=e>>>24,this[t+1]=e>>>16,this[t+2]=e>>>8,this[t+3]=255&e):Z(this,e,t,!1),t+4},s.prototype.writeFloatLE=function(e,t,n){return D(this,e,t,!0,n)},s.prototype.writeFloatBE=function(e,t,n){return D(this,e,t,!1,n)},s.prototype.writeDoubleLE=function(e,t,n){return R(this,e,t,!0,n)},s.prototype.writeDoubleBE=function(e,t,n){return R(this,e,t,!1,n)},s.prototype.copy=function(e,t,n,r){if(n||(n=0),r||0===r||(r=this.length),t>=e.length&&(t=e.length),t||(t=0),r>0&&r<n&&(r=n),r===n)return 0;if(0===e.length||0===this.length)return 0;if(t<0)throw new RangeError("targetStart out of bounds");if(n<0||n>=this.length)throw new RangeError("sourceStart out of bounds");if(r<0)throw new RangeError("sourceEnd out of bounds");r>this.length&&(r=this.length),e.length-t<r-n&&(r=e.length-t+n);var o,i=r-n;if(this===e&&n<t&&t<r)for(o=i-1;o>=0;--o)e[o+t]=this[o+n];else if(i<1e3||!s.TYPED_ARRAY_SUPPORT)for(o=0;o<i;++o)e[o+t]=this[o+n];else Uint8Array.prototype.set.call(e,this.subarray(n,n+i),t);return i},s.prototype.fill=function(e,t,n,r){if("string"==typeof e){if("string"==typeof t?(r=t,t=0,n=this.length):"string"==typeof n&&(r=n,n=this.length),1===e.length){var o=e.charCodeAt(0);o<256&&(e=o)}if(void 0!==r&&"string"!=typeof r)throw new TypeError("encoding must be a string");if("string"==typeof r&&!s.isEncoding(r))throw new TypeError("Unknown encoding: "+r)}else"number"==typeof e&&(e&=255);if(t<0||this.length<t||this.length<n)throw new RangeError("Out of range index");if(n<=t)return this;var i;if(t>>>=0,n=void 0===n?this.length:n>>>0,e||(e=0),"number"==typeof e)for(i=t;i<n;++i)this[i]=e;else{var a=s.isBuffer(e)?e:j(new s(e,r).toString()),l=a.length;for(i=0;i<n-t;++i)this[i+t]=a[i%l]}return this};var H=/[^+\/0-9A-Za-z-_]/g;function P(e){return e<16?"0"+e.toString(16):e.toString(16)}function j(e,t){var n;t=t||1/0;for(var r=e.length,o=null,i=[],a=0;a<r;++a){if((n=e.charCodeAt(a))>55295&&n<57344){if(!o){if(n>56319){(t-=3)>-1&&i.push(239,191,189);continue}if(a+1===r){(t-=3)>-1&&i.push(239,191,189);continue}o=n;continue}if(n<56320){(t-=3)>-1&&i.push(239,191,189),o=n;continue}n=65536+(o-55296<<10|n-56320)}else o&&(t-=3)>-1&&i.push(239,191,189);if(o=null,n<128){if((t-=1)<0)break;i.push(n)}else if(n<2048){if((t-=2)<0)break;i.push(n>>6|192,63&n|128)}else if(n<65536){if((t-=3)<0)break;i.push(n>>12|224,n>>6&63|128,63&n|128)}else{if(!(n<1114112))throw new Error("Invalid code point");if((t-=4)<0)break;i.push(n>>18|240,n>>12&63|128,n>>6&63|128,63&n|128)}}return i}function F(e){return r.toByteArray(function(e){if((e=function(e){return e.trim?e.trim():e.replace(/^\s+|\s+$/g,"")}(e).replace(H,"")).length<2)return"";for(;e.length%4!=0;)e+="=";return e}(e))}function z(e,t,n,r){for(var o=0;o<r&&!(o+n>=t.length||o>=e.length);++o)t[o+n]=e[o];return o}},13144:(e,t,n)=>{"use strict";var r=n(66743),o=n(11002),i=n(10076),a=n(47119);e.exports=a||r.call(i,o)},11002:e=>{"use strict";e.exports=Function.prototype.apply},10076:e=>{"use strict";e.exports=Function.prototype.call},73126:(e,t,n)=>{"use strict";var r=n(66743),o=n(69675),i=n(10076),a=n(13144);e.exports=function(e){if(e.length<1||"function"!=typeof e[0])throw new o("a function is required");return a(r,i,e)}},47119:e=>{"use strict";e.exports="undefined"!=typeof Reflect&&Reflect&&Reflect.apply},36556:(e,t,n)=>{"use strict";var r=n(70453),o=n(73126),i=o([r("%String.prototype.indexOf%")]);e.exports=function(e,t){var n=r(e,!!t);return"function"==typeof n&&i(e,".prototype.")>-1?o([n]):n}},399:function(e,t,n){var r,o,i;void 0===(i=this)&&void 0!==window&&(i=window),r=[n(72188)],void 0===(o=function(e){return i["Chartist.plugins.tooltip"]=(t=e,function(e,t,n){"use strict";var r={currency:void 0,currencyFormatCallback:void 0,tooltipOffset:{x:0,y:-20},anchorToPoint:!1,appendToBody:!0,class:void 0,pointClass:"ct-point"};function o(e,t){return(" "+e.getAttribute("class")+" ").indexOf(" "+t+" ")>-1}function i(e,t){do{e=e.nextSibling}while(e&&!o(e,t));return e}function a(e){return e.innerText||e.textContent}function l(n){var r;return l in n?((r=n.offsetParent)||(r=t.body.parentElement),r):(r=n.parentNode)?"static"!==e.getComputedStyle(r).position?r:"BODY"===r.tagName?r.parentElement:l(r):t.body.parentElement}n.plugins=n.plugins||{},n.plugins.tooltip=function(s){return s=n.extend({},r,s),function(r){var c=s.pointClass;r instanceof n.BarChart?c="ct-bar":r instanceof n.PieChart&&(c=r.options.donut?r.options.donutSolid?"ct-slice-donut-solid":"ct-slice-donut":"ct-slice-pie");var u,d=r.container,h=!1,p=l(d);(u=s.appendToBody?t.querySelector(".chartist-tooltip"):d.querySelector(".chartist-tooltip"))||((u=t.createElement("div")).className=s.class?"chartist-tooltip "+s.class:"chartist-tooltip",s.appendToBody?t.body.appendChild(u):d.appendChild(u));var f=u.offsetHeight,m=u.offsetWidth;function v(e,t,n){d.addEventListener(e,(function(e){t&&!o(e.target,t)||n(e)}))}function g(t){f=f||u.offsetHeight;var n=-(m=m||u.offsetWidth)/2+s.tooltipOffset.x,r=-f+s.tooltipOffset.y,o=!0===s.anchorToPoint&&t.target.x2&&t.target.y2;if(!0===s.appendToBody)if(o){var i=d.getBoundingClientRect(),a=t.target.x2.baseVal.value+i.left+e.pageXOffset,l=t.target.y2.baseVal.value+i.top+e.pageYOffset;u.style.left=a+n+"px",u.style.top=l+r+"px"}else u.style.left=t.pageX+n+"px",u.style.top=t.pageY+r+"px";else{var c=p.getBoundingClientRect(),h=-c.left-e.pageXOffset+n,v=-c.top-e.pageYOffset+r;o?(i=d.getBoundingClientRect(),a=t.target.x2.baseVal.value+i.left+e.pageXOffset,l=t.target.y2.baseVal.value+i.top+e.pageYOffset,u.style.left=a+h+"px",u.style.top=l+v+"px"):(u.style.left=t.pageX+h+"px",u.style.top=t.pageY+v+"px")}}function w(e){h=!0,o(e,"tooltip-show")||(e.className=e.className+" tooltip-show")}function y(e){h=!1;var t=new RegExp("tooltip-show\\s*","gi");e.className=e.className.replace(t,"").trim()}y(u),v("mouseover",c,(function(e){var o=e.target,c="",h=(r instanceof n.PieChart?o:o.parentNode)?o.parentNode.getAttribute("ct:meta")||o.parentNode.getAttribute("ct:series-name"):"",v=o.getAttribute("ct:meta")||h||"",y=!!v,b=o.getAttribute("ct:value");if(s.transformTooltipTextFnc&&"function"==typeof s.transformTooltipTextFnc&&(b=s.transformTooltipTextFnc(b)),s.tooltipFnc&&"function"==typeof s.tooltipFnc)c=s.tooltipFnc(v,b);else{if(s.metaIsHTML){var x=t.createElement("textarea");x.innerHTML=v,v=x.value}if(v='<span class="chartist-tooltip-meta">'+v+"</span>",y)c+=v+"<br>";else if(r instanceof n.PieChart){var k=i(o,"ct-label");k&&(c+=a(k)+"<br>")}b&&(s.currency&&(b=null!=s.currencyFormatCallback?s.currencyFormatCallback(b,s):s.currency+b.replace(/(\d)(?=(\d{3})+(?:\.\d+)?$)/g,"$1,")),c+=b='<span class="chartist-tooltip-value">'+b+"</span>")}c&&(u.innerHTML=c,f=u.offsetHeight,m=u.offsetWidth,!0!==s.appendToBody&&(p=l(d)),"absolute"!==u.style.display&&(u.style.display="absolute"),g(e),w(u),f=u.offsetHeight,m=u.offsetWidth)})),v("mouseout",c,(function(){y(u)})),v("mousemove",null,(function(e){!1===s.anchorToPoint&&h&&g(e)}))}}}(window,document,t),t.plugins.tooltip);var t}.apply(t,r))||(e.exports=o)},28527:(e,t,n)=>{!function(e){function t(t,n,r){var o,i=t.getWrapperElement();return(o=i.appendChild(document.createElement("div"))).className=r?"CodeMirror-dialog CodeMirror-dialog-bottom":"CodeMirror-dialog CodeMirror-dialog-top","string"==typeof n?o.innerHTML=n:o.appendChild(n),e.addClass(i,"dialog-opened"),o}function n(e,t){e.state.currentNotificationClose&&e.state.currentNotificationClose(),e.state.currentNotificationClose=t}e.defineExtension("openDialog",(function(r,o,i){i||(i={}),n(this,null);var a=t(this,r,i.bottom),l=!1,s=this;function c(t){if("string"==typeof t)d.value=t;else{if(l)return;l=!0,e.rmClass(a.parentNode,"dialog-opened"),a.parentNode.removeChild(a),s.focus(),i.onClose&&i.onClose(a)}}var u,d=a.getElementsByTagName("input")[0];return d?(d.focus(),i.value&&(d.value=i.value,!1!==i.selectValueOnOpen&&d.select()),i.onInput&&e.on(d,"input",(function(e){i.onInput(e,d.value,c)})),i.onKeyUp&&e.on(d,"keyup",(function(e){i.onKeyUp(e,d.value,c)})),e.on(d,"keydown",(function(t){i&&i.onKeyDown&&i.onKeyDown(t,d.value,c)||((27==t.keyCode||!1!==i.closeOnEnter&&13==t.keyCode)&&(d.blur(),e.e_stop(t),c()),13==t.keyCode&&o(d.value,t))})),!1!==i.closeOnBlur&&e.on(a,"focusout",(function(e){null!==e.relatedTarget&&c()}))):(u=a.getElementsByTagName("button")[0])&&(e.on(u,"click",(function(){c(),s.focus()})),!1!==i.closeOnBlur&&e.on(u,"blur",c),u.focus()),c})),e.defineExtension("openConfirm",(function(r,o,i){n(this,null);var a=t(this,r,i&&i.bottom),l=a.getElementsByTagName("button"),s=!1,c=this,u=1;function d(){s||(s=!0,e.rmClass(a.parentNode,"dialog-opened"),a.parentNode.removeChild(a),c.focus())}l[0].focus();for(var h=0;h<l.length;++h){var p=l[h];!function(t){e.on(p,"click",(function(n){e.e_preventDefault(n),d(),t&&t(c)}))}(o[h]),e.on(p,"blur",(function(){--u,setTimeout((function(){u<=0&&d()}),200)})),e.on(p,"focus",(function(){++u}))}})),e.defineExtension("openNotification",(function(r,o){n(this,c);var i,a=t(this,r,o&&o.bottom),l=!1,s=o&&void 0!==o.duration?o.duration:5e3;function c(){l||(l=!0,clearTimeout(i),e.rmClass(a.parentNode,"dialog-opened"),a.parentNode.removeChild(a))}return e.on(a,"click",(function(t){e.e_preventDefault(t),c()})),s&&(i=setTimeout(c,s)),c}))}(n(15237))},97923:(e,t,n)=>{!function(e){var t=/MSIE \d/.test(navigator.userAgent)&&(null==document.documentMode||document.documentMode<8),n=e.Pos,r={"(":")>",")":"(<","[":"]>","]":"[<","{":"}>","}":"{<","<":">>",">":"<<"};function o(e){return e&&e.bracketRegex||/[(){}[\]]/}function i(e,t,i){var l=e.getLineHandle(t.line),s=t.ch-1,c=i&&i.afterCursor;null==c&&(c=/(^| )cm-fat-cursor($| )/.test(e.getWrapperElement().className));var u=o(i),d=!c&&s>=0&&u.test(l.text.charAt(s))&&r[l.text.charAt(s)]||u.test(l.text.charAt(s+1))&&r[l.text.charAt(++s)];if(!d)return null;var h=">"==d.charAt(1)?1:-1;if(i&&i.strict&&h>0!=(s==t.ch))return null;var p=e.getTokenTypeAt(n(t.line,s+1)),f=a(e,n(t.line,s+(h>0?1:0)),h,p,i);return null==f?null:{from:n(t.line,s),to:f&&f.pos,match:f&&f.ch==d.charAt(0),forward:h>0}}function a(e,t,i,a,l){for(var s=l&&l.maxScanLineLength||1e4,c=l&&l.maxScanLines||1e3,u=[],d=o(l),h=i>0?Math.min(t.line+c,e.lastLine()+1):Math.max(e.firstLine()-1,t.line-c),p=t.line;p!=h;p+=i){var f=e.getLine(p);if(f){var m=i>0?0:f.length-1,v=i>0?f.length:-1;if(!(f.length>s))for(p==t.line&&(m=t.ch-(i<0?1:0));m!=v;m+=i){var g=f.charAt(m);if(d.test(g)&&(void 0===a||(e.getTokenTypeAt(n(p,m+1))||"")==(a||""))){var w=r[g];if(w&&">"==w.charAt(1)==i>0)u.push(g);else{if(!u.length)return{pos:n(p,m),ch:g};u.pop()}}}}}return p-i!=(i>0?e.lastLine():e.firstLine())&&null}function l(e,r,o){for(var a=e.state.matchBrackets.maxHighlightLineLength||1e3,l=o&&o.highlightNonMatching,s=[],c=e.listSelections(),u=0;u<c.length;u++){var d=c[u].empty()&&i(e,c[u].head,o);if(d&&(d.match||!1!==l)&&e.getLine(d.from.line).length<=a){var h=d.match?"CodeMirror-matchingbracket":"CodeMirror-nonmatchingbracket";s.push(e.markText(d.from,n(d.from.line,d.from.ch+1),{className:h})),d.to&&e.getLine(d.to.line).length<=a&&s.push(e.markText(d.to,n(d.to.line,d.to.ch+1),{className:h}))}}if(s.length){t&&e.state.focused&&e.focus();var p=function(){e.operation((function(){for(var e=0;e<s.length;e++)s[e].clear()}))};if(!r)return p;setTimeout(p,800)}}function s(e){e.operation((function(){e.state.matchBrackets.currentlyHighlighted&&(e.state.matchBrackets.currentlyHighlighted(),e.state.matchBrackets.currentlyHighlighted=null),e.state.matchBrackets.currentlyHighlighted=l(e,!1,e.state.matchBrackets)}))}function c(e){e.state.matchBrackets&&e.state.matchBrackets.currentlyHighlighted&&(e.state.matchBrackets.currentlyHighlighted(),e.state.matchBrackets.currentlyHighlighted=null)}e.defineOption("matchBrackets",!1,(function(t,n,r){r&&r!=e.Init&&(t.off("cursorActivity",s),t.off("focus",s),t.off("blur",c),c(t)),n&&(t.state.matchBrackets="object"==typeof n?n:{},t.on("cursorActivity",s),t.on("focus",s),t.on("blur",c))})),e.defineExtension("matchBrackets",(function(){l(this,!0)})),e.defineExtension("findMatchingBracket",(function(e,t,n){return(n||"boolean"==typeof t)&&(n?(n.strict=t,t=n):t=t?{strict:!0}:null),i(this,e,t)})),e.defineExtension("scanForBracket",(function(e,t,n,r){return a(this,e,t,n,r)}))}(n(15237))},97340:(e,t,n)=>{!function(e){"use strict";e.multiplexingMode=function(t){var n=Array.prototype.slice.call(arguments,1);function r(e,t,n,r){if("string"==typeof t){var o=e.indexOf(t,n);return r&&o>-1?o+t.length:o}var i=t.exec(n?e.slice(n):e);return i?i.index+n+(r?i[0].length:0):-1}return{startState:function(){return{outer:e.startState(t),innerActive:null,inner:null,startingInner:!1}},copyState:function(n){return{outer:e.copyState(t,n.outer),innerActive:n.innerActive,inner:n.innerActive&&e.copyState(n.innerActive.mode,n.inner),startingInner:n.startingInner}},token:function(o,i){if(i.innerActive){var a=i.innerActive;if(c=o.string,!a.close&&o.sol())return i.innerActive=i.inner=null,this.token(o,i);if((d=a.close&&!i.startingInner?r(c,a.close,o.pos,a.parseDelimiters):-1)==o.pos&&!a.parseDelimiters)return o.match(a.close),i.innerActive=i.inner=null,a.delimStyle&&a.delimStyle+" "+a.delimStyle+"-close";d>-1&&(o.string=c.slice(0,d));var l=a.mode.token(o,i.inner);return d>-1?o.string=c:o.pos>o.start&&(i.startingInner=!1),d==o.pos&&a.parseDelimiters&&(i.innerActive=i.inner=null),a.innerStyle&&(l=l?l+" "+a.innerStyle:a.innerStyle),l}for(var s=1/0,c=o.string,u=0;u<n.length;++u){var d,h=n[u];if((d=r(c,h.open,o.pos))==o.pos){h.parseDelimiters||o.match(h.open),i.startingInner=!!h.parseDelimiters,i.innerActive=h;var p=0;if(t.indent){var f=t.indent(i.outer,"","");f!==e.Pass&&(p=f)}return i.inner=e.startState(h.mode,p),h.delimStyle&&h.delimStyle+" "+h.delimStyle+"-open"}-1!=d&&d<s&&(s=d)}s!=1/0&&(o.string=c.slice(0,s));var m=t.token(o,i.outer);return s!=1/0&&(o.string=c),m},indent:function(n,r,o){var i=n.innerActive?n.innerActive.mode:t;return i.indent?i.indent(n.innerActive?n.inner:n.outer,r,o):e.Pass},blankLine:function(r){var o=r.innerActive?r.innerActive.mode:t;if(o.blankLine&&o.blankLine(r.innerActive?r.inner:r.outer),r.innerActive)"\n"===r.innerActive.close&&(r.innerActive=r.inner=null);else for(var i=0;i<n.length;++i){var a=n[i];"\n"===a.open&&(r.innerActive=a,r.inner=e.startState(a.mode,o.indent?o.indent(r.outer,"",""):0))}},electricChars:t.electricChars,innerMode:function(e){return e.inner?{state:e.inner,mode:e.innerActive.mode}:{state:e.outer,mode:t}}}}}(n(15237))},32580:(e,t,n)=>{!function(e){"use strict";e.overlayMode=function(t,n,r){return{startState:function(){return{base:e.startState(t),overlay:e.startState(n),basePos:0,baseCur:null,overlayPos:0,overlayCur:null,streamSeen:null}},copyState:function(r){return{base:e.copyState(t,r.base),overlay:e.copyState(n,r.overlay),basePos:r.basePos,baseCur:null,overlayPos:r.overlayPos,overlayCur:null}},token:function(e,o){return(e!=o.streamSeen||Math.min(o.basePos,o.overlayPos)<e.start)&&(o.streamSeen=e,o.basePos=o.overlayPos=e.start),e.start==o.basePos&&(o.baseCur=t.token(e,o.base),o.basePos=e.pos),e.start==o.overlayPos&&(e.pos=e.start,o.overlayCur=n.token(e,o.overlay),o.overlayPos=e.pos),e.pos=Math.min(o.basePos,o.overlayPos),null==o.overlayCur?o.baseCur:null!=o.baseCur&&o.overlay.combineTokens||r&&null==o.overlay.combineTokens?o.baseCur+" "+o.overlayCur:o.overlayCur},indent:t.indent&&function(e,n,r){return t.indent(e.base,n,r)},electricChars:t.electricChars,innerMode:function(e){return{state:e.base,mode:t}},blankLine:function(e){var o,i;return t.blankLine&&(o=t.blankLine(e.base)),n.blankLine&&(i=n.blankLine(e.overlay)),null==i?o:r&&null!=o?o+" "+i:i}}}}(n(15237))},34856:(e,t,n)=>{!function(e){"use strict";function t(e,t){if(!e.hasOwnProperty(t))throw new Error("Undefined state "+t+" in simple mode")}function n(e,t){if(!e)return/(?:)/;var n="";return e instanceof RegExp?(e.ignoreCase&&(n="i"),e.unicode&&(n+="u"),e=e.source):e=String(e),new RegExp((!1===t?"":"^")+"(?:"+e+")",n)}function r(e){if(!e)return null;if(e.apply)return e;if("string"==typeof e)return e.replace(/\./g," ");for(var t=[],n=0;n<e.length;n++)t.push(e[n]&&e[n].replace(/\./g," "));return t}function o(e,o){(e.next||e.push)&&t(o,e.next||e.push),this.regex=n(e.regex),this.token=r(e.token),this.data=e}function i(e,t){return function(n,r){if(r.pending){var o=r.pending.shift();return 0==r.pending.length&&(r.pending=null),n.pos+=o.text.length,o.token}if(r.local){if(r.local.end&&n.match(r.local.end)){var i=r.local.endToken||null;return r.local=r.localState=null,i}var a;return i=r.local.mode.token(n,r.localState),r.local.endScan&&(a=r.local.endScan.exec(n.current()))&&(n.pos=n.start+a.index),i}for(var s=e[r.state],c=0;c<s.length;c++){var u=s[c],d=(!u.data.sol||n.sol())&&n.match(u.regex);if(d){u.data.next?r.state=u.data.next:u.data.push?((r.stack||(r.stack=[])).push(r.state),r.state=u.data.push):u.data.pop&&r.stack&&r.stack.length&&(r.state=r.stack.pop()),u.data.mode&&l(t,r,u.data.mode,u.token),u.data.indent&&r.indent.push(n.indentation()+t.indentUnit),u.data.dedent&&r.indent.pop();var h=u.token;if(h&&h.apply&&(h=h(d)),d.length>2&&u.token&&"string"!=typeof u.token){for(var p=2;p<d.length;p++)d[p]&&(r.pending||(r.pending=[])).push({text:d[p],token:u.token[p-1]});return n.backUp(d[0].length-(d[1]?d[1].length:0)),h[0]}return h&&h.join?h[0]:h}}return n.next(),null}}function a(e,t){if(e===t)return!0;if(!e||"object"!=typeof e||!t||"object"!=typeof t)return!1;var n=0;for(var r in e)if(e.hasOwnProperty(r)){if(!t.hasOwnProperty(r)||!a(e[r],t[r]))return!1;n++}for(var r in t)t.hasOwnProperty(r)&&n--;return 0==n}function l(t,r,o,i){var l;if(o.persistent)for(var s=r.persistentStates;s&&!l;s=s.next)(o.spec?a(o.spec,s.spec):o.mode==s.mode)&&(l=s);var c=l?l.mode:o.mode||e.getMode(t,o.spec),u=l?l.state:e.startState(c);o.persistent&&!l&&(r.persistentStates={mode:c,spec:o.spec,state:u,next:r.persistentStates}),r.localState=u,r.local={mode:c,end:o.end&&n(o.end),endScan:o.end&&!1!==o.forceEnd&&n(o.end,!1),endToken:i&&i.join?i[i.length-1]:i}}function s(e,t){for(var n=0;n<t.length;n++)if(t[n]===e)return!0}function c(t,n){return function(r,o,i){if(r.local&&r.local.mode.indent)return r.local.mode.indent(r.localState,o,i);if(null==r.indent||r.local||n.dontIndentStates&&s(r.state,n.dontIndentStates)>-1)return e.Pass;var a=r.indent.length-1,l=t[r.state];e:for(;;){for(var c=0;c<l.length;c++){var u=l[c];if(u.data.dedent&&!1!==u.data.dedentIfLineStart){var d=u.regex.exec(o);if(d&&d[0]){a--,(u.next||u.push)&&(l=t[u.next||u.push]),o=o.slice(d[0].length);continue e}}}break}return a<0?0:r.indent[a]}}e.defineSimpleMode=function(t,n){e.defineMode(t,(function(t){return e.simpleMode(t,n)}))},e.simpleMode=function(n,r){t(r,"start");var a={},l=r.meta||{},s=!1;for(var u in r)if(u!=l&&r.hasOwnProperty(u))for(var d=a[u]=[],h=r[u],p=0;p<h.length;p++){var f=h[p];d.push(new o(f,r)),(f.indent||f.dedent)&&(s=!0)}var m={startState:function(){return{state:"start",pending:null,local:null,localState:null,indent:s?[]:null}},copyState:function(t){var n={state:t.state,pending:t.pending,local:t.local,localState:null,indent:t.indent&&t.indent.slice(0)};t.localState&&(n.localState=e.copyState(t.local.mode,t.localState)),t.stack&&(n.stack=t.stack.slice(0));for(var r=t.persistentStates;r;r=r.next)n.persistentStates={mode:r.mode,spec:r.spec,state:r.state==t.localState?n.localState:e.copyState(r.mode,r.state),next:n.persistentStates};return n},token:i(a,n),innerMode:function(e){return e.local&&{mode:e.local.mode,state:e.localState}},indent:c(a,l)};if(l)for(var v in l)l.hasOwnProperty(v)&&(m[v]=l[v]);return m}}(n(15237))},23653:(e,t,n)=>{!function(e){"use strict";var t,n,r=e.Pos;function o(e){var t=e.flags;return null!=t?t:(e.ignoreCase?"i":"")+(e.global?"g":"")+(e.multiline?"m":"")}function i(e,t){for(var n=o(e),r=n,i=0;i<t.length;i++)-1==r.indexOf(t.charAt(i))&&(r+=t.charAt(i));return n==r?e:new RegExp(e.source,r)}function a(e){return/\\s|\\n|\n|\\W|\\D|\[\^/.test(e.source)}function l(e,t,n){t=i(t,"g");for(var o=n.line,a=n.ch,l=e.lastLine();o<=l;o++,a=0){t.lastIndex=a;var s=e.getLine(o),c=t.exec(s);if(c)return{from:r(o,c.index),to:r(o,c.index+c[0].length),match:c}}}function s(e,t,n){if(!a(t))return l(e,t,n);t=i(t,"gm");for(var o,s=1,c=n.line,u=e.lastLine();c<=u;){for(var d=0;d<s&&!(c>u);d++){var h=e.getLine(c++);o=null==o?h:o+"\n"+h}s*=2,t.lastIndex=n.ch;var p=t.exec(o);if(p){var f=o.slice(0,p.index).split("\n"),m=p[0].split("\n"),v=n.line+f.length-1,g=f[f.length-1].length;return{from:r(v,g),to:r(v+m.length-1,1==m.length?g+m[0].length:m[m.length-1].length),match:p}}}}function c(e,t,n){for(var r,o=0;o<=e.length;){t.lastIndex=o;var i=t.exec(e);if(!i)break;var a=i.index+i[0].length;if(a>e.length-n)break;(!r||a>r.index+r[0].length)&&(r=i),o=i.index+1}return r}function u(e,t,n){t=i(t,"g");for(var o=n.line,a=n.ch,l=e.firstLine();o>=l;o--,a=-1){var s=e.getLine(o),u=c(s,t,a<0?0:s.length-a);if(u)return{from:r(o,u.index),to:r(o,u.index+u[0].length),match:u}}}function d(e,t,n){if(!a(t))return u(e,t,n);t=i(t,"gm");for(var o,l=1,s=e.getLine(n.line).length-n.ch,d=n.line,h=e.firstLine();d>=h;){for(var p=0;p<l&&d>=h;p++){var f=e.getLine(d--);o=null==o?f:f+"\n"+o}l*=2;var m=c(o,t,s);if(m){var v=o.slice(0,m.index).split("\n"),g=m[0].split("\n"),w=d+v.length,y=v[v.length-1].length;return{from:r(w,y),to:r(w+g.length-1,1==g.length?y+g[0].length:g[g.length-1].length),match:m}}}}function h(e,t,n,r){if(e.length==t.length)return n;for(var o=0,i=n+Math.max(0,e.length-t.length);;){if(o==i)return o;var a=o+i>>1,l=r(e.slice(0,a)).length;if(l==n)return a;l>n?i=a:o=a+1}}function p(e,o,i,a){if(!o.length)return null;var l=a?t:n,s=l(o).split(/\r|\n\r?/);e:for(var c=i.line,u=i.ch,d=e.lastLine()+1-s.length;c<=d;c++,u=0){var p=e.getLine(c).slice(u),f=l(p);if(1==s.length){var m=f.indexOf(s[0]);if(-1==m)continue e;return i=h(p,f,m,l)+u,{from:r(c,h(p,f,m,l)+u),to:r(c,h(p,f,m+s[0].length,l)+u)}}var v=f.length-s[0].length;if(f.slice(v)==s[0]){for(var g=1;g<s.length-1;g++)if(l(e.getLine(c+g))!=s[g])continue e;var w=e.getLine(c+s.length-1),y=l(w),b=s[s.length-1];if(y.slice(0,b.length)==b)return{from:r(c,h(p,f,v,l)+u),to:r(c+s.length-1,h(w,y,b.length,l))}}}}function f(e,o,i,a){if(!o.length)return null;var l=a?t:n,s=l(o).split(/\r|\n\r?/);e:for(var c=i.line,u=i.ch,d=e.firstLine()-1+s.length;c>=d;c--,u=-1){var p=e.getLine(c);u>-1&&(p=p.slice(0,u));var f=l(p);if(1==s.length){var m=f.lastIndexOf(s[0]);if(-1==m)continue e;return{from:r(c,h(p,f,m,l)),to:r(c,h(p,f,m+s[0].length,l))}}var v=s[s.length-1];if(f.slice(0,v.length)==v){var g=1;for(i=c-s.length+1;g<s.length-1;g++)if(l(e.getLine(i+g))!=s[g])continue e;var w=e.getLine(c+1-s.length),y=l(w);if(y.slice(y.length-s[0].length)==s[0])return{from:r(c+1-s.length,h(w,y,w.length-s[0].length,l)),to:r(c,h(p,f,v.length,l))}}}}function m(e,t,n,o){var a;this.atOccurrence=!1,this.afterEmptyMatch=!1,this.doc=e,n=n?e.clipPos(n):r(0,0),this.pos={from:n,to:n},"object"==typeof o?a=o.caseFold:(a=o,o=null),"string"==typeof t?(null==a&&(a=!1),this.matches=function(n,r){return(n?f:p)(e,t,r,a)}):(t=i(t,"gm"),o&&!1===o.multiline?this.matches=function(n,r){return(n?u:l)(e,t,r)}:this.matches=function(n,r){return(n?d:s)(e,t,r)})}String.prototype.normalize?(t=function(e){return e.normalize("NFD").toLowerCase()},n=function(e){return e.normalize("NFD")}):(t=function(e){return e.toLowerCase()},n=function(e){return e}),m.prototype={findNext:function(){return this.find(!1)},findPrevious:function(){return this.find(!0)},find:function(t){var n=this.doc.clipPos(t?this.pos.from:this.pos.to);if(this.afterEmptyMatch&&this.atOccurrence&&(n=r(n.line,n.ch),t?(n.ch--,n.ch<0&&(n.line--,n.ch=(this.doc.getLine(n.line)||"").length)):(n.ch++,n.ch>(this.doc.getLine(n.line)||"").length&&(n.ch=0,n.line++)),0!=e.cmpPos(n,this.doc.clipPos(n))))return this.atOccurrence=!1;var o=this.matches(t,n);if(this.afterEmptyMatch=o&&0==e.cmpPos(o.from,o.to),o)return this.pos=o,this.atOccurrence=!0,this.pos.match||!0;var i=r(t?this.doc.firstLine():this.doc.lastLine()+1,0);return this.pos={from:i,to:i},this.atOccurrence=!1},from:function(){if(this.atOccurrence)return this.pos.from},to:function(){if(this.atOccurrence)return this.pos.to},replace:function(t,n){if(this.atOccurrence){var o=e.splitLines(t);this.doc.replaceRange(o,this.pos.from,this.pos.to,n),this.pos.to=r(this.pos.from.line+o.length-1,o[o.length-1].length+(1==o.length?this.pos.from.ch:0))}}},e.defineExtension("getSearchCursor",(function(e,t,n){return new m(this.doc,e,t,n)})),e.defineDocExtension("getSearchCursor",(function(e,t,n){return new m(this,e,t,n)})),e.defineExtension("selectMatches",(function(t,n){for(var r=[],o=this.getSearchCursor(t,this.getCursor("from"),n);o.findNext()&&!(e.cmpPos(o.to(),this.getCursor("to"))>0);)r.push({anchor:o.from(),head:o.to()});r.length&&this.setSelections(r,0)}))}(n(15237))},71275:(e,t,n)=>{!function(e){"use strict";function t(e){var t=e.Pos;function n(e,n){var r=e.state.vim;if(!r||r.insertMode)return n.head;var o=r.sel.head;return o?r.visualBlock&&n.head.line!=o.line?void 0:n.from()!=n.anchor||n.empty()||n.head.line!=o.line||n.head.ch==o.ch?n.head:new t(n.head.line,n.head.ch-1):n.head}var r=[{keys:"<Left>",type:"keyToKey",toKeys:"h"},{keys:"<Right>",type:"keyToKey",toKeys:"l"},{keys:"<Up>",type:"keyToKey",toKeys:"k"},{keys:"<Down>",type:"keyToKey",toKeys:"j"},{keys:"g<Up>",type:"keyToKey",toKeys:"gk"},{keys:"g<Down>",type:"keyToKey",toKeys:"gj"},{keys:"<Space>",type:"keyToKey",toKeys:"l"},{keys:"<BS>",type:"keyToKey",toKeys:"h",context:"normal"},{keys:"<Del>",type:"keyToKey",toKeys:"x",context:"normal"},{keys:"<C-Space>",type:"keyToKey",toKeys:"W"},{keys:"<C-BS>",type:"keyToKey",toKeys:"B",context:"normal"},{keys:"<S-Space>",type:"keyToKey",toKeys:"w"},{keys:"<S-BS>",type:"keyToKey",toKeys:"b",context:"normal"},{keys:"<C-n>",type:"keyToKey",toKeys:"j"},{keys:"<C-p>",type:"keyToKey",toKeys:"k"},{keys:"<C-[>",type:"keyToKey",toKeys:"<Esc>"},{keys:"<C-c>",type:"keyToKey",toKeys:"<Esc>"},{keys:"<C-[>",type:"keyToKey",toKeys:"<Esc>",context:"insert"},{keys:"<C-c>",type:"keyToKey",toKeys:"<Esc>",context:"insert"},{keys:"<C-Esc>",type:"keyToKey",toKeys:"<Esc>"},{keys:"<C-Esc>",type:"keyToKey",toKeys:"<Esc>",context:"insert"},{keys:"s",type:"keyToKey",toKeys:"cl",context:"normal"},{keys:"s",type:"keyToKey",toKeys:"c",context:"visual"},{keys:"S",type:"keyToKey",toKeys:"cc",context:"normal"},{keys:"S",type:"keyToKey",toKeys:"VdO",context:"visual"},{keys:"<Home>",type:"keyToKey",toKeys:"0"},{keys:"<End>",type:"keyToKey",toKeys:"$"},{keys:"<PageUp>",type:"keyToKey",toKeys:"<C-b>"},{keys:"<PageDown>",type:"keyToKey",toKeys:"<C-f>"},{keys:"<CR>",type:"keyToKey",toKeys:"j^",context:"normal"},{keys:"<Ins>",type:"keyToKey",toKeys:"i",context:"normal"},{keys:"<Ins>",type:"action",action:"toggleOverwrite",context:"insert"},{keys:"H",type:"motion",motion:"moveToTopLine",motionArgs:{linewise:!0,toJumplist:!0}},{keys:"M",type:"motion",motion:"moveToMiddleLine",motionArgs:{linewise:!0,toJumplist:!0}},{keys:"L",type:"motion",motion:"moveToBottomLine",motionArgs:{linewise:!0,toJumplist:!0}},{keys:"h",type:"motion",motion:"moveByCharacters",motionArgs:{forward:!1}},{keys:"l",type:"motion",motion:"moveByCharacters",motionArgs:{forward:!0}},{keys:"j",type:"motion",motion:"moveByLines",motionArgs:{forward:!0,linewise:!0}},{keys:"k",type:"motion",motion:"moveByLines",motionArgs:{forward:!1,linewise:!0}},{keys:"gj",type:"motion",motion:"moveByDisplayLines",motionArgs:{forward:!0}},{keys:"gk",type:"motion",motion:"moveByDisplayLines",motionArgs:{forward:!1}},{keys:"w",type:"motion",motion:"moveByWords",motionArgs:{forward:!0,wordEnd:!1}},{keys:"W",type:"motion",motion:"moveByWords",motionArgs:{forward:!0,wordEnd:!1,bigWord:!0}},{keys:"e",type:"motion",motion:"moveByWords",motionArgs:{forward:!0,wordEnd:!0,inclusive:!0}},{keys:"E",type:"motion",motion:"moveByWords",motionArgs:{forward:!0,wordEnd:!0,bigWord:!0,inclusive:!0}},{keys:"b",type:"motion",motion:"moveByWords",motionArgs:{forward:!1,wordEnd:!1}},{keys:"B",type:"motion",motion:"moveByWords",motionArgs:{forward:!1,wordEnd:!1,bigWord:!0}},{keys:"ge",type:"motion",motion:"moveByWords",motionArgs:{forward:!1,wordEnd:!0,inclusive:!0}},{keys:"gE",type:"motion",motion:"moveByWords",motionArgs:{forward:!1,wordEnd:!0,bigWord:!0,inclusive:!0}},{keys:"{",type:"motion",motion:"moveByParagraph",motionArgs:{forward:!1,toJumplist:!0}},{keys:"}",type:"motion",motion:"moveByParagraph",motionArgs:{forward:!0,toJumplist:!0}},{keys:"(",type:"motion",motion:"moveBySentence",motionArgs:{forward:!1}},{keys:")",type:"motion",motion:"moveBySentence",motionArgs:{forward:!0}},{keys:"<C-f>",type:"motion",motion:"moveByPage",motionArgs:{forward:!0}},{keys:"<C-b>",type:"motion",motion:"moveByPage",motionArgs:{forward:!1}},{keys:"<C-d>",type:"motion",motion:"moveByScroll",motionArgs:{forward:!0,explicitRepeat:!0}},{keys:"<C-u>",type:"motion",motion:"moveByScroll",motionArgs:{forward:!1,explicitRepeat:!0}},{keys:"gg",type:"motion",motion:"moveToLineOrEdgeOfDocument",motionArgs:{forward:!1,explicitRepeat:!0,linewise:!0,toJumplist:!0}},{keys:"G",type:"motion",motion:"moveToLineOrEdgeOfDocument",motionArgs:{forward:!0,explicitRepeat:!0,linewise:!0,toJumplist:!0}},{keys:"g$",type:"motion",motion:"moveToEndOfDisplayLine"},{keys:"g^",type:"motion",motion:"moveToStartOfDisplayLine"},{keys:"g0",type:"motion",motion:"moveToStartOfDisplayLine"},{keys:"0",type:"motion",motion:"moveToStartOfLine"},{keys:"^",type:"motion",motion:"moveToFirstNonWhiteSpaceCharacter"},{keys:"+",type:"motion",motion:"moveByLines",motionArgs:{forward:!0,toFirstChar:!0}},{keys:"-",type:"motion",motion:"moveByLines",motionArgs:{forward:!1,toFirstChar:!0}},{keys:"_",type:"motion",motion:"moveByLines",motionArgs:{forward:!0,toFirstChar:!0,repeatOffset:-1}},{keys:"$",type:"motion",motion:"moveToEol",motionArgs:{inclusive:!0}},{keys:"%",type:"motion",motion:"moveToMatchedSymbol",motionArgs:{inclusive:!0,toJumplist:!0}},{keys:"f<character>",type:"motion",motion:"moveToCharacter",motionArgs:{forward:!0,inclusive:!0}},{keys:"F<character>",type:"motion",motion:"moveToCharacter",motionArgs:{forward:!1}},{keys:"t<character>",type:"motion",motion:"moveTillCharacter",motionArgs:{forward:!0,inclusive:!0}},{keys:"T<character>",type:"motion",motion:"moveTillCharacter",motionArgs:{forward:!1}},{keys:";",type:"motion",motion:"repeatLastCharacterSearch",motionArgs:{forward:!0}},{keys:",",type:"motion",motion:"repeatLastCharacterSearch",motionArgs:{forward:!1}},{keys:"'<character>",type:"motion",motion:"goToMark",motionArgs:{toJumplist:!0,linewise:!0}},{keys:"`<character>",type:"motion",motion:"goToMark",motionArgs:{toJumplist:!0}},{keys:"]`",type:"motion",motion:"jumpToMark",motionArgs:{forward:!0}},{keys:"[`",type:"motion",motion:"jumpToMark",motionArgs:{forward:!1}},{keys:"]'",type:"motion",motion:"jumpToMark",motionArgs:{forward:!0,linewise:!0}},{keys:"['",type:"motion",motion:"jumpToMark",motionArgs:{forward:!1,linewise:!0}},{keys:"]p",type:"action",action:"paste",isEdit:!0,actionArgs:{after:!0,isEdit:!0,matchIndent:!0}},{keys:"[p",type:"action",action:"paste",isEdit:!0,actionArgs:{after:!1,isEdit:!0,matchIndent:!0}},{keys:"]<character>",type:"motion",motion:"moveToSymbol",motionArgs:{forward:!0,toJumplist:!0}},{keys:"[<character>",type:"motion",motion:"moveToSymbol",motionArgs:{forward:!1,toJumplist:!0}},{keys:"|",type:"motion",motion:"moveToColumn"},{keys:"o",type:"motion",motion:"moveToOtherHighlightedEnd",context:"visual"},{keys:"O",type:"motion",motion:"moveToOtherHighlightedEnd",motionArgs:{sameLine:!0},context:"visual"},{keys:"d",type:"operator",operator:"delete"},{keys:"y",type:"operator",operator:"yank"},{keys:"c",type:"operator",operator:"change"},{keys:"=",type:"operator",operator:"indentAuto"},{keys:">",type:"operator",operator:"indent",operatorArgs:{indentRight:!0}},{keys:"<",type:"operator",operator:"indent",operatorArgs:{indentRight:!1}},{keys:"g~",type:"operator",operator:"changeCase"},{keys:"gu",type:"operator",operator:"changeCase",operatorArgs:{toLower:!0},isEdit:!0},{keys:"gU",type:"operator",operator:"changeCase",operatorArgs:{toLower:!1},isEdit:!0},{keys:"n",type:"motion",motion:"findNext",motionArgs:{forward:!0,toJumplist:!0}},{keys:"N",type:"motion",motion:"findNext",motionArgs:{forward:!1,toJumplist:!0}},{keys:"gn",type:"motion",motion:"findAndSelectNextInclusive",motionArgs:{forward:!0}},{keys:"gN",type:"motion",motion:"findAndSelectNextInclusive",motionArgs:{forward:!1}},{keys:"x",type:"operatorMotion",operator:"delete",motion:"moveByCharacters",motionArgs:{forward:!0},operatorMotionArgs:{visualLine:!1}},{keys:"X",type:"operatorMotion",operator:"delete",motion:"moveByCharacters",motionArgs:{forward:!1},operatorMotionArgs:{visualLine:!0}},{keys:"D",type:"operatorMotion",operator:"delete",motion:"moveToEol",motionArgs:{inclusive:!0},context:"normal"},{keys:"D",type:"operator",operator:"delete",operatorArgs:{linewise:!0},context:"visual"},{keys:"Y",type:"operatorMotion",operator:"yank",motion:"expandToLine",motionArgs:{linewise:!0},context:"normal"},{keys:"Y",type:"operator",operator:"yank",operatorArgs:{linewise:!0},context:"visual"},{keys:"C",type:"operatorMotion",operator:"change",motion:"moveToEol",motionArgs:{inclusive:!0},context:"normal"},{keys:"C",type:"operator",operator:"change",operatorArgs:{linewise:!0},context:"visual"},{keys:"~",type:"operatorMotion",operator:"changeCase",motion:"moveByCharacters",motionArgs:{forward:!0},operatorArgs:{shouldMoveCursor:!0},context:"normal"},{keys:"~",type:"operator",operator:"changeCase",context:"visual"},{keys:"<C-u>",type:"operatorMotion",operator:"delete",motion:"moveToStartOfLine",context:"insert"},{keys:"<C-w>",type:"operatorMotion",operator:"delete",motion:"moveByWords",motionArgs:{forward:!1,wordEnd:!1},context:"insert"},{keys:"<C-w>",type:"idle",context:"normal"},{keys:"<C-i>",type:"action",action:"jumpListWalk",actionArgs:{forward:!0}},{keys:"<C-o>",type:"action",action:"jumpListWalk",actionArgs:{forward:!1}},{keys:"<C-e>",type:"action",action:"scroll",actionArgs:{forward:!0,linewise:!0}},{keys:"<C-y>",type:"action",action:"scroll",actionArgs:{forward:!1,linewise:!0}},{keys:"a",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"charAfter"},context:"normal"},{keys:"A",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"eol"},context:"normal"},{keys:"A",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"endOfSelectedArea"},context:"visual"},{keys:"i",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"inplace"},context:"normal"},{keys:"gi",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"lastEdit"},context:"normal"},{keys:"I",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"firstNonBlank"},context:"normal"},{keys:"gI",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"bol"},context:"normal"},{keys:"I",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{insertAt:"startOfSelectedArea"},context:"visual"},{keys:"o",type:"action",action:"newLineAndEnterInsertMode",isEdit:!0,interlaceInsertRepeat:!0,actionArgs:{after:!0},context:"normal"},{keys:"O",type:"action",action:"newLineAndEnterInsertMode",isEdit:!0,interlaceInsertRepeat:!0,actionArgs:{after:!1},context:"normal"},{keys:"v",type:"action",action:"toggleVisualMode"},{keys:"V",type:"action",action:"toggleVisualMode",actionArgs:{linewise:!0}},{keys:"<C-v>",type:"action",action:"toggleVisualMode",actionArgs:{blockwise:!0}},{keys:"<C-q>",type:"action",action:"toggleVisualMode",actionArgs:{blockwise:!0}},{keys:"gv",type:"action",action:"reselectLastSelection"},{keys:"J",type:"action",action:"joinLines",isEdit:!0},{keys:"gJ",type:"action",action:"joinLines",actionArgs:{keepSpaces:!0},isEdit:!0},{keys:"p",type:"action",action:"paste",isEdit:!0,actionArgs:{after:!0,isEdit:!0}},{keys:"P",type:"action",action:"paste",isEdit:!0,actionArgs:{after:!1,isEdit:!0}},{keys:"r<character>",type:"action",action:"replace",isEdit:!0},{keys:"@<character>",type:"action",action:"replayMacro"},{keys:"q<character>",type:"action",action:"enterMacroRecordMode"},{keys:"R",type:"action",action:"enterInsertMode",isEdit:!0,actionArgs:{replace:!0},context:"normal"},{keys:"R",type:"operator",operator:"change",operatorArgs:{linewise:!0,fullLine:!0},context:"visual",exitVisualBlock:!0},{keys:"u",type:"action",action:"undo",context:"normal"},{keys:"u",type:"operator",operator:"changeCase",operatorArgs:{toLower:!0},context:"visual",isEdit:!0},{keys:"U",type:"operator",operator:"changeCase",operatorArgs:{toLower:!1},context:"visual",isEdit:!0},{keys:"<C-r>",type:"action",action:"redo"},{keys:"m<character>",type:"action",action:"setMark"},{keys:'"<character>',type:"action",action:"setRegister"},{keys:"zz",type:"action",action:"scrollToCursor",actionArgs:{position:"center"}},{keys:"z.",type:"action",action:"scrollToCursor",actionArgs:{position:"center"},motion:"moveToFirstNonWhiteSpaceCharacter"},{keys:"zt",type:"action",action:"scrollToCursor",actionArgs:{position:"top"}},{keys:"z<CR>",type:"action",action:"scrollToCursor",actionArgs:{position:"top"},motion:"moveToFirstNonWhiteSpaceCharacter"},{keys:"zb",type:"action",action:"scrollToCursor",actionArgs:{position:"bottom"}},{keys:"z-",type:"action",action:"scrollToCursor",actionArgs:{position:"bottom"},motion:"moveToFirstNonWhiteSpaceCharacter"},{keys:".",type:"action",action:"repeatLastEdit"},{keys:"<C-a>",type:"action",action:"incrementNumberToken",isEdit:!0,actionArgs:{increase:!0,backtrack:!1}},{keys:"<C-x>",type:"action",action:"incrementNumberToken",isEdit:!0,actionArgs:{increase:!1,backtrack:!1}},{keys:"<C-t>",type:"action",action:"indent",actionArgs:{indentRight:!0},context:"insert"},{keys:"<C-d>",type:"action",action:"indent",actionArgs:{indentRight:!1},context:"insert"},{keys:"a<character>",type:"motion",motion:"textObjectManipulation"},{keys:"i<character>",type:"motion",motion:"textObjectManipulation",motionArgs:{textObjectInner:!0}},{keys:"/",type:"search",searchArgs:{forward:!0,querySrc:"prompt",toJumplist:!0}},{keys:"?",type:"search",searchArgs:{forward:!1,querySrc:"prompt",toJumplist:!0}},{keys:"*",type:"search",searchArgs:{forward:!0,querySrc:"wordUnderCursor",wholeWordOnly:!0,toJumplist:!0}},{keys:"#",type:"search",searchArgs:{forward:!1,querySrc:"wordUnderCursor",wholeWordOnly:!0,toJumplist:!0}},{keys:"g*",type:"search",searchArgs:{forward:!0,querySrc:"wordUnderCursor",toJumplist:!0}},{keys:"g#",type:"search",searchArgs:{forward:!1,querySrc:"wordUnderCursor",toJumplist:!0}},{keys:":",type:"ex"}],o=r.length,i=[{name:"colorscheme",shortName:"colo"},{name:"map"},{name:"imap",shortName:"im"},{name:"nmap",shortName:"nm"},{name:"vmap",shortName:"vm"},{name:"unmap"},{name:"write",shortName:"w"},{name:"undo",shortName:"u"},{name:"redo",shortName:"red"},{name:"set",shortName:"se"},{name:"setlocal",shortName:"setl"},{name:"setglobal",shortName:"setg"},{name:"sort",shortName:"sor"},{name:"substitute",shortName:"s",possiblyAsync:!0},{name:"nohlsearch",shortName:"noh"},{name:"yank",shortName:"y"},{name:"delmarks",shortName:"delm"},{name:"registers",shortName:"reg",excludeFromCommandHistory:!0},{name:"vglobal",shortName:"v"},{name:"global",shortName:"g"}];function a(t){t.setOption("disableInput",!0),t.setOption("showCursorWhenSelecting",!1),e.signal(t,"vim-mode-change",{mode:"normal"}),t.on("cursorActivity",Pt),F(t),e.on(t.getInputField(),"paste",f(t))}function l(t){t.setOption("disableInput",!1),t.off("cursorActivity",Pt),e.off(t.getInputField(),"paste",f(t)),t.state.vim=null,yt&&clearTimeout(yt)}function s(t,n){this==e.keyMap.vim&&(t.options.$customCursor=null,e.rmClass(t.getWrapperElement(),"cm-fat-cursor")),n&&n.attach==c||l(t)}function c(t,r){this==e.keyMap.vim&&(t.curOp&&(t.curOp.selectionChanged=!0),t.options.$customCursor=n,e.addClass(t.getWrapperElement(),"cm-fat-cursor")),r&&r.attach==c||a(t)}function u(t,n){if(n){if(this[t])return this[t];var r=p(t);if(!r)return!1;var o=q.findKey(n,r);return"function"==typeof o&&e.signal(n,"vim-keypress",r),o}}e.defineOption("vimMode",!1,(function(t,n,r){n&&"vim"!=t.getOption("keyMap")?t.setOption("keyMap","vim"):!n&&r!=e.Init&&/^vim/.test(t.getOption("keyMap"))&&t.setOption("keyMap","default")}));var d={Shift:"S",Ctrl:"C",Alt:"A",Cmd:"D",Mod:"A",CapsLock:""},h={Enter:"CR",Backspace:"BS",Delete:"Del",Insert:"Ins"};function p(e){if("'"==e.charAt(0))return e.charAt(1);var t=e.split(/-(?!$)/),n=t[t.length-1];if(1==t.length&&1==t[0].length)return!1;if(2==t.length&&"Shift"==t[0]&&1==n.length)return!1;for(var r=!1,o=0;o<t.length;o++){var i=t[o];i in d?t[o]=d[i]:r=!0,i in h&&(t[o]=h[i])}return!!r&&(S(n)&&(t[t.length-1]=n.toLowerCase()),"<"+t.join("-")+">")}function f(e){var t=e.state.vim;return t.onPasteFn||(t.onPasteFn=function(){t.insertMode||(e.setCursor(le(e.getCursor(),0,1)),re.enterInsertMode(e,{},t))}),t.onPasteFn}var m=/[\d]/,v=[e.isWordChar,function(t){return t&&!e.isWordChar(t)&&!/\s/.test(t)}],g=[function(e){return/\S/.test(e)}];function w(e,t){for(var n=[],r=e;r<e+t;r++)n.push(String.fromCharCode(r));return n}var y,b=w(65,26),x=w(97,26),k=w(48,10),E=[].concat(b,x,k,["<",">"]),A=[].concat(b,x,k,["-",'"',".",":","_","/"]);try{y=new RegExp("^[\\p{Lu}]$","u")}catch(e){y=/^[A-Z]$/}function C(e,t){return t>=e.firstLine()&&t<=e.lastLine()}function B(e){return/^[a-z]$/.test(e)}function M(e){return-1!="()[]{}".indexOf(e)}function _(e){return m.test(e)}function S(e){return y.test(e)}function N(e){return/^\s*$/.test(e)}function V(e){return-1!=".?!".indexOf(e)}function L(e,t){for(var n=0;n<t.length;n++)if(t[n]==e)return!0;return!1}var T={};function I(e,t,n,r,o){if(void 0===t&&!o)throw Error("defaultValue is required unless callback is provided");if(n||(n="string"),T[e]={type:n,defaultValue:t,callback:o},r)for(var i=0;i<r.length;i++)T[r[i]]=T[e];t&&Z(e,t)}function Z(e,t,n,r){var o=T[e],i=(r=r||{}).scope;if(!o)return new Error("Unknown option: "+e);if("boolean"==o.type){if(t&&!0!==t)return new Error("Invalid argument: "+e+"="+t);!1!==t&&(t=!0)}o.callback?("local"!==i&&o.callback(t,void 0),"global"!==i&&n&&o.callback(t,n)):("local"!==i&&(o.value="boolean"==o.type?!!t:t),"global"!==i&&n&&(n.state.vim.options[e]={value:t}))}function O(e,t,n){var r=T[e],o=(n=n||{}).scope;if(!r)return new Error("Unknown option: "+e);if(r.callback){var i=t&&r.callback(void 0,t);return"global"!==o&&void 0!==i?i:"local"!==o?r.callback():void 0}return((i="global"!==o&&t&&t.state.vim.options[e])||"local"!==o&&r||{}).value}I("filetype",void 0,"string",["ft"],(function(e,t){if(void 0!==t){if(void 0===e)return"null"==(n=t.getOption("mode"))?"":n;var n=""==e?"null":e;t.setOption("mode",n)}}));var D,R,H=function(){var e=100,t=-1,n=0,r=0,o=new Array(e);function i(i,a,l){var s=o[t%e];function c(n){var r=++t%e,a=o[r];a&&a.clear(),o[r]=i.setBookmark(n)}if(s){var u=s.find();u&&!pe(u,a)&&c(a)}else c(a);c(l),n=t,(r=t-e+1)<0&&(r=0)}function a(i,a){(t+=a)>n?t=n:t<r&&(t=r);var l=o[(e+t)%e];if(l&&!l.find()){var s,c=a>0?1:-1,u=i.getCursor();do{if((l=o[(e+(t+=c))%e])&&(s=l.find())&&!pe(u,s))break}while(t<n&&t>r)}return l}function l(e,n){var r=t,o=a(e,n);return t=r,o&&o.find()}return{cachedCursor:void 0,add:i,find:l,move:a}},P=function(e){return e?{changes:e.changes,expectCursorActivityForChange:e.expectCursorActivityForChange}:{changes:[],expectCursorActivityForChange:!1}};function j(){this.latestRegister=void 0,this.isPlaying=!1,this.isRecording=!1,this.replaySearchQueries=[],this.onRecordingDone=void 0,this.lastInsertModeChanges=P()}function F(e){return e.state.vim||(e.state.vim={inputState:new U,lastEditInputState:void 0,lastEditActionCommand:void 0,lastHPos:-1,lastHSPos:-1,lastMotion:null,marks:{},insertMode:!1,insertModeRepeat:void 0,visualMode:!1,visualLine:!1,visualBlock:!1,lastSelection:null,lastPastedText:null,sel:{},options:{}}),e.state.vim}function z(){for(var e in D={searchQuery:null,searchIsReversed:!1,lastSubstituteReplacePart:void 0,jumpList:H(),macroModeState:new j,lastCharacterSearch:{increment:0,forward:!0,selectedCharacter:""},registerController:new K({}),searchHistoryController:new Y,exCommandHistoryController:new Y},T){var t=T[e];t.value=t.defaultValue}}j.prototype={exitMacroRecordMode:function(){var e=D.macroModeState;e.onRecordingDone&&e.onRecordingDone(),e.onRecordingDone=void 0,e.isRecording=!1},enterMacroRecordMode:function(e,t){var n=D.registerController.getRegister(t);if(n){if(n.clear(),this.latestRegister=t,e.openDialog){var r=ht("span",{class:"cm-vim-message"},"recording @"+t);this.onRecordingDone=e.openDialog(r,null,{bottom:!0})}this.isRecording=!0}}};var q={enterVimMode:a,buildKeyMap:function(){},getRegisterController:function(){return D.registerController},resetVimGlobalState_:z,getVimGlobalState_:function(){return D},maybeInitVimState_:F,suppressErrorLogging:!1,InsertModeKey:Ft,map:function(e,t,n){Nt.map(e,t,n)},unmap:function(e,t){return Nt.unmap(e,t)},noremap:function(e,t,n){function i(e){return e?[e]:["normal","insert","visual"]}for(var a=i(n),l=r.length,s=l-o;s<l&&a.length;s++){var c=r[s];if(!(c.keys!=t||n&&c.context&&c.context!==n||"ex"===c.type.substr(0,2)||"key"===c.type.substr(0,3))){var u={};for(var d in c)u[d]=c[d];u.keys=e,n&&!u.context&&(u.context=n),this._mapCommand(u);var h=i(c.context);a=a.filter((function(e){return-1===h.indexOf(e)}))}}},mapclear:function(e){var t=r.length,n=o,i=r.slice(0,t-n);if(r=r.slice(t-n),e)for(var a=i.length-1;a>=0;a--){var l=i[a];if(e!==l.context)if(l.context)this._mapCommand(l);else{var s=["normal","insert","visual"];for(var c in s)if(s[c]!==e){var u={};for(var d in l)u[d]=l[d];u.context=s[c],this._mapCommand(u)}}}},setOption:Z,getOption:O,defineOption:I,defineEx:function(e,t,n){if(t){if(0!==e.indexOf(t))throw new Error('(Vim.defineEx) "'+t+'" is not a prefix of "'+e+'", command not registered')}else t=e;St[e]=n,Nt.commandMap_[t]={name:e,shortName:t,type:"api"}},handleKey:function(e,t,n){var r=this.findKey(e,t,n);if("function"==typeof r)return r()},multiSelectHandleKey:Wt,findKey:function(e,t,n){var o,i=F(e);function a(){var r=D.macroModeState;if(r.isRecording){if("q"==t)return r.exitMacroRecordMode(),$(e),!0;"mapping"!=n&&Ot(r,t)}}function l(){if("<Esc>"==t){if(i.visualMode)Ve(e);else{if(!i.insertMode)return;Lt(e)}return $(e),!0}}function s(n){for(var r;n;)r=/<\w+-.+?>|<\w+>|./.exec(n),t=r[0],n=n.substring(r.index+t.length),q.handleKey(e,t,"mapping")}function c(){if(l())return!0;for(var n=i.inputState.keyBuffer=i.inputState.keyBuffer+t,o=1==t.length,a=X.matchCommand(n,r,i.inputState,"insert");n.length>1&&"full"!=a.type;){n=i.inputState.keyBuffer=n.slice(1);var s=X.matchCommand(n,r,i.inputState,"insert");"none"!=s.type&&(a=s)}if("none"==a.type)return $(e),!1;if("partial"==a.type)return R&&window.clearTimeout(R),R=window.setTimeout((function(){i.insertMode&&i.inputState.keyBuffer&&$(e)}),O("insertModeEscKeysTimeout")),!o;if(R&&window.clearTimeout(R),o){for(var c=e.listSelections(),u=0;u<c.length;u++){var d=c[u].head;e.replaceRange("",le(d,0,-(n.length-1)),d,"+input")}D.macroModeState.lastInsertModeChanges.changes.pop()}return $(e),a.command}function u(){if(a()||l())return!0;var n=i.inputState.keyBuffer=i.inputState.keyBuffer+t;if(/^[1-9]\d*$/.test(n))return!0;var o=/^(\d*)(.*)$/.exec(n);if(!o)return $(e),!1;var s=i.visualMode?"visual":"normal",c=o[2]||o[1];i.inputState.operatorShortcut&&i.inputState.operatorShortcut.slice(-1)==c&&(c=i.inputState.operatorShortcut);var u=X.matchCommand(c,r,i.inputState,s);return"none"==u.type?($(e),!1):"partial"==u.type||("clear"==u.type?($(e),!0):(i.inputState.keyBuffer="",(o=/^(\d*)(.*)$/.exec(n))[1]&&"0"!=o[1]&&i.inputState.pushRepeatDigit(o[1]),u.command))}return!1===(o=i.insertMode?c():u())?i.insertMode||1!==t.length?void 0:function(){return!0}:!0===o?function(){return!0}:function(){return e.operation((function(){e.curOp.isVimOp=!0;try{"keyToKey"==o.type?s(o.toKeys):X.processCommand(e,i,o)}catch(t){throw e.state.vim=void 0,F(e),q.suppressErrorLogging||console.log(t),t}return!0}))}},handleEx:function(e,t){Nt.processCommand(e,t)},defineMotion:Q,defineAction:oe,defineOperator:ne,mapCommand:It,_mapCommand:Tt,defineRegister:G,exitVisualMode:Ve,exitInsertMode:Lt};function U(){this.prefixRepeat=[],this.motionRepeat=[],this.operator=null,this.operatorArgs=null,this.motion=null,this.motionArgs=null,this.keyBuffer=[],this.registerName=null}function $(t,n){t.state.vim.inputState=new U,e.signal(t,"vim-command-done",n)}function W(e,t,n){this.clear(),this.keyBuffer=[e||""],this.insertModeChanges=[],this.searchQueries=[],this.linewise=!!t,this.blockwise=!!n}function G(e,t){var n=D.registerController.registers;if(!e||1!=e.length)throw Error("Register name must be 1 character");if(n[e])throw Error("Register already defined "+e);n[e]=t,A.push(e)}function K(e){this.registers=e,this.unnamedRegister=e['"']=new W,e["."]=new W,e[":"]=new W,e["/"]=new W}function Y(){this.historyBuffer=[],this.iterator=0,this.initialPrefix=null}U.prototype.pushRepeatDigit=function(e){this.operator?this.motionRepeat=this.motionRepeat.concat(e):this.prefixRepeat=this.prefixRepeat.concat(e)},U.prototype.getRepeat=function(){var e=0;return(this.prefixRepeat.length>0||this.motionRepeat.length>0)&&(e=1,this.prefixRepeat.length>0&&(e*=parseInt(this.prefixRepeat.join(""),10)),this.motionRepeat.length>0&&(e*=parseInt(this.motionRepeat.join(""),10))),e},W.prototype={setText:function(e,t,n){this.keyBuffer=[e||""],this.linewise=!!t,this.blockwise=!!n},pushText:function(e,t){t&&(this.linewise||this.keyBuffer.push("\n"),this.linewise=!0),this.keyBuffer.push(e)},pushInsertModeChanges:function(e){this.insertModeChanges.push(P(e))},pushSearchQuery:function(e){this.searchQueries.push(e)},clear:function(){this.keyBuffer=[],this.insertModeChanges=[],this.searchQueries=[],this.linewise=!1},toString:function(){return this.keyBuffer.join("")}},K.prototype={pushText:function(e,t,n,r,o){if("_"!==e){r&&"\n"!==n.charAt(n.length-1)&&(n+="\n");var i=this.isValidRegister(e)?this.getRegister(e):null;if(i)S(e)?i.pushText(n,r):i.setText(n,r,o),this.unnamedRegister.setText(i.toString(),r);else{switch(t){case"yank":this.registers[0]=new W(n,r,o);break;case"delete":case"change":-1==n.indexOf("\n")?this.registers["-"]=new W(n,r):(this.shiftNumericRegisters_(),this.registers[1]=new W(n,r))}this.unnamedRegister.setText(n,r,o)}}},getRegister:function(e){return this.isValidRegister(e)?(e=e.toLowerCase(),this.registers[e]||(this.registers[e]=new W),this.registers[e]):this.unnamedRegister},isValidRegister:function(e){return e&&L(e,A)},shiftNumericRegisters_:function(){for(var e=9;e>=2;e--)this.registers[e]=this.getRegister(""+(e-1))}},Y.prototype={nextMatch:function(e,t){var n=this.historyBuffer,r=t?-1:1;null===this.initialPrefix&&(this.initialPrefix=e);for(var o=this.iterator+r;t?o>=0:o<n.length;o+=r)for(var i=n[o],a=0;a<=i.length;a++)if(this.initialPrefix==i.substring(0,a))return this.iterator=o,i;return o>=n.length?(this.iterator=n.length,this.initialPrefix):o<0?e:void 0},pushInput:function(e){var t=this.historyBuffer.indexOf(e);t>-1&&this.historyBuffer.splice(t,1),e.length&&this.historyBuffer.push(e)},reset:function(){this.initialPrefix=null,this.iterator=this.historyBuffer.length}};var X={matchCommand:function(e,t,n,r){var o,i=se(e,t,r,n);if(!i.full&&!i.partial)return{type:"none"};if(!i.full&&i.partial)return{type:"partial"};for(var a=0;a<i.full.length;a++){var l=i.full[a];o||(o=l)}if("<character>"==o.keys.slice(-11)){var s=ue(e);if(!s||s.length>1)return{type:"clear"};n.selectedCharacter=s}return{type:"full",command:o}},processCommand:function(e,t,n){switch(t.inputState.repeatOverride=n.repeatOverride,n.type){case"motion":this.processMotion(e,t,n);break;case"operator":this.processOperator(e,t,n);break;case"operatorMotion":this.processOperatorMotion(e,t,n);break;case"action":this.processAction(e,t,n);break;case"search":this.processSearch(e,t,n);break;case"ex":case"keyToEx":this.processEx(e,t,n)}},processMotion:function(e,t,n){t.inputState.motion=n.motion,t.inputState.motionArgs=ae(n.motionArgs),this.evalInput(e,t)},processOperator:function(e,t,n){var r=t.inputState;if(r.operator){if(r.operator==n.operator)return r.motion="expandToLine",r.motionArgs={linewise:!0},void this.evalInput(e,t);$(e)}r.operator=n.operator,r.operatorArgs=ae(n.operatorArgs),n.keys.length>1&&(r.operatorShortcut=n.keys),n.exitVisualBlock&&(t.visualBlock=!1,_e(e)),t.visualMode&&this.evalInput(e,t)},processOperatorMotion:function(e,t,n){var r=t.visualMode,o=ae(n.operatorMotionArgs);o&&r&&o.visualLine&&(t.visualLine=!0),this.processOperator(e,t,n),r||this.processMotion(e,t,n)},processAction:function(e,t,n){var r=t.inputState,o=r.getRepeat(),i=!!o,a=ae(n.actionArgs)||{};r.selectedCharacter&&(a.selectedCharacter=r.selectedCharacter),n.operator&&this.processOperator(e,t,n),n.motion&&this.processMotion(e,t,n),(n.motion||n.operator)&&this.evalInput(e,t),a.repeat=o||1,a.repeatIsExplicit=i,a.registerName=r.registerName,$(e),t.lastMotion=null,n.isEdit&&this.recordLastEdit(t,r,n),re[n.action](e,a,t)},processSearch:function(t,n,r){if(t.getSearchCursor){var o=r.searchArgs.forward,i=r.searchArgs.wholeWordOnly;tt(t).setReversed(!o);var a=o?"/":"?",l=tt(t).getQuery(),s=t.getScrollInfo();switch(r.searchArgs.querySrc){case"prompt":var c=D.macroModeState;c.isPlaying?p(h=c.replaySearchQueries.shift(),!0,!1):mt(t,{onClose:f,prefix:a,desc:"(JavaScript regexp)",onKeyUp:m,onKeyDown:v});break;case"wordUnderCursor":var u=Ze(t,!1,!0,!1,!0),d=!0;if(u||(u=Ze(t,!1,!0,!1,!1),d=!1),!u)return;var h=t.getLine(u.start.line).substring(u.start.ch,u.end.ch);h=d&&i?"\\b"+h+"\\b":be(h),D.jumpList.cachedCursor=t.getCursor(),t.setCursor(u.start),p(h,!0,!1)}}function p(e,o,i){D.searchHistoryController.pushInput(e),D.searchHistoryController.reset();try{gt(t,e,o,i)}catch(n){return pt(t,"Invalid regex: "+e),void $(t)}X.processMotion(t,n,{type:"motion",motion:"findNext",motionArgs:{forward:!0,toJumplist:r.searchArgs.toJumplist}})}function f(e){t.scrollTo(s.left,s.top),p(e,!0,!0);var n=D.macroModeState;n.isRecording&&Rt(n,e)}function m(n,r,i){var a,l,c,u=e.keyName(n);"Up"==u||"Down"==u?(a="Up"==u,l=n.target?n.target.selectionEnd:0,i(r=D.searchHistoryController.nextMatch(r,a)||""),l&&n.target&&(n.target.selectionEnd=n.target.selectionStart=Math.min(l,n.target.value.length))):"Left"!=u&&"Right"!=u&&"Ctrl"!=u&&"Alt"!=u&&"Shift"!=u&&D.searchHistoryController.reset();try{c=gt(t,r,!0,!0)}catch(n){}c?t.scrollIntoView(xt(t,!o,c),30):(Et(t),t.scrollTo(s.left,s.top))}function v(n,r,o){var i=e.keyName(n);"Esc"==i||"Ctrl-C"==i||"Ctrl-["==i||"Backspace"==i&&""==r?(D.searchHistoryController.pushInput(r),D.searchHistoryController.reset(),gt(t,l),Et(t),t.scrollTo(s.left,s.top),e.e_stop(n),$(t),o(),t.focus()):"Up"==i||"Down"==i?e.e_stop(n):"Ctrl-U"==i&&(e.e_stop(n),o(""))}},processEx:function(t,n,r){function o(e){D.exCommandHistoryController.pushInput(e),D.exCommandHistoryController.reset(),Nt.processCommand(t,e),$(t)}function i(n,r,o){var i,a,l=e.keyName(n);("Esc"==l||"Ctrl-C"==l||"Ctrl-["==l||"Backspace"==l&&""==r)&&(D.exCommandHistoryController.pushInput(r),D.exCommandHistoryController.reset(),e.e_stop(n),$(t),o(),t.focus()),"Up"==l||"Down"==l?(e.e_stop(n),i="Up"==l,a=n.target?n.target.selectionEnd:0,o(r=D.exCommandHistoryController.nextMatch(r,i)||""),a&&n.target&&(n.target.selectionEnd=n.target.selectionStart=Math.min(a,n.target.value.length))):"Ctrl-U"==l?(e.e_stop(n),o("")):"Left"!=l&&"Right"!=l&&"Ctrl"!=l&&"Alt"!=l&&"Shift"!=l&&D.exCommandHistoryController.reset()}"keyToEx"==r.type?Nt.processCommand(t,r.exArgs.input):n.visualMode?mt(t,{onClose:o,prefix:":",value:"'<,'>",onKeyDown:i,selectValueOnOpen:!1}):mt(t,{onClose:o,prefix:":",onKeyDown:i})},evalInput:function(e,n){var r,o,i,a=n.inputState,l=a.motion,s=a.motionArgs||{},c=a.operator,u=a.operatorArgs||{},d=a.registerName,h=n.sel,p=he(n.visualMode?ie(e,h.head):e.getCursor("head")),f=he(n.visualMode?ie(e,h.anchor):e.getCursor("anchor")),m=he(p),v=he(f);if(c&&this.recordLastEdit(n,a),(i=void 0!==a.repeatOverride?a.repeatOverride:a.getRepeat())>0&&s.explicitRepeat?s.repeatIsExplicit=!0:(s.noRepeat||!s.explicitRepeat&&0===i)&&(i=1,s.repeatIsExplicit=!1),a.selectedCharacter&&(s.selectedCharacter=u.selectedCharacter=a.selectedCharacter),s.repeat=i,$(e),l){var g=J[l](e,p,s,n,a);if(n.lastMotion=J[l],!g)return;if(s.toJumplist){var w=D.jumpList,y=w.cachedCursor;y?(De(e,y,g),delete w.cachedCursor):De(e,p,g)}g instanceof Array?(o=g[0],r=g[1]):r=g,r||(r=he(p)),n.visualMode?(n.visualBlock&&r.ch===1/0||(r=ie(e,r)),o&&(o=ie(e,o)),o=o||v,h.anchor=o,h.head=r,_e(e),We(e,n,"<",fe(o,r)?o:r),We(e,n,">",fe(o,r)?r:o)):c||(r=ie(e,r),e.setCursor(r.line,r.ch))}if(c){if(u.lastSel){o=v;var b=u.lastSel,x=Math.abs(b.head.line-b.anchor.line),k=Math.abs(b.head.ch-b.anchor.ch);r=b.visualLine?new t(v.line+x,v.ch):b.visualBlock?new t(v.line+x,v.ch+k):b.head.line==b.anchor.line?new t(v.line,v.ch+k):new t(v.line+x,v.ch),n.visualMode=!0,n.visualLine=b.visualLine,n.visualBlock=b.visualBlock,h=n.sel={anchor:o,head:r},_e(e)}else n.visualMode&&(u.lastSel={anchor:he(h.anchor),head:he(h.head),visualBlock:n.visualBlock,visualLine:n.visualLine});var E,A,C,B,M;if(n.visualMode){if(E=me(h.head,h.anchor),A=ve(h.head,h.anchor),C=n.visualLine||u.linewise,M=Se(e,{anchor:E,head:A},B=n.visualBlock?"block":C?"line":"char"),C){var _=M.ranges;if("block"==B)for(var S=0;S<_.length;S++)_[S].head.ch=we(e,_[S].head.line);else"line"==B&&(_[0].head=new t(_[0].head.line+1,0))}}else{if(E=he(o||v),fe(A=he(r||m),E)){var N=E;E=A,A=N}(C=s.linewise||u.linewise)?Te(e,E,A):s.forward&&Le(e,E,A),M=Se(e,{anchor:E,head:A},B="char",!s.inclusive||C)}e.setSelections(M.ranges,M.primary),n.lastMotion=null,u.repeat=i,u.registerName=d,u.linewise=C;var V=te[c](e,u,M.ranges,v,r);n.visualMode&&Ve(e,null!=V),V&&e.setCursor(V)}},recordLastEdit:function(e,t,n){var r=D.macroModeState;r.isPlaying||(e.lastEditInputState=t,e.lastEditActionCommand=n,r.lastInsertModeChanges.changes=[],r.lastInsertModeChanges.expectCursorActivityForChange=!1,r.lastInsertModeChanges.visualBlock=e.visualBlock?e.sel.head.line-e.sel.anchor.line:0)}},J={moveToTopLine:function(e,n,r){var o=Ct(e).top+r.repeat-1;return new t(o,Ie(e.getLine(o)))},moveToMiddleLine:function(e){var n=Ct(e),r=Math.floor(.5*(n.top+n.bottom));return new t(r,Ie(e.getLine(r)))},moveToBottomLine:function(e,n,r){var o=Ct(e).bottom-r.repeat+1;return new t(o,Ie(e.getLine(o)))},expandToLine:function(e,n,r){return new t(n.line+r.repeat-1,1/0)},findNext:function(e,t,n){var r=tt(e),o=r.getQuery();if(o){var i=!n.forward;return i=r.isReversed()?!i:i,bt(e,o),xt(e,i,o,n.repeat)}},findAndSelectNextInclusive:function(n,r,o,i,a){var l=tt(n),s=l.getQuery();if(s){var c=!o.forward,u=kt(n,c=l.isReversed()?!c:c,s,o.repeat,i);if(u){if(a.operator)return u;var d=u[0],h=new t(u[1].line,u[1].ch-1);if(i.visualMode){(i.visualLine||i.visualBlock)&&(i.visualLine=!1,i.visualBlock=!1,e.signal(n,"vim-mode-change",{mode:"visual",subMode:""}));var p=i.sel.anchor;if(p)return l.isReversed()?o.forward?[p,d]:[p,h]:o.forward?[p,h]:[p,d]}else i.visualMode=!0,i.visualLine=!1,i.visualBlock=!1,e.signal(n,"vim-mode-change",{mode:"visual",subMode:""});return c?[h,d]:[d,h]}}},goToMark:function(e,t,n,r){var o=Bt(e,r,n.selectedCharacter);return o?n.linewise?{line:o.line,ch:Ie(e.getLine(o.line))}:o:null},moveToOtherHighlightedEnd:function(e,n,r,o){if(o.visualBlock&&r.sameLine){var i=o.sel;return[ie(e,new t(i.anchor.line,i.head.ch)),ie(e,new t(i.head.line,i.anchor.ch))]}return[o.sel.head,o.sel.anchor]},jumpToMark:function(e,n,r,o){for(var i=n,a=0;a<r.repeat;a++){var l=i;for(var s in o.marks)if(B(s)){var c=o.marks[s].find();if(!((r.forward?fe(c,l):fe(l,c))||r.linewise&&c.line==l.line)){var u=pe(l,i),d=r.forward?ge(l,c,i):ge(i,c,l);(u||d)&&(i=c)}}}return r.linewise&&(i=new t(i.line,Ie(e.getLine(i.line)))),i},moveByCharacters:function(e,n,r){var o=n,i=r.repeat,a=r.forward?o.ch+i:o.ch-i;return new t(o.line,a)},moveByLines:function(e,n,r,o){var i=n,a=i.ch;switch(o.lastMotion){case this.moveByLines:case this.moveByDisplayLines:case this.moveByScroll:case this.moveToColumn:case this.moveToEol:a=o.lastHPos;break;default:o.lastHPos=a}var l=r.repeat+(r.repeatOffset||0),s=r.forward?i.line+l:i.line-l,c=e.firstLine(),u=e.lastLine(),d=e.findPosV(i,r.forward?l:-l,"line",o.lastHSPos);return(r.forward?d.line>s:d.line<s)&&(s=d.line,a=d.ch),s<c&&i.line==c?this.moveToStartOfLine(e,n,r,o):s>u&&i.line==u?qe(e,n,r,o,!0):(r.toFirstChar&&(a=Ie(e.getLine(s)),o.lastHPos=a),o.lastHSPos=e.charCoords(new t(s,a),"div").left,new t(s,a))},moveByDisplayLines:function(e,n,r,o){var i=n;switch(o.lastMotion){case this.moveByDisplayLines:case this.moveByScroll:case this.moveByLines:case this.moveToColumn:case this.moveToEol:break;default:o.lastHSPos=e.charCoords(i,"div").left}var a=r.repeat;if((s=e.findPosV(i,r.forward?a:-a,"line",o.lastHSPos)).hitSide)if(r.forward)var l={top:e.charCoords(s,"div").top+8,left:o.lastHSPos},s=e.coordsChar(l,"div");else{var c=e.charCoords(new t(e.firstLine(),0),"div");c.left=o.lastHSPos,s=e.coordsChar(c,"div")}return o.lastHPos=s.ch,s},moveByPage:function(e,t,n){var r=t,o=n.repeat;return e.findPosV(r,n.forward?o:-o,"page")},moveByParagraph:function(e,t,n){var r=n.forward?1:-1;return Ke(e,t,n.repeat,r)},moveBySentence:function(e,t,n){var r=n.forward?1:-1;return Xe(e,t,n.repeat,r)},moveByScroll:function(e,t,n,r){var o=e.getScrollInfo(),i=null,a=n.repeat;a||(a=o.clientHeight/(2*e.defaultTextHeight()));var l=e.charCoords(t,"local");if(n.repeat=a,!(i=J.moveByDisplayLines(e,t,n,r)))return null;var s=e.charCoords(i,"local");return e.scrollTo(null,o.top+s.top-l.top),i},moveByWords:function(e,t,n){return ze(e,t,n.repeat,!!n.forward,!!n.wordEnd,!!n.bigWord)},moveTillCharacter:function(e,t,n){var r=Ue(e,n.repeat,n.forward,n.selectedCharacter),o=n.forward?-1:1;return Re(o,n),r?(r.ch+=o,r):null},moveToCharacter:function(e,t,n){var r=n.repeat;return Re(0,n),Ue(e,r,n.forward,n.selectedCharacter)||t},moveToSymbol:function(e,t,n){return je(e,n.repeat,n.forward,n.selectedCharacter)||t},moveToColumn:function(e,t,n,r){var o=n.repeat;return r.lastHPos=o-1,r.lastHSPos=e.charCoords(t,"div").left,$e(e,o)},moveToEol:function(e,t,n,r){return qe(e,t,n,r,!1)},moveToFirstNonWhiteSpaceCharacter:function(e,n){var r=n;return new t(r.line,Ie(e.getLine(r.line)))},moveToMatchedSymbol:function(e,n){for(var r,o=n,i=o.line,a=o.ch,l=e.getLine(i);a<l.length;a++)if((r=l.charAt(a))&&M(r)){var s=e.getTokenTypeAt(new t(i,a+1));if("string"!==s&&"comment"!==s)break}if(a<l.length){var c="<"===a||">"===a?/[(){}[\]<>]/:/[(){}[\]]/;return e.findMatchingBracket(new t(i,a),{bracketRegex:c}).to}return o},moveToStartOfLine:function(e,n){return new t(n.line,0)},moveToLineOrEdgeOfDocument:function(e,n,r){var o=r.forward?e.lastLine():e.firstLine();return r.repeatIsExplicit&&(o=r.repeat-e.getOption("firstLineNumber")),new t(o,Ie(e.getLine(o)))},moveToStartOfDisplayLine:function(e){return e.execCommand("goLineLeft"),e.getCursor()},moveToEndOfDisplayLine:function(e){e.execCommand("goLineRight");var t=e.getCursor();return"before"==t.sticky&&t.ch--,t},textObjectManipulation:function(e,t,n,r){var o={"(":")",")":"(","{":"}","}":"{","[":"]","]":"[","<":">",">":"<"},i={"'":!0,'"':!0,"`":!0},a=n.selectedCharacter;"b"==a?a="(":"B"==a&&(a="{");var l,s=!n.textObjectInner;if(o[a])l=Je(e,t,a,s);else if(i[a])l=Qe(e,t,a,s);else if("W"===a)l=Ze(e,s,!0,!0);else if("w"===a)l=Ze(e,s,!0,!1);else if("p"===a)if(l=Ke(e,t,n.repeat,0,s),n.linewise=!0,r.visualMode)r.visualLine||(r.visualLine=!0);else{var c=r.inputState.operatorArgs;c&&(c.linewise=!0),l.end.line--}else if("t"===a)l=Oe(e,t,s);else{if("s"!==a)return null;var u=e.getLine(t.line);t.ch>0&&V(u[t.ch])&&(t.ch-=1);var d=Ye(e,t,n.repeat,1,s),h=Ye(e,t,n.repeat,-1,s);N(e.getLine(h.line)[h.ch])&&N(e.getLine(d.line)[d.ch-1])&&(h={line:h.line,ch:h.ch+1}),l={start:h,end:d}}return e.state.vim.visualMode?Me(e,l.start,l.end):[l.start,l.end]},repeatLastCharacterSearch:function(e,t,n){var r=D.lastCharacterSearch,o=n.repeat,i=n.forward===r.forward,a=(r.increment?1:0)*(i?-1:1);e.moveH(-a,"char"),n.inclusive=!!i;var l=Ue(e,o,i,r.selectedCharacter);return l?(l.ch+=a,l):(e.moveH(a,"char"),t)}};function Q(e,t){J[e]=t}function ee(e,t){for(var n=[],r=0;r<t;r++)n.push(e);return n}var te={change:function(n,r,o){var i,a,l=n.state.vim,s=o[0].anchor,c=o[0].head;if(l.visualMode)if(r.fullLine)c.ch=Number.MAX_VALUE,c.line--,n.setSelection(s,c),a=n.getSelection(),n.replaceSelection(""),i=s;else{a=n.getSelection();var u=ee("",o.length);n.replaceSelections(u),i=me(o[0].head,o[0].anchor)}else{a=n.getRange(s,c);var d=l.lastEditInputState||{};if("moveByWords"==d.motion&&!N(a)){var h=/\s+$/.exec(a);h&&d.motionArgs&&d.motionArgs.forward&&(c=le(c,0,-h[0].length),a=a.slice(0,-h[0].length))}var p=new t(s.line-1,Number.MAX_VALUE),f=n.firstLine()==n.lastLine();c.line>n.lastLine()&&r.linewise&&!f?n.replaceRange("",p,c):n.replaceRange("",s,c),r.linewise&&(f||(n.setCursor(p),e.commands.newlineAndIndent(n)),s.ch=Number.MAX_VALUE),i=s}D.registerController.pushText(r.registerName,"change",a,r.linewise,o.length>1),re.enterInsertMode(n,{head:i},n.state.vim)},delete:function(e,n,r){var o,i,a=e.state.vim;if(a.visualBlock){i=e.getSelection();var l=ee("",r.length);e.replaceSelections(l),o=me(r[0].head,r[0].anchor)}else{var s=r[0].anchor,c=r[0].head;n.linewise&&c.line!=e.firstLine()&&s.line==e.lastLine()&&s.line==c.line-1&&(s.line==e.firstLine()?s.ch=0:s=new t(s.line-1,we(e,s.line-1))),i=e.getRange(s,c),e.replaceRange("",s,c),o=s,n.linewise&&(o=J.moveToFirstNonWhiteSpaceCharacter(e,s))}return D.registerController.pushText(n.registerName,"delete",i,n.linewise,a.visualBlock),ie(e,o)},indent:function(e,t,n){var r=e.state.vim;if(e.indentMore)for(var o=r.visualMode?t.repeat:1,i=0;i<o;i++)t.indentRight?e.indentMore():e.indentLess();else{var a=n[0].anchor.line,l=r.visualBlock?n[n.length-1].anchor.line:n[0].head.line;o=r.visualMode?t.repeat:1,t.linewise&&l--;for(var s=a;s<=l;s++)for(i=0;i<o;i++)e.indentLine(s,t.indentRight)}return J.moveToFirstNonWhiteSpaceCharacter(e,n[0].anchor)},indentAuto:function(e,t,n){return e.execCommand("indentAuto"),J.moveToFirstNonWhiteSpaceCharacter(e,n[0].anchor)},changeCase:function(e,t,n,r,o){for(var i=e.getSelections(),a=[],l=t.toLower,s=0;s<i.length;s++){var c=i[s],u="";if(!0===l)u=c.toLowerCase();else if(!1===l)u=c.toUpperCase();else for(var d=0;d<c.length;d++){var h=c.charAt(d);u+=S(h)?h.toLowerCase():h.toUpperCase()}a.push(u)}return e.replaceSelections(a),t.shouldMoveCursor?o:!e.state.vim.visualMode&&t.linewise&&n[0].anchor.line+1==n[0].head.line?J.moveToFirstNonWhiteSpaceCharacter(e,r):t.linewise?r:me(n[0].anchor,n[0].head)},yank:function(e,t,n,r){var o=e.state.vim,i=e.getSelection(),a=o.visualMode?me(o.sel.anchor,o.sel.head,n[0].head,n[0].anchor):r;return D.registerController.pushText(t.registerName,"yank",i,t.linewise,o.visualBlock),a}};function ne(e,t){te[e]=t}var re={jumpListWalk:function(e,t,n){if(!n.visualMode){var r=t.repeat,o=t.forward,i=D.jumpList.move(e,o?r:-r),a=i?i.find():void 0;a=a||e.getCursor(),e.setCursor(a)}},scroll:function(e,t,n){if(!n.visualMode){var r=t.repeat||1,o=e.defaultTextHeight(),i=e.getScrollInfo().top,a=o*r,l=t.forward?i+a:i-a,s=he(e.getCursor()),c=e.charCoords(s,"local");if(t.forward)l>c.top?(s.line+=(l-c.top)/o,s.line=Math.ceil(s.line),e.setCursor(s),c=e.charCoords(s,"local"),e.scrollTo(null,c.top)):e.scrollTo(null,l);else{var u=l+e.getScrollInfo().clientHeight;u<c.bottom?(s.line-=(c.bottom-u)/o,s.line=Math.floor(s.line),e.setCursor(s),c=e.charCoords(s,"local"),e.scrollTo(null,c.bottom-e.getScrollInfo().clientHeight)):e.scrollTo(null,l)}}},scrollToCursor:function(e,n){var r=e.getCursor().line,o=e.charCoords(new t(r,0),"local"),i=e.getScrollInfo().clientHeight,a=o.top;switch(n.position){case"center":a=o.bottom-i/2;break;case"bottom":var l=new t(r,e.getLine(r).length-1);a=a-i+(e.charCoords(l,"local").bottom-a)}e.scrollTo(null,a)},replayMacro:function(e,t,n){var r=t.selectedCharacter,o=t.repeat,i=D.macroModeState;for("@"==r?r=i.latestRegister:i.latestRegister=r;o--;)Zt(e,n,i,r)},enterMacroRecordMode:function(e,t){var n=D.macroModeState,r=t.selectedCharacter;D.registerController.isValidRegister(r)&&n.enterMacroRecordMode(e,r)},toggleOverwrite:function(t){t.state.overwrite?(t.toggleOverwrite(!1),t.setOption("keyMap","vim-insert"),e.signal(t,"vim-mode-change",{mode:"insert"})):(t.toggleOverwrite(!0),t.setOption("keyMap","vim-replace"),e.signal(t,"vim-mode-change",{mode:"replace"}))},enterInsertMode:function(n,r,o){if(!n.getOption("readOnly")){o.insertMode=!0,o.insertModeRepeat=r&&r.repeat||1;var i=r?r.insertAt:null,a=o.sel,l=r.head||n.getCursor("head"),s=n.listSelections().length;if("eol"==i)l=new t(l.line,we(n,l.line));else if("bol"==i)l=new t(l.line,0);else if("charAfter"==i)l=le(l,0,1);else if("firstNonBlank"==i)l=J.moveToFirstNonWhiteSpaceCharacter(n,l);else if("startOfSelectedArea"==i){if(!o.visualMode)return;o.visualBlock?(l=new t(Math.min(a.head.line,a.anchor.line),Math.min(a.head.ch,a.anchor.ch)),s=Math.abs(a.head.line-a.anchor.line)+1):l=a.head.line<a.anchor.line?a.head:new t(a.anchor.line,0)}else if("endOfSelectedArea"==i){if(!o.visualMode)return;o.visualBlock?(l=new t(Math.min(a.head.line,a.anchor.line),Math.max(a.head.ch,a.anchor.ch)+1),s=Math.abs(a.head.line-a.anchor.line)+1):l=a.head.line>=a.anchor.line?le(a.head,0,1):new t(a.anchor.line,0)}else if("inplace"==i){if(o.visualMode)return}else"lastEdit"==i&&(l=Mt(n)||l);n.setOption("disableInput",!1),r&&r.replace?(n.toggleOverwrite(!0),n.setOption("keyMap","vim-replace"),e.signal(n,"vim-mode-change",{mode:"replace"})):(n.toggleOverwrite(!1),n.setOption("keyMap","vim-insert"),e.signal(n,"vim-mode-change",{mode:"insert"})),D.macroModeState.isPlaying||(n.on("change",Ht),e.on(n.getInputField(),"keydown",zt)),o.visualMode&&Ve(n),Ee(n,l,s)}},toggleVisualMode:function(n,r,o){var i,a=r.repeat,l=n.getCursor();o.visualMode?o.visualLine^r.linewise||o.visualBlock^r.blockwise?(o.visualLine=!!r.linewise,o.visualBlock=!!r.blockwise,e.signal(n,"vim-mode-change",{mode:"visual",subMode:o.visualLine?"linewise":o.visualBlock?"blockwise":""}),_e(n)):Ve(n):(o.visualMode=!0,o.visualLine=!!r.linewise,o.visualBlock=!!r.blockwise,i=ie(n,new t(l.line,l.ch+a-1)),o.sel={anchor:l,head:i},e.signal(n,"vim-mode-change",{mode:"visual",subMode:o.visualLine?"linewise":o.visualBlock?"blockwise":""}),_e(n),We(n,o,"<",me(l,i)),We(n,o,">",ve(l,i)))},reselectLastSelection:function(t,n,r){var o=r.lastSelection;if(r.visualMode&&Be(t,r),o){var i=o.anchorMark.find(),a=o.headMark.find();if(!i||!a)return;r.sel={anchor:i,head:a},r.visualMode=!0,r.visualLine=o.visualLine,r.visualBlock=o.visualBlock,_e(t),We(t,r,"<",me(i,a)),We(t,r,">",ve(i,a)),e.signal(t,"vim-mode-change",{mode:"visual",subMode:r.visualLine?"linewise":r.visualBlock?"blockwise":""})}},joinLines:function(e,n,r){var o,i;if(r.visualMode){if(o=e.getCursor("anchor"),fe(i=e.getCursor("head"),o)){var a=i;i=o,o=a}i.ch=we(e,i.line)-1}else{var l=Math.max(n.repeat,2);o=e.getCursor(),i=ie(e,new t(o.line+l-1,1/0))}for(var s=0,c=o.line;c<i.line;c++){s=we(e,o.line),a=new t(o.line+1,we(e,o.line+1));var u=e.getRange(o,a);u=n.keepSpaces?u.replace(/\n\r?/g,""):u.replace(/\n\s*/g," "),e.replaceRange(u,o,a)}var d=new t(o.line,s);r.visualMode&&Ve(e,!1),e.setCursor(d)},newLineAndEnterInsertMode:function(n,r,o){o.insertMode=!0;var i=he(n.getCursor());i.line!==n.firstLine()||r.after?(i.line=r.after?i.line:i.line-1,i.ch=we(n,i.line),n.setCursor(i),(e.commands.newlineAndIndentContinueComment||e.commands.newlineAndIndent)(n)):(n.replaceRange("\n",new t(n.firstLine(),0)),n.setCursor(n.firstLine(),0)),this.enterInsertMode(n,{repeat:r.repeat},o)},paste:function(e,n,r){var o=he(e.getCursor()),i=D.registerController.getRegister(n.registerName);if(p=i.toString()){if(n.matchIndent){var a=e.getOption("tabSize"),l=function(e){var t=e.split("\t").length-1,n=e.split(" ").length-1;return t*a+1*n},s=e.getLine(e.getCursor().line),c=l(s.match(/^\s*/)[0]),u=p.replace(/\n$/,""),d=p!==u,h=l(p.match(/^\s*/)[0]),p=u.replace(/^\s*/gm,(function(t){var n=c+(l(t)-h);if(n<0)return"";if(e.getOption("indentWithTabs")){var r=Math.floor(n/a);return Array(r+1).join("\t")}return Array(n+1).join(" ")}));p+=d?"\n":""}n.repeat>1&&(p=Array(n.repeat+1).join(p));var f,m,v=i.linewise,g=i.blockwise;if(g){p=p.split("\n"),v&&p.pop();for(var w=0;w<p.length;w++)p[w]=""==p[w]?" ":p[w];o.ch+=n.after?1:0,o.ch=Math.min(we(e,o.line),o.ch)}else v?r.visualMode?p=r.visualLine?p.slice(0,-1):"\n"+p.slice(0,p.length-1)+"\n":n.after?(p="\n"+p.slice(0,p.length-1),o.ch=we(e,o.line)):o.ch=0:o.ch+=n.after?1:0;if(r.visualMode){var y;r.lastPastedText=p;var b=Ce(e,r),x=b[0],k=b[1],E=e.getSelection(),A=e.listSelections(),C=new Array(A.length).join("1").split("1");r.lastSelection&&(y=r.lastSelection.headMark.find()),D.registerController.unnamedRegister.setText(E),g?(e.replaceSelections(C),k=new t(x.line+p.length-1,x.ch),e.setCursor(x),ke(e,k),e.replaceSelections(p),f=x):r.visualBlock?(e.replaceSelections(C),e.setCursor(x),e.replaceRange(p,x,x),f=x):(e.replaceRange(p,x,k),f=e.posFromIndex(e.indexFromPos(x)+p.length-1)),y&&(r.lastSelection.headMark=e.setBookmark(y)),v&&(f.ch=0)}else if(g){for(e.setCursor(o),w=0;w<p.length;w++){var B=o.line+w;B>e.lastLine()&&e.replaceRange("\n",new t(B,0)),we(e,B)<o.ch&&xe(e,B,o.ch)}e.setCursor(o),ke(e,new t(o.line+p.length-1,o.ch)),e.replaceSelections(p),f=o}else e.replaceRange(p,o),v&&n.after?f=new t(o.line+1,Ie(e.getLine(o.line+1))):v&&!n.after?f=new t(o.line,Ie(e.getLine(o.line))):!v&&n.after?(m=e.indexFromPos(o),f=e.posFromIndex(m+p.length-1)):(m=e.indexFromPos(o),f=e.posFromIndex(m+p.length));r.visualMode&&Ve(e,!1),e.setCursor(f)}},undo:function(t,n){t.operation((function(){de(t,e.commands.undo,n.repeat)(),t.setCursor(t.getCursor("anchor"))}))},redo:function(t,n){de(t,e.commands.redo,n.repeat)()},setRegister:function(e,t,n){n.inputState.registerName=t.selectedCharacter},setMark:function(e,t,n){We(e,n,t.selectedCharacter,e.getCursor())},replace:function(n,r,o){var i,a,l=r.selectedCharacter,s=n.getCursor(),c=n.listSelections();if(o.visualMode)s=n.getCursor("start"),a=n.getCursor("end");else{var u=n.getLine(s.line);(i=s.ch+r.repeat)>u.length&&(i=u.length),a=new t(s.line,i)}if("\n"==l)o.visualMode||n.replaceRange("",s,a),(e.commands.newlineAndIndentContinueComment||e.commands.newlineAndIndent)(n);else{var d=n.getRange(s,a);if(d=d.replace(/[^\n]/g,l),o.visualBlock){var h=new Array(n.getOption("tabSize")+1).join(" ");d=(d=n.getSelection()).replace(/\t/g,h).replace(/[^\n]/g,l).split("\n"),n.replaceSelections(d)}else n.replaceRange(d,s,a);o.visualMode?(s=fe(c[0].anchor,c[0].head)?c[0].anchor:c[0].head,n.setCursor(s),Ve(n,!1)):n.setCursor(le(a,0,-1))}},incrementNumberToken:function(e,n){for(var r,o,i,a,l=e.getCursor(),s=e.getLine(l.line),c=/(-?)(?:(0x)([\da-f]+)|(0b|0|)(\d+))/gi;null!==(r=c.exec(s))&&(i=(o=r.index)+r[0].length,!(l.ch<i)););if((n.backtrack||!(i<=l.ch))&&r){var u=r[2]||r[4],d=r[3]||r[5],h=n.increase?1:-1,p={"0b":2,0:8,"":10,"0x":16}[u.toLowerCase()];a=(parseInt(r[1]+d,p)+h*n.repeat).toString(p);var f=u?new Array(d.length-a.length+1+r[1].length).join("0"):"";a="-"===a.charAt(0)?"-"+u+f+a.substr(1):u+f+a;var m=new t(l.line,o),v=new t(l.line,i);e.replaceRange(a,m,v),e.setCursor(new t(l.line,o+a.length-1))}},repeatLastEdit:function(e,t,n){if(n.lastEditInputState){var r=t.repeat;r&&t.repeatIsExplicit?n.lastEditInputState.repeatOverride=r:r=n.lastEditInputState.repeatOverride||r,qt(e,n,r,!1)}},indent:function(e,t){e.indentLine(e.getCursor().line,t.indentRight)},exitInsertMode:Lt};function oe(e,t){re[e]=t}function ie(e,n){var r=e.state.vim,o=r.insertMode||r.visualMode,i=Math.min(Math.max(e.firstLine(),n.line),e.lastLine()),a=we(e,i)-1+!!o,l=Math.min(Math.max(0,n.ch),a);return new t(i,l)}function ae(e){var t={};for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n]);return t}function le(e,n,r){return"object"==typeof n&&(r=n.ch,n=n.line),new t(e.line+n,e.ch+r)}function se(e,t,n,r){for(var o,i=[],a=[],l=0;l<t.length;l++){var s=t[l];"insert"==n&&"insert"!=s.context||s.context&&s.context!=n||r.operator&&"action"==s.type||!(o=ce(e,s.keys))||("partial"==o&&i.push(s),"full"==o&&a.push(s))}return{partial:i.length&&i,full:a.length&&a}}function ce(e,t){if("<character>"==t.slice(-11)){var n=t.length-11,r=e.slice(0,n),o=t.slice(0,n);return r==o&&e.length>n?"full":0==o.indexOf(r)&&"partial"}return e==t?"full":0==t.indexOf(e)&&"partial"}function ue(e){var t=/^.*(<[^>]+>)$/.exec(e),n=t?t[1]:e.slice(-1);if(n.length>1)switch(n){case"<CR>":n="\n";break;case"<Space>":n=" ";break;default:n=""}return n}function de(e,t,n){return function(){for(var r=0;r<n;r++)t(e)}}function he(e){return new t(e.line,e.ch)}function pe(e,t){return e.ch==t.ch&&e.line==t.line}function fe(e,t){return e.line<t.line||e.line==t.line&&e.ch<t.ch}function me(e,t){return arguments.length>2&&(t=me.apply(void 0,Array.prototype.slice.call(arguments,1))),fe(e,t)?e:t}function ve(e,t){return arguments.length>2&&(t=ve.apply(void 0,Array.prototype.slice.call(arguments,1))),fe(e,t)?t:e}function ge(e,t,n){var r=fe(e,t),o=fe(t,n);return r&&o}function we(e,t){return e.getLine(t).length}function ye(e){return e.trim?e.trim():e.replace(/^\s+|\s+$/g,"")}function be(e){return e.replace(/([.?*+$\[\]\/\\(){}|\-])/g,"\\$1")}function xe(e,n,r){var o=we(e,n),i=new Array(r-o+1).join(" ");e.setCursor(new t(n,o)),e.replaceRange(i,e.getCursor())}function ke(e,n){var r=[],o=e.listSelections(),i=he(e.clipPos(n)),a=!pe(n,i),l=Ae(o,e.getCursor("head")),s=pe(o[l].head,o[l].anchor),c=o.length-1,u=c-l>l?c:0,d=o[u].anchor,h=Math.min(d.line,i.line),p=Math.max(d.line,i.line),f=d.ch,m=i.ch,v=o[u].head.ch-f,g=m-f;v>0&&g<=0?(f++,a||m--):v<0&&g>=0?(f--,s||m++):v<0&&-1==g&&(f--,m++);for(var w=h;w<=p;w++){var y={anchor:new t(w,f),head:new t(w,m)};r.push(y)}return e.setSelections(r),n.ch=m,d.ch=f,d}function Ee(e,t,n){for(var r=[],o=0;o<n;o++){var i=le(t,o,0);r.push({anchor:i,head:i})}e.setSelections(r,0)}function Ae(e,t,n){for(var r=0;r<e.length;r++){var o="head"!=n&&pe(e[r].anchor,t),i="anchor"!=n&&pe(e[r].head,t);if(o||i)return r}return-1}function Ce(e,n){var r=n.lastSelection,o=function(){var t=e.listSelections(),n=t[0],r=t[t.length-1];return[fe(n.anchor,n.head)?n.anchor:n.head,fe(r.anchor,r.head)?r.head:r.anchor]},i=function(){var n=e.getCursor(),o=e.getCursor(),i=r.visualBlock;if(i){var a=i.width,l=i.height;o=new t(n.line+l,n.ch+a);for(var s=[],c=n.line;c<o.line;c++){var u={anchor:new t(c,n.ch),head:new t(c,o.ch)};s.push(u)}e.setSelections(s)}else{var d=r.anchorMark.find(),h=r.headMark.find(),p=h.line-d.line,f=h.ch-d.ch;o={line:o.line+p,ch:p?o.ch:f+o.ch},r.visualLine&&(n=new t(n.line,0),o=new t(o.line,we(e,o.line))),e.setSelection(n,o)}return[n,o]};return n.visualMode?o():i()}function Be(e,t){var n=t.sel.anchor,r=t.sel.head;t.lastPastedText&&(r=e.posFromIndex(e.indexFromPos(n)+t.lastPastedText.length),t.lastPastedText=null),t.lastSelection={anchorMark:e.setBookmark(n),headMark:e.setBookmark(r),anchor:he(n),head:he(r),visualMode:t.visualMode,visualLine:t.visualLine,visualBlock:t.visualBlock}}function Me(e,n,r){var o,i=e.state.vim.sel,a=i.head,l=i.anchor;return fe(r,n)&&(o=r,r=n,n=o),fe(a,l)?(a=me(n,a),l=ve(l,r)):(l=me(n,l),-1==(a=le(a=ve(a,r),0,-1)).ch&&a.line!=e.firstLine()&&(a=new t(a.line-1,we(e,a.line-1)))),[l,a]}function _e(e,t,n){var r=e.state.vim,o=Se(e,t=t||r.sel,n=n||r.visualLine?"line":r.visualBlock?"block":"char");e.setSelections(o.ranges,o.primary)}function Se(e,n,r,o){var i=he(n.head),a=he(n.anchor);if("char"==r){var l=o||fe(n.head,n.anchor)?0:1,s=fe(n.head,n.anchor)?1:0;return i=le(n.head,0,l),{ranges:[{anchor:a=le(n.anchor,0,s),head:i}],primary:0}}if("line"==r){if(fe(n.head,n.anchor))i.ch=0,a.ch=we(e,a.line);else{a.ch=0;var c=e.lastLine();i.line>c&&(i.line=c),i.ch=we(e,i.line)}return{ranges:[{anchor:a,head:i}],primary:0}}if("block"==r){var u=Math.min(a.line,i.line),d=a.ch,h=Math.max(a.line,i.line),p=i.ch;d<p?p+=1:d+=1;for(var f=h-u+1,m=i.line==u?0:f-1,v=[],g=0;g<f;g++)v.push({anchor:new t(u+g,d),head:new t(u+g,p)});return{ranges:v,primary:m}}}function Ne(e){var t=e.getCursor("head");return 1==e.getSelection().length&&(t=me(t,e.getCursor("anchor"))),t}function Ve(t,n){var r=t.state.vim;!1!==n&&t.setCursor(ie(t,r.sel.head)),Be(t,r),r.visualMode=!1,r.visualLine=!1,r.visualBlock=!1,r.insertMode||e.signal(t,"vim-mode-change",{mode:"normal"})}function Le(e,t,n){var r=e.getRange(t,n);if(/\n\s*$/.test(r)){var o=r.split("\n");o.pop();for(var i=o.pop();o.length>0&&i&&N(i);i=o.pop())n.line--,n.ch=0;i?(n.line--,n.ch=we(e,n.line)):n.ch=0}}function Te(e,t,n){t.ch=0,n.ch=0,n.line++}function Ie(e){if(!e)return 0;var t=e.search(/\S/);return-1==t?e.length:t}function Ze(e,n,r,o,i){for(var a=Ne(e),l=e.getLine(a.line),s=a.ch,c=i?v[0]:g[0];!c(l.charAt(s));)if(++s>=l.length)return null;o?c=g[0]:(c=v[0])(l.charAt(s))||(c=v[1]);for(var u=s,d=s;c(l.charAt(u))&&u<l.length;)u++;for(;c(l.charAt(d))&&d>=0;)d--;if(d++,n){for(var h=u;/\s/.test(l.charAt(u))&&u<l.length;)u++;if(h==u){for(var p=d;/\s/.test(l.charAt(d-1))&&d>0;)d--;d||(d=p)}}return{start:new t(a.line,d),end:new t(a.line,u)}}function Oe(t,n,r){var o=n;if(!e.findMatchingTag||!e.findEnclosingTag)return{start:o,end:o};var i=e.findMatchingTag(t,n)||e.findEnclosingTag(t,n);return i&&i.open&&i.close?r?{start:i.open.from,end:i.close.to}:{start:i.open.to,end:i.close.from}:{start:o,end:o}}function De(e,t,n){pe(t,n)||D.jumpList.add(e,t,n)}function Re(e,t){D.lastCharacterSearch.increment=e,D.lastCharacterSearch.forward=t.forward,D.lastCharacterSearch.selectedCharacter=t.selectedCharacter}var He={"(":"bracket",")":"bracket","{":"bracket","}":"bracket","[":"section","]":"section","*":"comment","/":"comment",m:"method",M:"method","#":"preprocess"},Pe={bracket:{isComplete:function(e){if(e.nextCh===e.symb){if(e.depth++,e.depth>=1)return!0}else e.nextCh===e.reverseSymb&&e.depth--;return!1}},section:{init:function(e){e.curMoveThrough=!0,e.symb=(e.forward?"]":"[")===e.symb?"{":"}"},isComplete:function(e){return 0===e.index&&e.nextCh===e.symb}},comment:{isComplete:function(e){var t="*"===e.lastCh&&"/"===e.nextCh;return e.lastCh=e.nextCh,t}},method:{init:function(e){e.symb="m"===e.symb?"{":"}",e.reverseSymb="{"===e.symb?"}":"{"},isComplete:function(e){return e.nextCh===e.symb}},preprocess:{init:function(e){e.index=0},isComplete:function(e){if("#"===e.nextCh){var t=e.lineText.match(/^#(\w+)/)[1];if("endif"===t){if(e.forward&&0===e.depth)return!0;e.depth++}else if("if"===t){if(!e.forward&&0===e.depth)return!0;e.depth--}if("else"===t&&0===e.depth)return!0}return!1}}};function je(e,n,r,o){var i=he(e.getCursor()),a=r?1:-1,l=r?e.lineCount():-1,s=i.ch,c=i.line,u=e.getLine(c),d={lineText:u,nextCh:u.charAt(s),lastCh:null,index:s,symb:o,reverseSymb:(r?{")":"(","}":"{"}:{"(":")","{":"}"})[o],forward:r,depth:0,curMoveThrough:!1},h=He[o];if(!h)return i;var p=Pe[h].init,f=Pe[h].isComplete;for(p&&p(d);c!==l&&n;){if(d.index+=a,d.nextCh=d.lineText.charAt(d.index),!d.nextCh){if(c+=a,d.lineText=e.getLine(c)||"",a>0)d.index=0;else{var m=d.lineText.length;d.index=m>0?m-1:0}d.nextCh=d.lineText.charAt(d.index)}f(d)&&(i.line=c,i.ch=d.index,n--)}return d.nextCh||d.curMoveThrough?new t(c,d.index):i}function Fe(e,t,n,r,o){var i=t.line,a=t.ch,l=e.getLine(i),s=n?1:-1,c=r?g:v;if(o&&""==l){if(i+=s,l=e.getLine(i),!C(e,i))return null;a=n?0:l.length}for(;;){if(o&&""==l)return{from:0,to:0,line:i};for(var u=s>0?l.length:-1,d=u,h=u;a!=u;){for(var p=!1,f=0;f<c.length&&!p;++f)if(c[f](l.charAt(a))){for(d=a;a!=u&&c[f](l.charAt(a));)a+=s;if(p=d!=(h=a),d==t.ch&&i==t.line&&h==d+s)continue;return{from:Math.min(d,h+1),to:Math.max(d,h),line:i}}p||(a+=s)}if(!C(e,i+=s))return null;l=e.getLine(i),a=s>0?0:l.length}}function ze(e,n,r,o,i,a){var l=he(n),s=[];(o&&!i||!o&&i)&&r++;for(var c=!(o&&i),u=0;u<r;u++){var d=Fe(e,n,o,a,c);if(!d){var h=we(e,e.lastLine());s.push(o?{line:e.lastLine(),from:h,to:h}:{line:0,from:0,to:0});break}s.push(d),n=new t(d.line,o?d.to-1:d.from)}var p=s.length!=r,f=s[0],m=s.pop();return o&&!i?(p||f.from==l.ch&&f.line==l.line||(m=s.pop()),new t(m.line,m.from)):o&&i?new t(m.line,m.to-1):!o&&i?(p||f.to==l.ch&&f.line==l.line||(m=s.pop()),new t(m.line,m.to)):new t(m.line,m.from)}function qe(e,n,r,o,i){var a=new t(n.line+r.repeat-1,1/0),l=e.clipPos(a);return l.ch--,i||(o.lastHPos=1/0,o.lastHSPos=e.charCoords(l,"div").left),a}function Ue(e,n,r,o){for(var i,a=e.getCursor(),l=a.ch,s=0;s<n;s++){if(-1==(i=Ge(l,e.getLine(a.line),o,r,!0)))return null;l=i}return new t(e.getCursor().line,i)}function $e(e,n){var r=e.getCursor().line;return ie(e,new t(r,n-1))}function We(e,t,n,r){L(n,E)&&(t.marks[n]&&t.marks[n].clear(),t.marks[n]=e.setBookmark(r))}function Ge(e,t,n,r,o){var i;return r?-1==(i=t.indexOf(n,e+1))||o||(i-=1):-1==(i=t.lastIndexOf(n,e-1))||o||(i+=1),i}function Ke(e,n,r,o,i){var a,l=n.line,s=e.firstLine(),c=e.lastLine(),u=l;function d(t){return!e.getLine(t)}function h(e,t,n){return n?d(e)!=d(e+t):!d(e)&&d(e+t)}if(o){for(;s<=u&&u<=c&&r>0;)h(u,o)&&r--,u+=o;return new t(u,0)}var p=e.state.vim;if(p.visualLine&&h(l,1,!0)){var f=p.sel.anchor;h(f.line,-1,!0)&&(i&&f.line==l||(l+=1))}var m=d(l);for(u=l;u<=c&&r;u++)h(u,1,!0)&&(i&&d(u)==m||r--);for(a=new t(u,0),u>c&&!m?m=!0:i=!1,u=l;u>s&&(i&&d(u)!=m&&u!=l||!h(u,-1,!0));u--);return{start:new t(u,0),end:a}}function Ye(e,n,r,o,i){function a(e){e.pos+e.dir<0||e.pos+e.dir>=e.line.length?e.line=null:e.pos+=e.dir}function l(e,t,n,r){var o={line:e.getLine(t),ln:t,pos:n,dir:r};if(""===o.line)return{ln:o.ln,pos:o.pos};var l=o.pos;for(a(o);null!==o.line;){if(l=o.pos,V(o.line[o.pos])){if(i){for(a(o);null!==o.line&&N(o.line[o.pos]);)l=o.pos,a(o);return{ln:o.ln,pos:l+1}}return{ln:o.ln,pos:o.pos+1}}a(o)}return{ln:o.ln,pos:l+1}}function s(e,t,n,r){var o=e.getLine(t),l={line:o,ln:t,pos:n,dir:r};if(""===l.line)return{ln:l.ln,pos:l.pos};var s=l.pos;for(a(l);null!==l.line;){if(N(l.line[l.pos])||V(l.line[l.pos])){if(V(l.line[l.pos]))return i&&N(l.line[l.pos+1])?{ln:l.ln,pos:l.pos+1}:{ln:l.ln,pos:s}}else s=l.pos;a(l)}return l.line=o,i&&N(l.line[l.pos])?{ln:l.ln,pos:l.pos}:{ln:l.ln,pos:s}}for(var c={ln:n.line,pos:n.ch};r>0;)c=o<0?s(e,c.ln,c.pos,o):l(e,c.ln,c.pos,o),r--;return new t(c.ln,c.pos)}function Xe(e,n,r,o){function i(e,t){if(t.pos+t.dir<0||t.pos+t.dir>=t.line.length){if(t.ln+=t.dir,!C(e,t.ln))return t.line=null,t.ln=null,void(t.pos=null);t.line=e.getLine(t.ln),t.pos=t.dir>0?0:t.line.length-1}else t.pos+=t.dir}function a(e,t,n,r){var o=""===(c=e.getLine(t)),a={line:c,ln:t,pos:n,dir:r},l={ln:a.ln,pos:a.pos},s=""===a.line;for(i(e,a);null!==a.line;){if(l.ln=a.ln,l.pos=a.pos,""===a.line&&!s)return{ln:a.ln,pos:a.pos};if(o&&""!==a.line&&!N(a.line[a.pos]))return{ln:a.ln,pos:a.pos};!V(a.line[a.pos])||o||a.pos!==a.line.length-1&&!N(a.line[a.pos+1])||(o=!0),i(e,a)}var c=e.getLine(l.ln);l.pos=0;for(var u=c.length-1;u>=0;--u)if(!N(c[u])){l.pos=u;break}return l}function l(e,t,n,r){var o={line:s=e.getLine(t),ln:t,pos:n,dir:r},a={ln:o.ln,pos:null},l=""===o.line;for(i(e,o);null!==o.line;){if(""===o.line&&!l)return null!==a.pos?a:{ln:o.ln,pos:o.pos};if(V(o.line[o.pos])&&null!==a.pos&&(o.ln!==a.ln||o.pos+1!==a.pos))return a;""===o.line||N(o.line[o.pos])||(l=!1,a={ln:o.ln,pos:o.pos}),i(e,o)}var s=e.getLine(a.ln);a.pos=0;for(var c=0;c<s.length;++c)if(!N(s[c])){a.pos=c;break}return a}for(var s={ln:n.line,pos:n.ch};r>0;)s=o<0?l(e,s.ln,s.pos,o):a(e,s.ln,s.pos,o),r--;return new t(s.ln,s.pos)}function Je(e,n,r,o){var i,a,l=n,s={"(":/[()]/,")":/[()]/,"[":/[[\]]/,"]":/[[\]]/,"{":/[{}]/,"}":/[{}]/,"<":/[<>]/,">":/[<>]/}[r],c={"(":"(",")":"(","[":"[","]":"[","{":"{","}":"{","<":"<",">":"<"}[r],u=e.getLine(l.line).charAt(l.ch)===c?1:0;if(i=e.scanForBracket(new t(l.line,l.ch+u),-1,void 0,{bracketRegex:s}),a=e.scanForBracket(new t(l.line,l.ch+u),1,void 0,{bracketRegex:s}),!i||!a)return{start:l,end:l};if(i=i.pos,a=a.pos,i.line==a.line&&i.ch>a.ch||i.line>a.line){var d=i;i=a,a=d}return o?a.ch+=1:i.ch+=1,{start:i,end:a}}function Qe(e,n,r,o){var i,a,l,s,c=he(n),u=e.getLine(c.line).split(""),d=u.indexOf(r);if(c.ch<d?c.ch=d:d<c.ch&&u[c.ch]==r&&(a=c.ch,--c.ch),u[c.ch]!=r||a)for(l=c.ch;l>-1&&!i;l--)u[l]==r&&(i=l+1);else i=c.ch+1;if(i&&!a)for(l=i,s=u.length;l<s&&!a;l++)u[l]==r&&(a=l);return i&&a?(o&&(--i,++a),{start:new t(c.line,i),end:new t(c.line,a)}):{start:c,end:c}}function et(){}function tt(e){var t=e.state.vim;return t.searchState_||(t.searchState_=new et)}function nt(e){return ot(e,"/")}function rt(e){return it(e,"/")}function ot(e,t){var n=it(e,t)||[];if(!n.length)return[];var r=[];if(0===n[0]){for(var o=0;o<n.length;o++)"number"==typeof n[o]&&r.push(e.substring(n[o]+1,n[o+1]));return r}}function it(e,t){t||(t="/");for(var n=!1,r=[],o=0;o<e.length;o++){var i=e.charAt(o);n||i!=t||r.push(o),n=!n&&"\\"==i}return r}function at(e){for(var t="|(){",n="}",r=!1,o=[],i=-1;i<e.length;i++){var a=e.charAt(i)||"",l=e.charAt(i+1)||"",s=l&&-1!=t.indexOf(l);r?("\\"===a&&s||o.push(a),r=!1):"\\"===a?(r=!0,l&&-1!=n.indexOf(l)&&(s=!0),s&&"\\"!==l||o.push(a)):(o.push(a),s&&"\\"!==l&&o.push("\\"))}return o.join("")}I("pcre",!0,"boolean"),et.prototype={getQuery:function(){return D.query},setQuery:function(e){D.query=e},getOverlay:function(){return this.searchOverlay},setOverlay:function(e){this.searchOverlay=e},isReversed:function(){return D.isReversed},setReversed:function(e){D.isReversed=e},getScrollbarAnnotate:function(){return this.annotate},setScrollbarAnnotate:function(e){this.annotate=e}};var lt={"\\n":"\n","\\r":"\r","\\t":"\t"};function st(e){for(var t=!1,n=[],r=-1;r<e.length;r++){var o=e.charAt(r)||"",i=e.charAt(r+1)||"";lt[o+i]?(n.push(lt[o+i]),r++):t?(n.push(o),t=!1):"\\"===o?(t=!0,_(i)||"$"===i?n.push("$"):"/"!==i&&"\\"!==i&&n.push("\\")):("$"===o&&n.push("$"),n.push(o),"/"===i&&n.push("\\"))}return n.join("")}var ct={"\\/":"/","\\\\":"\\","\\n":"\n","\\r":"\r","\\t":"\t","\\&":"&"};function ut(t){for(var n=new e.StringStream(t),r=[];!n.eol();){for(;n.peek()&&"\\"!=n.peek();)r.push(n.next());var o=!1;for(var i in ct)if(n.match(i,!0)){o=!0,r.push(ct[i]);break}o||r.push(n.next())}return r.join("")}function dt(e,t,n){if(D.registerController.getRegister("/").setText(e),e instanceof RegExp)return e;var r,o,i=rt(e);return i.length?(r=e.substring(0,i[0]),o=-1!=e.substring(i[0]).indexOf("i")):r=e,r?(O("pcre")||(r=at(r)),n&&(t=/^[^A-Z]*$/.test(r)),new RegExp(r,t||o?"im":"m")):null}function ht(e){"string"==typeof e&&(e=document.createElement(e));for(var t,n=1;n<arguments.length;n++)if(t=arguments[n])if("object"!=typeof t&&(t=document.createTextNode(t)),t.nodeType)e.appendChild(t);else for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&("$"===r[0]?e.style[r.slice(1)]=t[r]:e.setAttribute(r,t[r]));return e}function pt(e,t){var n=ht("div",{$color:"red",$whiteSpace:"pre",class:"cm-vim-message"},t);e.openNotification?e.openNotification(n,{bottom:!0,duration:5e3}):alert(n.innerText)}function ft(e,t){return ht(document.createDocumentFragment(),ht("span",{$fontFamily:"monospace",$whiteSpace:"pre"},e,ht("input",{type:"text",autocorrect:"off",autocapitalize:"off",spellcheck:"false"})),t&&ht("span",{$color:"#888"},t))}function mt(e,t){var n=ft(t.prefix,t.desc);if(e.openDialog)e.openDialog(n,t.onClose,{onKeyDown:t.onKeyDown,onKeyUp:t.onKeyUp,bottom:!0,selectValueOnOpen:!1,value:t.value});else{var r="";"string"!=typeof t.prefix&&t.prefix&&(r+=t.prefix.textContent),t.desc&&(r+=" "+t.desc),t.onClose(prompt(r,""))}}function vt(e,t){if(e instanceof RegExp&&t instanceof RegExp){for(var n=["global","multiline","ignoreCase","source"],r=0;r<n.length;r++){var o=n[r];if(e[o]!==t[o])return!1}return!0}return!1}function gt(e,t,n,r){if(t){var o=tt(e),i=dt(t,!!n,!!r);if(i)return bt(e,i),vt(i,o.getQuery())||o.setQuery(i),i}}function wt(e){if("^"==e.source.charAt(0))var t=!0;return{token:function(n){if(!t||n.sol()){var r=n.match(e,!1);if(r)return 0==r[0].length?(n.next(),"searching"):n.sol()||(n.backUp(1),e.exec(n.next()+r[0]))?(n.match(e),"searching"):(n.next(),null);for(;!n.eol()&&(n.next(),!n.match(e,!1)););}else n.skipToEnd()},query:e}}var yt=0;function bt(e,t){clearTimeout(yt),yt=setTimeout((function(){if(e.state.vim){var n=tt(e),r=n.getOverlay();r&&t==r.query||(r&&e.removeOverlay(r),r=wt(t),e.addOverlay(r),e.showMatchesOnScrollbar&&(n.getScrollbarAnnotate()&&n.getScrollbarAnnotate().clear(),n.setScrollbarAnnotate(e.showMatchesOnScrollbar(t))),n.setOverlay(r))}}),50)}function xt(e,n,r,o){return void 0===o&&(o=1),e.operation((function(){for(var i=e.getCursor(),a=e.getSearchCursor(r,i),l=0;l<o;l++){var s=a.find(n);if(0==l&&s&&pe(a.from(),i)){var c=n?a.from():a.to();(s=a.find(n))&&!s[0]&&pe(a.from(),c)&&e.getLine(c.line).length==c.ch&&(s=a.find(n))}if(!s&&!(a=e.getSearchCursor(r,n?new t(e.lastLine()):new t(e.firstLine(),0))).find(n))return}return a.from()}))}function kt(e,n,r,o,i){return void 0===o&&(o=1),e.operation((function(){var a=e.getCursor(),l=e.getSearchCursor(r,a),s=l.find(!n);!i.visualMode&&s&&pe(l.from(),a)&&l.find(!n);for(var c=0;c<o;c++)if(!(s=l.find(n))&&!(l=e.getSearchCursor(r,n?new t(e.lastLine()):new t(e.firstLine(),0))).find(n))return;return[l.from(),l.to()]}))}function Et(e){var t=tt(e);e.removeOverlay(tt(e).getOverlay()),t.setOverlay(null),t.getScrollbarAnnotate()&&(t.getScrollbarAnnotate().clear(),t.setScrollbarAnnotate(null))}function At(e,t,n){return"number"!=typeof e&&(e=e.line),t instanceof Array?L(e,t):"number"==typeof n?e>=t&&e<=n:e==t}function Ct(e){var t=e.getScrollInfo(),n=6,r=10,o=e.coordsChar({left:0,top:n+t.top},"local"),i=t.clientHeight-r+t.top,a=e.coordsChar({left:0,top:i},"local");return{top:o.line,bottom:a.line}}function Bt(e,n,r){if("'"==r||"`"==r)return D.jumpList.find(e,-1)||new t(0,0);if("."==r)return Mt(e);var o=n.marks[r];return o&&o.find()}function Mt(e){for(var t=e.doc.history.done,n=t.length;n--;)if(t[n].changes)return he(t[n].changes[0].to)}var _t=function(){this.buildCommandMap_()};_t.prototype={processCommand:function(e,t,n){var r=this;e.operation((function(){e.curOp.isVimOp=!0,r._processCommand(e,t,n)}))},_processCommand:function(t,n,r){var o=t.state.vim,i=D.registerController.getRegister(":"),a=i.toString();o.visualMode&&Ve(t);var l=new e.StringStream(n);i.setText(n);var s,c,u=r||{};u.input=n;try{this.parseInput_(t,l,u)}catch(e){throw pt(t,e.toString()),e}if(u.commandName){if(s=this.matchCommand_(u.commandName)){if(c=s.name,s.excludeFromCommandHistory&&i.setText(a),this.parseCommandArgs_(l,u,s),"exToKey"==s.type){for(var d=0;d<s.toKeys.length;d++)q.handleKey(t,s.toKeys[d],"mapping");return}if("exToEx"==s.type)return void this.processCommand(t,s.toInput)}}else void 0!==u.line&&(c="move");if(c)try{St[c](t,u),s&&s.possiblyAsync||!u.callback||u.callback()}catch(e){throw pt(t,e.toString()),e}else pt(t,'Not an editor command ":'+n+'"')},parseInput_:function(e,t,n){t.eatWhile(":"),t.eat("%")?(n.line=e.firstLine(),n.lineEnd=e.lastLine()):(n.line=this.parseLineSpec_(e,t),void 0!==n.line&&t.eat(",")&&(n.lineEnd=this.parseLineSpec_(e,t)));var r=t.match(/^(\w+|!!|@@|[!#&*<=>@~])/);return n.commandName=r?r[1]:t.match(/.*/)[0],n},parseLineSpec_:function(e,t){var n=t.match(/^(\d+)/);if(n)return parseInt(n[1],10)-1;switch(t.next()){case".":return this.parseLineSpecOffset_(t,e.getCursor().line);case"$":return this.parseLineSpecOffset_(t,e.lastLine());case"'":var r=t.next(),o=Bt(e,e.state.vim,r);if(!o)throw new Error("Mark not set");return this.parseLineSpecOffset_(t,o.line);case"-":case"+":return t.backUp(1),this.parseLineSpecOffset_(t,e.getCursor().line);default:return void t.backUp(1)}},parseLineSpecOffset_:function(e,t){var n=e.match(/^([+-])?(\d+)/);if(n){var r=parseInt(n[2],10);"-"==n[1]?t-=r:t+=r}return t},parseCommandArgs_:function(e,t,n){if(!e.eol()){t.argString=e.match(/.*/)[0];var r=n.argDelimiter||/\s+/,o=ye(t.argString).split(r);o.length&&o[0]&&(t.args=o)}},matchCommand_:function(e){for(var t=e.length;t>0;t--){var n=e.substring(0,t);if(this.commandMap_[n]){var r=this.commandMap_[n];if(0===r.name.indexOf(e))return r}}return null},buildCommandMap_:function(){this.commandMap_={};for(var e=0;e<i.length;e++){var t=i[e],n=t.shortName||t.name;this.commandMap_[n]=t}},map:function(e,t,n){if(":"!=e&&":"==e.charAt(0)){if(n)throw Error("Mode not supported for ex mappings");var o=e.substring(1);":"!=t&&":"==t.charAt(0)?this.commandMap_[o]={name:o,type:"exToEx",toInput:t.substring(1),user:!0}:this.commandMap_[o]={name:o,type:"exToKey",toKeys:t,user:!0}}else if(":"!=t&&":"==t.charAt(0)){var i={keys:e,type:"keyToEx",exArgs:{input:t.substring(1)}};n&&(i.context=n),r.unshift(i)}else i={keys:e,type:"keyToKey",toKeys:t},n&&(i.context=n),r.unshift(i)},unmap:function(e,t){if(":"!=e&&":"==e.charAt(0)){if(t)throw Error("Mode not supported for ex mappings");var n=e.substring(1);if(this.commandMap_[n]&&this.commandMap_[n].user)return delete this.commandMap_[n],!0}else for(var o=e,i=0;i<r.length;i++)if(o==r[i].keys&&r[i].context===t)return r.splice(i,1),!0}};var St={colorscheme:function(e,t){!t.args||t.args.length<1?pt(e,e.getOption("theme")):e.setOption("theme",t.args[0])},map:function(e,t,n){var r=t.args;!r||r.length<2?e&&pt(e,"Invalid mapping: "+t.input):Nt.map(r[0],r[1],n)},imap:function(e,t){this.map(e,t,"insert")},nmap:function(e,t){this.map(e,t,"normal")},vmap:function(e,t){this.map(e,t,"visual")},unmap:function(e,t,n){var r=t.args;(!r||r.length<1||!Nt.unmap(r[0],n))&&e&&pt(e,"No such mapping: "+t.input)},move:function(e,t){X.processCommand(e,e.state.vim,{type:"motion",motion:"moveToLineOrEdgeOfDocument",motionArgs:{forward:!1,explicitRepeat:!0,linewise:!0},repeatOverride:t.line+1})},set:function(e,t){var n=t.args,r=t.setCfg||{};if(!n||n.length<1)e&&pt(e,"Invalid mapping: "+t.input);else{var o=n[0].split("="),i=o[0],a=o[1],l=!1;if("?"==i.charAt(i.length-1)){if(a)throw Error("Trailing characters: "+t.argString);i=i.substring(0,i.length-1),l=!0}void 0===a&&"no"==i.substring(0,2)&&(i=i.substring(2),a=!1);var s=T[i]&&"boolean"==T[i].type;if(s&&null==a&&(a=!0),!s&&void 0===a||l){var c=O(i,e,r);c instanceof Error?pt(e,c.message):pt(e,!0===c||!1===c?" "+(c?"":"no")+i:"  "+i+"="+c)}else{var u=Z(i,a,e,r);u instanceof Error&&pt(e,u.message)}}},setlocal:function(e,t){t.setCfg={scope:"local"},this.set(e,t)},setglobal:function(e,t){t.setCfg={scope:"global"},this.set(e,t)},registers:function(e,t){var n=t.args,r=D.registerController.registers,o="----------Registers----------\n\n";if(n){n=n.join("");for(var i=0;i<n.length;i++)a=n.charAt(i),D.registerController.isValidRegister(a)&&(o+='"'+a+"    "+(r[a]||new W).toString()+"\n")}else for(var a in r){var l=r[a].toString();l.length&&(o+='"'+a+"    "+l+"\n")}pt(e,o)},sort:function(n,r){var o,i,a,l,s;function c(){if(r.argString){var t=new e.StringStream(r.argString);if(t.eat("!")&&(o=!0),t.eol())return;if(!t.eatSpace())return"Invalid arguments";var n=t.match(/([dinuox]+)?\s*(\/.+\/)?\s*/);if(!n&&!t.eol())return"Invalid arguments";if(n[1]){i=-1!=n[1].indexOf("i"),a=-1!=n[1].indexOf("u");var c=-1!=n[1].indexOf("d")||-1!=n[1].indexOf("n")&&1,u=-1!=n[1].indexOf("x")&&1,d=-1!=n[1].indexOf("o")&&1;if(c+u+d>1)return"Invalid arguments";l=(c?"decimal":u&&"hex")||d&&"octal"}n[2]&&(s=new RegExp(n[2].substr(1,n[2].length-2),i?"i":""))}}var u=c();if(u)pt(n,u+": "+r.argString);else{var d=r.line||n.firstLine(),h=r.lineEnd||r.line||n.lastLine();if(d!=h){var p=new t(d,0),f=new t(h,we(n,h)),m=n.getRange(p,f).split("\n"),v=s||("decimal"==l?/(-?)([\d]+)/:"hex"==l?/(-?)(?:0x)?([0-9a-f]+)/i:"octal"==l?/([0-7]+)/:null),g="decimal"==l?10:"hex"==l?16:"octal"==l?8:null,w=[],y=[];if(l||s)for(var b=0;b<m.length;b++){var x=s?m[b].match(s):null;x&&""!=x[0]?w.push(x):!s&&v.exec(m[b])?w.push(m[b]):y.push(m[b])}else y=m;if(w.sort(s?C:A),s)for(b=0;b<w.length;b++)w[b]=w[b].input;else l||y.sort(A);if(m=o?w.concat(y):y.concat(w),a){var k,E=m;for(m=[],b=0;b<E.length;b++)E[b]!=k&&m.push(E[b]),k=E[b]}n.replaceRange(m.join("\n"),p,f)}}function A(e,t){var n;o&&(n=e,e=t,t=n),i&&(e=e.toLowerCase(),t=t.toLowerCase());var r=l&&v.exec(e),a=l&&v.exec(t);return r?(r=parseInt((r[1]+r[2]).toLowerCase(),g))-(a=parseInt((a[1]+a[2]).toLowerCase(),g)):e<t?-1:1}function C(e,t){var n;return o&&(n=e,e=t,t=n),i&&(e[0]=e[0].toLowerCase(),t[0]=t[0].toLowerCase()),e[0]<t[0]?-1:1}},vglobal:function(e,t){this.global(e,t)},global:function(e,t){var n=t.argString;if(n){var r,o="v"===t.commandName[0],i=void 0!==t.line?t.line:e.firstLine(),a=t.lineEnd||t.line||e.lastLine(),l=nt(n),s=n;if(l.length&&(s=l[0],r=l.slice(1,l.length).join("/")),s)try{gt(e,s,!0,!0)}catch(t){return void pt(e,"Invalid regex: "+s)}for(var c=tt(e).getQuery(),u=[],d=i;d<=a;d++){var h=e.getLineHandle(d);c.test(h.text)!==o&&u.push(r?h:h.text)}if(r){var p=0,f=function(){if(p<u.length){var t=u[p++],n=e.getLineNumber(t);if(null==n)return void f();var o=n+1+r;Nt.processCommand(e,o,{callback:f})}};f()}else pt(e,u.join("\n"))}else pt(e,"Regular Expression missing from global")},substitute:function(e,n){if(!e.getSearchCursor)throw new Error("Search feature not available. Requires searchcursor.js or any other getSearchCursor implementation.");var r,o,i,a,l=n.argString,s=l?ot(l,l[0]):[],c="",u=!1,d=!1;if(s.length)r=s[0],O("pcre")&&""!==r&&(r=new RegExp(r).source),void 0!==(c=s[1])&&(c=O("pcre")?ut(c.replace(/([^\\])&/g,"$1$$&")):st(c),D.lastSubstituteReplacePart=c),o=s[2]?s[2].split(" "):[];else if(l&&l.length)return void pt(e,"Substitutions should be of the form :s/pattern/replace/");if(o&&(i=o[0],a=parseInt(o[1]),i&&(-1!=i.indexOf("c")&&(u=!0),-1!=i.indexOf("g")&&(d=!0),r=O("pcre")?r+"/"+i:r.replace(/\//g,"\\/")+"/"+i)),r)try{gt(e,r,!0,!0)}catch(t){return void pt(e,"Invalid regex: "+r)}if(void 0!==(c=c||D.lastSubstituteReplacePart)){var h=tt(e).getQuery(),p=void 0!==n.line?n.line:e.getCursor().line,f=n.lineEnd||p;p==e.firstLine()&&f==e.lastLine()&&(f=1/0),a&&(f=(p=f)+a-1);var m=ie(e,new t(p,0)),v=e.getSearchCursor(h,m);Vt(e,u,d,p,f,v,h,c,n.callback)}else pt(e,"No previous substitute regular expression")},redo:e.commands.redo,undo:e.commands.undo,write:function(t){e.commands.save?e.commands.save(t):t.save&&t.save()},nohlsearch:function(e){Et(e)},yank:function(e){var t=he(e.getCursor()).line,n=e.getLine(t);D.registerController.pushText("0","yank",n,!0,!0)},delmarks:function(t,n){if(n.argString&&ye(n.argString))for(var r=t.state.vim,o=new e.StringStream(ye(n.argString));!o.eol();){o.eatSpace();var i=o.pos;if(!o.match(/[a-zA-Z]/,!1))return void pt(t,"Invalid argument: "+n.argString.substring(i));var a=o.next();if(o.match("-",!0)){if(!o.match(/[a-zA-Z]/,!1))return void pt(t,"Invalid argument: "+n.argString.substring(i));var l=a,s=o.next();if(!(B(l)&&B(s)||S(l)&&S(s)))return void pt(t,"Invalid argument: "+l+"-");var c=l.charCodeAt(0),u=s.charCodeAt(0);if(c>=u)return void pt(t,"Invalid argument: "+n.argString.substring(i));for(var d=0;d<=u-c;d++){var h=String.fromCharCode(c+d);delete r.marks[h]}}else delete r.marks[a]}else pt(t,"Argument required")}},Nt=new _t;function Vt(t,n,r,o,i,a,l,s,c){t.state.vim.exMode=!0;var u,d,h,p=!1;function f(){t.operation((function(){for(;!p;)m(),g();w()}))}function m(){var e=t.getRange(a.from(),a.to()).replace(l,s),n=a.to().line;a.replace(e),d=a.to().line,i+=d-n,h=d<n}function v(){var e=u&&he(a.to()),t=a.findNext();return t&&!t[0]&&e&&pe(a.from(),e)&&(t=a.findNext()),t}function g(){for(;v()&&At(a.from(),o,i);)if(r||a.from().line!=d||h)return t.scrollIntoView(a.from(),30),t.setSelection(a.from(),a.to()),u=a.from(),void(p=!1);p=!0}function w(e){if(e&&e(),t.focus(),u){t.setCursor(u);var n=t.state.vim;n.exMode=!1,n.lastHPos=n.lastHSPos=u.ch}c&&c()}function y(n,r,o){switch(e.e_stop(n),e.keyName(n)){case"Y":m(),g();break;case"N":g();break;case"A":var i=c;c=void 0,t.operation(f),c=i;break;case"L":m();case"Q":case"Esc":case"Ctrl-C":case"Ctrl-[":w(o)}return p&&w(o),!0}if(g(),!p)return n?void mt(t,{prefix:ht("span","replace with ",ht("strong",s)," (y/n/a/q/l)"),onKeyDown:y}):(f(),void(c&&c()));pt(t,"No matches for "+l.source)}function Lt(t){var n=t.state.vim,r=D.macroModeState,o=D.registerController.getRegister("."),i=r.isPlaying,a=r.lastInsertModeChanges;i||(t.off("change",Ht),e.off(t.getInputField(),"keydown",zt)),!i&&n.insertModeRepeat>1&&(qt(t,n,n.insertModeRepeat-1,!0),n.lastEditInputState.repeatOverride=n.insertModeRepeat),delete n.insertModeRepeat,n.insertMode=!1,t.setCursor(t.getCursor().line,t.getCursor().ch-1),t.setOption("keyMap","vim"),t.setOption("disableInput",!0),t.toggleOverwrite(!1),o.setText(a.changes.join("")),e.signal(t,"vim-mode-change",{mode:"normal"}),r.isRecording&&Dt(r)}function Tt(e){r.unshift(e)}function It(e,t,n,r,o){var i={keys:e,type:t};for(var a in i[t]=n,i[t+"Args"]=r,o)i[a]=o[a];Tt(i)}function Zt(e,t,n,r){var o=D.registerController.getRegister(r);if(":"==r)return o.keyBuffer[0]&&Nt.processCommand(e,o.keyBuffer[0]),void(n.isPlaying=!1);var i=o.keyBuffer,a=0;n.isPlaying=!0,n.replaySearchQueries=o.searchQueries.slice(0);for(var l=0;l<i.length;l++)for(var s,c,u=i[l];u;)if(c=(s=/<\w+-.+?>|<\w+>|./.exec(u))[0],u=u.substring(s.index+c.length),q.handleKey(e,c,"macro"),t.insertMode){var d=o.insertModeChanges[a++].changes;D.macroModeState.lastInsertModeChanges.changes=d,Ut(e,d,1),Lt(e)}n.isPlaying=!1}function Ot(e,t){if(!e.isPlaying){var n=e.latestRegister,r=D.registerController.getRegister(n);r&&r.pushText(t)}}function Dt(e){if(!e.isPlaying){var t=e.latestRegister,n=D.registerController.getRegister(t);n&&n.pushInsertModeChanges&&n.pushInsertModeChanges(e.lastInsertModeChanges)}}function Rt(e,t){if(!e.isPlaying){var n=e.latestRegister,r=D.registerController.getRegister(n);r&&r.pushSearchQuery&&r.pushSearchQuery(t)}}function Ht(e,t){var n=D.macroModeState,r=n.lastInsertModeChanges;if(!n.isPlaying)for(;t;){if(r.expectCursorActivityForChange=!0,r.ignoreCount>1)r.ignoreCount--;else if("+input"==t.origin||"paste"==t.origin||void 0===t.origin){var o=e.listSelections().length;o>1&&(r.ignoreCount=o);var i=t.text.join("\n");r.maybeReset&&(r.changes=[],r.maybeReset=!1),i&&(e.state.overwrite&&!/\n/.test(i)?r.changes.push([i]):r.changes.push(i))}t=t.next}}function Pt(e){var t=e.state.vim;if(t.insertMode){var n=D.macroModeState;if(n.isPlaying)return;var r=n.lastInsertModeChanges;r.expectCursorActivityForChange?r.expectCursorActivityForChange=!1:r.maybeReset=!0}else e.curOp.isVimOp||jt(e,t)}function jt(t,n){var r=t.getCursor("anchor"),o=t.getCursor("head");if(n.visualMode&&!t.somethingSelected()?Ve(t,!1):n.visualMode||n.insertMode||!t.somethingSelected()||(n.visualMode=!0,n.visualLine=!1,e.signal(t,"vim-mode-change",{mode:"visual"})),n.visualMode){var i=fe(o,r)?0:-1,a=fe(o,r)?-1:0;o=le(o,0,i),r=le(r,0,a),n.sel={anchor:r,head:o},We(t,n,"<",me(o,r)),We(t,n,">",ve(o,r))}else n.insertMode||(n.lastHPos=t.getCursor().ch)}function Ft(e){this.keyName=e}function zt(t){var n=D.macroModeState.lastInsertModeChanges,r=e.keyName(t);function o(){return n.maybeReset&&(n.changes=[],n.maybeReset=!1),n.changes.push(new Ft(r)),!0}r&&(-1==r.indexOf("Delete")&&-1==r.indexOf("Backspace")||e.lookupKey(r,"vim-insert",o))}function qt(e,t,n,r){var o=D.macroModeState;o.isPlaying=!0;var i=!!t.lastEditActionCommand,a=t.inputState;function l(){i?X.processAction(e,t,t.lastEditActionCommand):X.evalInput(e,t)}function s(n){if(o.lastInsertModeChanges.changes.length>0){n=t.lastEditActionCommand?n:1;var r=o.lastInsertModeChanges;Ut(e,r.changes,n)}}if(t.inputState=t.lastEditInputState,i&&t.lastEditActionCommand.interlaceInsertRepeat)for(var c=0;c<n;c++)l(),s(1);else r||l(),s(n);t.inputState=a,t.insertMode&&!r&&Lt(e),o.isPlaying=!1}function Ut(t,n,r){function o(n){return"string"==typeof n?e.commands[n](t):n(t),!0}var i=t.getCursor("head"),a=D.macroModeState.lastInsertModeChanges.visualBlock;a&&(Ee(t,i,a+1),r=t.listSelections().length,t.setCursor(i));for(var l=0;l<r;l++){a&&t.setCursor(le(i,l,0));for(var s=0;s<n.length;s++){var c=n[s];if(c instanceof Ft)e.lookupKey(c.keyName,"vim-insert",o);else if("string"==typeof c)t.replaceSelection(c);else{var u=t.getCursor(),d=le(u,0,c[0].length);t.replaceRange(c[0],u,d),t.setCursor(d)}}}a&&t.setCursor(le(i,0,1))}function $t(e){var t=new e.constructor;return Object.keys(e).forEach((function(n){var r=e[n];Array.isArray(r)?r=r.slice():r&&"object"==typeof r&&r.constructor!=Object&&(r=$t(r)),t[n]=r})),e.sel&&(t.sel={head:e.sel.head&&he(e.sel.head),anchor:e.sel.anchor&&he(e.sel.anchor)}),t}function Wt(e,t,n){var r=!1,o=q.maybeInitVimState_(e),i=o.visualBlock||o.wasInVisualBlock,a=e.isInMultiSelectMode();if(o.wasInVisualBlock&&!a?o.wasInVisualBlock=!1:a&&o.visualBlock&&(o.wasInVisualBlock=!0),"<Esc>"!=t||o.insertMode||o.visualMode||!a||"<Esc>"!=o.status)if(i||!a||e.inVirtualSelectionMode)r=q.handleKey(e,t,n);else{var l=$t(o);e.operation((function(){e.curOp.isVimOp=!0,e.forEachSelection((function(){var o=e.getCursor("head"),i=e.getCursor("anchor"),a=fe(o,i)?0:-1,s=fe(o,i)?-1:0;o=le(o,0,a),i=le(i,0,s),e.state.vim.sel.head=o,e.state.vim.sel.anchor=i,r=q.handleKey(e,t,n),e.virtualSelection&&(e.state.vim=$t(l))})),e.curOp.cursorActivity&&!r&&(e.curOp.cursorActivity=!1),e.state.vim=o}),!0)}else $(e);return!r||o.visualMode||o.insert||o.visualMode==e.somethingSelected()||jt(e,o),r}return e.keyMap.vim={attach:c,detach:s,call:u},I("insertModeEscKeysTimeout",200,"number"),e.keyMap["vim-insert"]={fallthrough:["default"],attach:c,detach:s,call:u},e.keyMap["vim-replace"]={Backspace:"goCharLeft",fallthrough:["vim-insert"],attach:c,detach:s,call:u},z(),q}function n(e){return e.Vim=t(e),e.Vim}e.Vim=n(e)}(n(15237),n(23653),n(28527),n(97923))},15237:function(e){e.exports=function(){"use strict";var e=navigator.userAgent,t=navigator.platform,n=/gecko\/\d/i.test(e),r=/MSIE \d/.test(e),o=/Trident\/(?:[7-9]|\d{2,})\..*rv:(\d+)/.exec(e),i=/Edge\/(\d+)/.exec(e),a=r||o||i,l=a&&(r?document.documentMode||6:+(i||o)[1]),s=!i&&/WebKit\//.test(e),c=s&&/Qt\/\d+\.\d+/.test(e),u=!i&&/Chrome\/(\d+)/.exec(e),d=u&&+u[1],h=/Opera\//.test(e),p=/Apple Computer/.test(navigator.vendor),f=/Mac OS X 1\d\D([8-9]|\d\d)\D/.test(e),m=/PhantomJS/.test(e),v=p&&(/Mobile\/\w+/.test(e)||navigator.maxTouchPoints>2),g=/Android/.test(e),w=v||g||/webOS|BlackBerry|Opera Mini|Opera Mobi|IEMobile/i.test(e),y=v||/Mac/.test(t),b=/\bCrOS\b/.test(e),x=/win/i.test(t),k=h&&e.match(/Version\/(\d*\.\d*)/);k&&(k=Number(k[1])),k&&k>=15&&(h=!1,s=!0);var E=y&&(c||h&&(null==k||k<12.11)),A=n||a&&l>=9;function C(e){return new RegExp("(^|\\s)"+e+"(?:$|\\s)\\s*")}var B,M=function(e,t){var n=e.className,r=C(t).exec(n);if(r){var o=n.slice(r.index+r[0].length);e.className=n.slice(0,r.index)+(o?r[1]+o:"")}};function _(e){for(var t=e.childNodes.length;t>0;--t)e.removeChild(e.firstChild);return e}function S(e,t){return _(e).appendChild(t)}function N(e,t,n,r){var o=document.createElement(e);if(n&&(o.className=n),r&&(o.style.cssText=r),"string"==typeof t)o.appendChild(document.createTextNode(t));else if(t)for(var i=0;i<t.length;++i)o.appendChild(t[i]);return o}function V(e,t,n,r){var o=N(e,t,n,r);return o.setAttribute("role","presentation"),o}function L(e,t){if(3==t.nodeType&&(t=t.parentNode),e.contains)return e.contains(t);do{if(11==t.nodeType&&(t=t.host),t==e)return!0}while(t=t.parentNode)}function T(e){var t,n=e.ownerDocument||e;try{t=e.activeElement}catch(e){t=n.body||null}for(;t&&t.shadowRoot&&t.shadowRoot.activeElement;)t=t.shadowRoot.activeElement;return t}function I(e,t){var n=e.className;C(t).test(n)||(e.className+=(n?" ":"")+t)}function Z(e,t){for(var n=e.split(" "),r=0;r<n.length;r++)n[r]&&!C(n[r]).test(t)&&(t+=" "+n[r]);return t}B=document.createRange?function(e,t,n,r){var o=document.createRange();return o.setEnd(r||e,n),o.setStart(e,t),o}:function(e,t,n){var r=document.body.createTextRange();try{r.moveToElementText(e.parentNode)}catch(e){return r}return r.collapse(!0),r.moveEnd("character",n),r.moveStart("character",t),r};var O=function(e){e.select()};function D(e){return e.display.wrapper.ownerDocument}function R(e){return H(e.display.wrapper)}function H(e){return e.getRootNode?e.getRootNode():e.ownerDocument}function P(e){return D(e).defaultView}function j(e){var t=Array.prototype.slice.call(arguments,1);return function(){return e.apply(null,t)}}function F(e,t,n){for(var r in t||(t={}),e)!e.hasOwnProperty(r)||!1===n&&t.hasOwnProperty(r)||(t[r]=e[r]);return t}function z(e,t,n,r,o){null==t&&-1==(t=e.search(/[^\s\u00a0]/))&&(t=e.length);for(var i=r||0,a=o||0;;){var l=e.indexOf("\t",i);if(l<0||l>=t)return a+(t-i);a+=l-i,a+=n-a%n,i=l+1}}v?O=function(e){e.selectionStart=0,e.selectionEnd=e.value.length}:a&&(O=function(e){try{e.select()}catch(e){}});var q=function(){this.id=null,this.f=null,this.time=0,this.handler=j(this.onTimeout,this)};function U(e,t){for(var n=0;n<e.length;++n)if(e[n]==t)return n;return-1}q.prototype.onTimeout=function(e){e.id=0,e.time<=+new Date?e.f():setTimeout(e.handler,e.time-+new Date)},q.prototype.set=function(e,t){this.f=t;var n=+new Date+e;(!this.id||n<this.time)&&(clearTimeout(this.id),this.id=setTimeout(this.handler,e),this.time=n)};var $=50,W={toString:function(){return"CodeMirror.Pass"}},G={scroll:!1},K={origin:"*mouse"},Y={origin:"+move"};function X(e,t,n){for(var r=0,o=0;;){var i=e.indexOf("\t",r);-1==i&&(i=e.length);var a=i-r;if(i==e.length||o+a>=t)return r+Math.min(a,t-o);if(o+=i-r,r=i+1,(o+=n-o%n)>=t)return r}}var J=[""];function Q(e){for(;J.length<=e;)J.push(ee(J)+" ");return J[e]}function ee(e){return e[e.length-1]}function te(e,t){for(var n=[],r=0;r<e.length;r++)n[r]=t(e[r],r);return n}function ne(e,t,n){for(var r=0,o=n(t);r<e.length&&n(e[r])<=o;)r++;e.splice(r,0,t)}function re(){}function oe(e,t){var n;return Object.create?n=Object.create(e):(re.prototype=e,n=new re),t&&F(t,n),n}var ie=/[\u00df\u0587\u0590-\u05f4\u0600-\u06ff\u3040-\u309f\u30a0-\u30ff\u3400-\u4db5\u4e00-\u9fcc\uac00-\ud7af]/;function ae(e){return/\w/.test(e)||e>"€"&&(e.toUpperCase()!=e.toLowerCase()||ie.test(e))}function le(e,t){return t?!!(t.source.indexOf("\\w")>-1&&ae(e))||t.test(e):ae(e)}function se(e){for(var t in e)if(e.hasOwnProperty(t)&&e[t])return!1;return!0}var ce=/[\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 ue(e){return e.charCodeAt(0)>=768&&ce.test(e)}function de(e,t,n){for(;(n<0?t>0:t<e.length)&&ue(e.charAt(t));)t+=n;return t}function he(e,t,n){for(var r=t>n?-1:1;;){if(t==n)return t;var o=(t+n)/2,i=r<0?Math.ceil(o):Math.floor(o);if(i==t)return e(i)?t:n;e(i)?n=i:t=i+r}}function pe(e,t,n,r){if(!e)return r(t,n,"ltr",0);for(var o=!1,i=0;i<e.length;++i){var a=e[i];(a.from<n&&a.to>t||t==n&&a.to==t)&&(r(Math.max(a.from,t),Math.min(a.to,n),1==a.level?"rtl":"ltr",i),o=!0)}o||r(t,n,"ltr")}var fe=null;function me(e,t,n){var r;fe=null;for(var o=0;o<e.length;++o){var i=e[o];if(i.from<t&&i.to>t)return o;i.to==t&&(i.from!=i.to&&"before"==n?r=o:fe=o),i.from==t&&(i.from!=i.to&&"before"!=n?r=o:fe=o)}return null!=r?r:fe}var ve=function(){var e="bbbbbbbbbtstwsbbbbbbbbbbbbbbssstwNN%%%NNNNNN,N,N1111111111NNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNbbbbbbsbbbbbbbbbbbbbbbbbbbbbbbbbb,N%%%%NNNNLNNNNN%%11NLNNN1LNNNNNLLLLLLLLLLLLLLLLLLLLLLLNLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLN",t="nnnnnnNNr%%r,rNNmmmmmmmmmmmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmmmmmmmmmmmmmmmnnnnnnnnnn%nnrrrmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmnNmmmmmmrrmmNmmmmrr1111111111";function n(n){return n<=247?e.charAt(n):1424<=n&&n<=1524?"R":1536<=n&&n<=1785?t.charAt(n-1536):1774<=n&&n<=2220?"r":8192<=n&&n<=8203?"w":8204==n?"b":"L"}var r=/[\u0590-\u05f4\u0600-\u06ff\u0700-\u08ac]/,o=/[stwN]/,i=/[LRr]/,a=/[Lb1n]/,l=/[1n]/;function s(e,t,n){this.level=e,this.from=t,this.to=n}return function(e,t){var c="ltr"==t?"L":"R";if(0==e.length||"ltr"==t&&!r.test(e))return!1;for(var u=e.length,d=[],h=0;h<u;++h)d.push(n(e.charCodeAt(h)));for(var p=0,f=c;p<u;++p){var m=d[p];"m"==m?d[p]=f:f=m}for(var v=0,g=c;v<u;++v){var w=d[v];"1"==w&&"r"==g?d[v]="n":i.test(w)&&(g=w,"r"==w&&(d[v]="R"))}for(var y=1,b=d[0];y<u-1;++y){var x=d[y];"+"==x&&"1"==b&&"1"==d[y+1]?d[y]="1":","!=x||b!=d[y+1]||"1"!=b&&"n"!=b||(d[y]=b),b=x}for(var k=0;k<u;++k){var E=d[k];if(","==E)d[k]="N";else if("%"==E){var A=void 0;for(A=k+1;A<u&&"%"==d[A];++A);for(var C=k&&"!"==d[k-1]||A<u&&"1"==d[A]?"1":"N",B=k;B<A;++B)d[B]=C;k=A-1}}for(var M=0,_=c;M<u;++M){var S=d[M];"L"==_&&"1"==S?d[M]="L":i.test(S)&&(_=S)}for(var N=0;N<u;++N)if(o.test(d[N])){var V=void 0;for(V=N+1;V<u&&o.test(d[V]);++V);for(var L="L"==(N?d[N-1]:c),T=L==("L"==(V<u?d[V]:c))?L?"L":"R":c,I=N;I<V;++I)d[I]=T;N=V-1}for(var Z,O=[],D=0;D<u;)if(a.test(d[D])){var R=D;for(++D;D<u&&a.test(d[D]);++D);O.push(new s(0,R,D))}else{var H=D,P=O.length,j="rtl"==t?1:0;for(++D;D<u&&"L"!=d[D];++D);for(var F=H;F<D;)if(l.test(d[F])){H<F&&(O.splice(P,0,new s(1,H,F)),P+=j);var z=F;for(++F;F<D&&l.test(d[F]);++F);O.splice(P,0,new s(2,z,F)),P+=j,H=F}else++F;H<D&&O.splice(P,0,new s(1,H,D))}return"ltr"==t&&(1==O[0].level&&(Z=e.match(/^\s+/))&&(O[0].from=Z[0].length,O.unshift(new s(0,0,Z[0].length))),1==ee(O).level&&(Z=e.match(/\s+$/))&&(ee(O).to-=Z[0].length,O.push(new s(0,u-Z[0].length,u)))),"rtl"==t?O.reverse():O}}();function ge(e,t){var n=e.order;return null==n&&(n=e.order=ve(e.text,t)),n}var we=[],ye=function(e,t,n){if(e.addEventListener)e.addEventListener(t,n,!1);else if(e.attachEvent)e.attachEvent("on"+t,n);else{var r=e._handlers||(e._handlers={});r[t]=(r[t]||we).concat(n)}};function be(e,t){return e._handlers&&e._handlers[t]||we}function xe(e,t,n){if(e.removeEventListener)e.removeEventListener(t,n,!1);else if(e.detachEvent)e.detachEvent("on"+t,n);else{var r=e._handlers,o=r&&r[t];if(o){var i=U(o,n);i>-1&&(r[t]=o.slice(0,i).concat(o.slice(i+1)))}}}function ke(e,t){var n=be(e,t);if(n.length)for(var r=Array.prototype.slice.call(arguments,2),o=0;o<n.length;++o)n[o].apply(null,r)}function Ee(e,t,n){return"string"==typeof t&&(t={type:t,preventDefault:function(){this.defaultPrevented=!0}}),ke(e,n||t.type,e,t),Se(t)||t.codemirrorIgnore}function Ae(e){var t=e._handlers&&e._handlers.cursorActivity;if(t)for(var n=e.curOp.cursorActivityHandlers||(e.curOp.cursorActivityHandlers=[]),r=0;r<t.length;++r)-1==U(n,t[r])&&n.push(t[r])}function Ce(e,t){return be(e,t).length>0}function Be(e){e.prototype.on=function(e,t){ye(this,e,t)},e.prototype.off=function(e,t){xe(this,e,t)}}function Me(e){e.preventDefault?e.preventDefault():e.returnValue=!1}function _e(e){e.stopPropagation?e.stopPropagation():e.cancelBubble=!0}function Se(e){return null!=e.defaultPrevented?e.defaultPrevented:0==e.returnValue}function Ne(e){Me(e),_e(e)}function Ve(e){return e.target||e.srcElement}function Le(e){var t=e.which;return null==t&&(1&e.button?t=1:2&e.button?t=3:4&e.button&&(t=2)),y&&e.ctrlKey&&1==t&&(t=3),t}var Te,Ie,Ze=function(){if(a&&l<9)return!1;var e=N("div");return"draggable"in e||"dragDrop"in e}();function Oe(e){if(null==Te){var t=N("span","​");S(e,N("span",[t,document.createTextNode("x")])),0!=e.firstChild.offsetHeight&&(Te=t.offsetWidth<=1&&t.offsetHeight>2&&!(a&&l<8))}var n=Te?N("span","​"):N("span"," ",null,"display: inline-block; width: 1px; margin-right: -1px");return n.setAttribute("cm-text",""),n}function De(e){if(null!=Ie)return Ie;var t=S(e,document.createTextNode("AخA")),n=B(t,0,1).getBoundingClientRect(),r=B(t,1,2).getBoundingClientRect();return _(e),!(!n||n.left==n.right)&&(Ie=r.right-n.right<3)}var Re=3!="\n\nb".split(/\n/).length?function(e){for(var t=0,n=[],r=e.length;t<=r;){var o=e.indexOf("\n",t);-1==o&&(o=e.length);var i=e.slice(t,"\r"==e.charAt(o-1)?o-1:o),a=i.indexOf("\r");-1!=a?(n.push(i.slice(0,a)),t+=a+1):(n.push(i),t=o+1)}return n}:function(e){return e.split(/\r\n?|\n/)},He=window.getSelection?function(e){try{return e.selectionStart!=e.selectionEnd}catch(e){return!1}}:function(e){var t;try{t=e.ownerDocument.selection.createRange()}catch(e){}return!(!t||t.parentElement()!=e)&&0!=t.compareEndPoints("StartToEnd",t)},Pe=function(){var e=N("div");return"oncopy"in e||(e.setAttribute("oncopy","return;"),"function"==typeof e.oncopy)}(),je=null;function Fe(e){if(null!=je)return je;var t=S(e,N("span","x")),n=t.getBoundingClientRect(),r=B(t,0,1).getBoundingClientRect();return je=Math.abs(n.left-r.left)>1}var ze={},qe={};function Ue(e,t){arguments.length>2&&(t.dependencies=Array.prototype.slice.call(arguments,2)),ze[e]=t}function $e(e,t){qe[e]=t}function We(e){if("string"==typeof e&&qe.hasOwnProperty(e))e=qe[e];else if(e&&"string"==typeof e.name&&qe.hasOwnProperty(e.name)){var t=qe[e.name];"string"==typeof t&&(t={name:t}),(e=oe(t,e)).name=t.name}else{if("string"==typeof e&&/^[\w\-]+\/[\w\-]+\+xml$/.test(e))return We("application/xml");if("string"==typeof e&&/^[\w\-]+\/[\w\-]+\+json$/.test(e))return We("application/json")}return"string"==typeof e?{name:e}:e||{name:"null"}}function Ge(e,t){t=We(t);var n=ze[t.name];if(!n)return Ge(e,"text/plain");var r=n(e,t);if(Ke.hasOwnProperty(t.name)){var o=Ke[t.name];for(var i in o)o.hasOwnProperty(i)&&(r.hasOwnProperty(i)&&(r["_"+i]=r[i]),r[i]=o[i])}if(r.name=t.name,t.helperType&&(r.helperType=t.helperType),t.modeProps)for(var a in t.modeProps)r[a]=t.modeProps[a];return r}var Ke={};function Ye(e,t){F(t,Ke.hasOwnProperty(e)?Ke[e]:Ke[e]={})}function Xe(e,t){if(!0===t)return t;if(e.copyState)return e.copyState(t);var n={};for(var r in t){var o=t[r];o instanceof Array&&(o=o.concat([])),n[r]=o}return n}function Je(e,t){for(var n;e.innerMode&&(n=e.innerMode(t))&&n.mode!=e;)t=n.state,e=n.mode;return n||{mode:e,state:t}}function Qe(e,t,n){return!e.startState||e.startState(t,n)}var et=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};function tt(e,t){if((t-=e.first)<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 o=n.children[r],i=o.chunkSize();if(t<i){n=o;break}t-=i}return n.lines[t]}function nt(e,t,n){var r=[],o=t.line;return e.iter(t.line,n.line+1,(function(e){var i=e.text;o==n.line&&(i=i.slice(0,n.ch)),o==t.line&&(i=i.slice(t.ch)),r.push(i),++o})),r}function rt(e,t,n){var r=[];return e.iter(t,n,(function(e){r.push(e.text)})),r}function ot(e,t){var n=t-e.height;if(n)for(var r=e;r;r=r.parent)r.height+=n}function it(e){if(null==e.parent)return null;for(var t=e.parent,n=U(t.lines,e),r=t.parent;r;t=r,r=r.parent)for(var o=0;r.children[o]!=t;++o)n+=r.children[o].chunkSize();return n+t.first}function at(e,t){var n=e.first;e:do{for(var r=0;r<e.children.length;++r){var o=e.children[r],i=o.height;if(t<i){e=o;continue e}t-=i,n+=o.chunkSize()}return n}while(!e.lines);for(var a=0;a<e.lines.length;++a){var l=e.lines[a].height;if(t<l)break;t-=l}return n+a}function lt(e,t){return t>=e.first&&t<e.first+e.size}function st(e,t){return String(e.lineNumberFormatter(t+e.firstLineNumber))}function ct(e,t,n){if(void 0===n&&(n=null),!(this instanceof ct))return new ct(e,t,n);this.line=e,this.ch=t,this.sticky=n}function ut(e,t){return e.line-t.line||e.ch-t.ch}function dt(e,t){return e.sticky==t.sticky&&0==ut(e,t)}function ht(e){return ct(e.line,e.ch)}function pt(e,t){return ut(e,t)<0?t:e}function ft(e,t){return ut(e,t)<0?e:t}function mt(e,t){return Math.max(e.first,Math.min(t,e.first+e.size-1))}function vt(e,t){if(t.line<e.first)return ct(e.first,0);var n=e.first+e.size-1;return t.line>n?ct(n,tt(e,n).text.length):gt(t,tt(e,t.line).text.length)}function gt(e,t){var n=e.ch;return null==n||n>t?ct(e.line,t):n<0?ct(e.line,0):e}function wt(e,t){for(var n=[],r=0;r<t.length;r++)n[r]=vt(e,t[r]);return n}et.prototype.eol=function(){return this.pos>=this.string.length},et.prototype.sol=function(){return this.pos==this.lineStart},et.prototype.peek=function(){return this.string.charAt(this.pos)||void 0},et.prototype.next=function(){if(this.pos<this.string.length)return this.string.charAt(this.pos++)},et.prototype.eat=function(e){var t=this.string.charAt(this.pos);if("string"==typeof e?t==e:t&&(e.test?e.test(t):e(t)))return++this.pos,t},et.prototype.eatWhile=function(e){for(var t=this.pos;this.eat(e););return this.pos>t},et.prototype.eatSpace=function(){for(var e=this.pos;/[\s\u00a0]/.test(this.string.charAt(this.pos));)++this.pos;return this.pos>e},et.prototype.skipToEnd=function(){this.pos=this.string.length},et.prototype.skipTo=function(e){var t=this.string.indexOf(e,this.pos);if(t>-1)return this.pos=t,!0},et.prototype.backUp=function(e){this.pos-=e},et.prototype.column=function(){return this.lastColumnPos<this.start&&(this.lastColumnValue=z(this.string,this.start,this.tabSize,this.lastColumnPos,this.lastColumnValue),this.lastColumnPos=this.start),this.lastColumnValue-(this.lineStart?z(this.string,this.lineStart,this.tabSize):0)},et.prototype.indentation=function(){return z(this.string,null,this.tabSize)-(this.lineStart?z(this.string,this.lineStart,this.tabSize):0)},et.prototype.match=function(e,t,n){if("string"!=typeof e){var r=this.string.slice(this.pos).match(e);return r&&r.index>0?null:(r&&!1!==t&&(this.pos+=r[0].length),r)}var o=function(e){return n?e.toLowerCase():e};if(o(this.string.substr(this.pos,e.length))==o(e))return!1!==t&&(this.pos+=e.length),!0},et.prototype.current=function(){return this.string.slice(this.start,this.pos)},et.prototype.hideFirstChars=function(e,t){this.lineStart+=e;try{return t()}finally{this.lineStart-=e}},et.prototype.lookAhead=function(e){var t=this.lineOracle;return t&&t.lookAhead(e)},et.prototype.baseToken=function(){var e=this.lineOracle;return e&&e.baseToken(this.pos)};var yt=function(e,t){this.state=e,this.lookAhead=t},bt=function(e,t,n,r){this.state=t,this.doc=e,this.line=n,this.maxLookAhead=r||0,this.baseTokens=null,this.baseTokenPos=1};function xt(e,t,n,r){var o=[e.state.modeGen],i={};Nt(e,t.text,e.doc.mode,n,(function(e,t){return o.push(e,t)}),i,r);for(var a=n.state,l=function(r){n.baseTokens=o;var l=e.state.overlays[r],s=1,c=0;n.state=!0,Nt(e,t.text,l.mode,n,(function(e,t){for(var n=s;c<e;){var r=o[s];r>e&&o.splice(s,1,e,o[s+1],r),s+=2,c=Math.min(e,r)}if(t)if(l.opaque)o.splice(n,s-n,e,"overlay "+t),s=n+2;else for(;n<s;n+=2){var i=o[n+1];o[n+1]=(i?i+" ":"")+"overlay "+t}}),i),n.state=a,n.baseTokens=null,n.baseTokenPos=1},s=0;s<e.state.overlays.length;++s)l(s);return{styles:o,classes:i.bgClass||i.textClass?i:null}}function kt(e,t,n){if(!t.styles||t.styles[0]!=e.state.modeGen){var r=Et(e,it(t)),o=t.text.length>e.options.maxHighlightLength&&Xe(e.doc.mode,r.state),i=xt(e,t,r);o&&(r.state=o),t.stateAfter=r.save(!o),t.styles=i.styles,i.classes?t.styleClasses=i.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 Et(e,t,n){var r=e.doc,o=e.display;if(!r.mode.startState)return new bt(r,!0,t);var i=Vt(e,t,n),a=i>r.first&&tt(r,i-1).stateAfter,l=a?bt.fromSaved(r,a,i):new bt(r,Qe(r.mode),i);return r.iter(i,t,(function(n){At(e,n.text,l);var r=l.line;n.stateAfter=r==t-1||r%5==0||r>=o.viewFrom&&r<o.viewTo?l.save():null,l.nextLine()})),n&&(r.modeFrontier=l.line),l}function At(e,t,n,r){var o=e.doc.mode,i=new et(t,e.options.tabSize,n);for(i.start=i.pos=r||0,""==t&&Ct(o,n.state);!i.eol();)Bt(o,i,n.state),i.start=i.pos}function Ct(e,t){if(e.blankLine)return e.blankLine(t);if(e.innerMode){var n=Je(e,t);return n.mode.blankLine?n.mode.blankLine(n.state):void 0}}function Bt(e,t,n,r){for(var o=0;o<10;o++){r&&(r[0]=Je(e,n).mode);var i=e.token(t,n);if(t.pos>t.start)return i}throw new Error("Mode "+e.name+" failed to advance stream.")}bt.prototype.lookAhead=function(e){var t=this.doc.getLine(this.line+e);return null!=t&&e>this.maxLookAhead&&(this.maxLookAhead=e),t},bt.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}},bt.prototype.nextLine=function(){this.line++,this.maxLookAhead>0&&this.maxLookAhead--},bt.fromSaved=function(e,t,n){return t instanceof yt?new bt(e,Xe(e.mode,t.state),n,t.lookAhead):new bt(e,Xe(e.mode,t),n)},bt.prototype.save=function(e){var t=!1!==e?Xe(this.doc.mode,this.state):this.state;return this.maxLookAhead>0?new yt(t,this.maxLookAhead):t};var Mt=function(e,t,n){this.start=e.start,this.end=e.pos,this.string=e.current(),this.type=t||null,this.state=n};function _t(e,t,n,r){var o,i,a=e.doc,l=a.mode,s=tt(a,(t=vt(a,t)).line),c=Et(e,t.line,n),u=new et(s.text,e.options.tabSize,c);for(r&&(i=[]);(r||u.pos<t.ch)&&!u.eol();)u.start=u.pos,o=Bt(l,u,c.state),r&&i.push(new Mt(u,o,Xe(a.mode,c.state)));return r?i:new Mt(u,o,c.state)}function St(e,t){if(e)for(;;){var n=e.match(/(?:^|\s+)line-(background-)?(\S+)/);if(!n)break;e=e.slice(0,n.index)+e.slice(n.index+n[0].length);var r=n[1]?"bgClass":"textClass";null==t[r]?t[r]=n[2]:new RegExp("(?:^|\\s)"+n[2]+"(?:$|\\s)").test(t[r])||(t[r]+=" "+n[2])}return e}function Nt(e,t,n,r,o,i,a){var l=n.flattenSpans;null==l&&(l=e.options.flattenSpans);var s,c=0,u=null,d=new et(t,e.options.tabSize,r),h=e.options.addModeClass&&[null];for(""==t&&St(Ct(n,r.state),i);!d.eol();){if(d.pos>e.options.maxHighlightLength?(l=!1,a&&At(e,t,r,d.pos),d.pos=t.length,s=null):s=St(Bt(n,d,r.state,h),i),h){var p=h[0].name;p&&(s="m-"+(s?p+" "+s:p))}if(!l||u!=s){for(;c<d.start;)o(c=Math.min(d.start,c+5e3),u);u=s}d.start=d.pos}for(;c<d.pos;){var f=Math.min(d.pos,c+5e3);o(f,u),c=f}}function Vt(e,t,n){for(var r,o,i=e.doc,a=n?-1:t-(e.doc.mode.innerMode?1e3:100),l=t;l>a;--l){if(l<=i.first)return i.first;var s=tt(i,l-1),c=s.stateAfter;if(c&&(!n||l+(c instanceof yt?c.lookAhead:0)<=i.modeFrontier))return l;var u=z(s.text,null,e.options.tabSize);(null==o||r>u)&&(o=l-1,r=u)}return o}function Lt(e,t){if(e.modeFrontier=Math.min(e.modeFrontier,t),!(e.highlightFrontier<t-10)){for(var n=e.first,r=t-1;r>n;r--){var o=tt(e,r).stateAfter;if(o&&(!(o instanceof yt)||r+o.lookAhead<t)){n=r+1;break}}e.highlightFrontier=Math.min(e.highlightFrontier,n)}}var Tt=!1,It=!1;function Zt(){Tt=!0}function Ot(){It=!0}function Dt(e,t,n){this.marker=e,this.from=t,this.to=n}function Rt(e,t){if(e)for(var n=0;n<e.length;++n){var r=e[n];if(r.marker==t)return r}}function Ht(e,t){for(var n,r=0;r<e.length;++r)e[r]!=t&&(n||(n=[])).push(e[r]);return n}function Pt(e,t,n){var r=n&&window.WeakSet&&(n.markedSpans||(n.markedSpans=new WeakSet));r&&e.markedSpans&&r.has(e.markedSpans)?e.markedSpans.push(t):(e.markedSpans=e.markedSpans?e.markedSpans.concat([t]):[t],r&&r.add(e.markedSpans)),t.marker.attachLine(e)}function jt(e,t,n){var r;if(e)for(var o=0;o<e.length;++o){var i=e[o],a=i.marker;if(null==i.from||(a.inclusiveLeft?i.from<=t:i.from<t)||i.from==t&&"bookmark"==a.type&&(!n||!i.marker.insertLeft)){var l=null==i.to||(a.inclusiveRight?i.to>=t:i.to>t);(r||(r=[])).push(new Dt(a,i.from,l?null:i.to))}}return r}function Ft(e,t,n){var r;if(e)for(var o=0;o<e.length;++o){var i=e[o],a=i.marker;if(null==i.to||(a.inclusiveRight?i.to>=t:i.to>t)||i.from==t&&"bookmark"==a.type&&(!n||i.marker.insertLeft)){var l=null==i.from||(a.inclusiveLeft?i.from<=t:i.from<t);(r||(r=[])).push(new Dt(a,l?null:i.from-t,null==i.to?null:i.to-t))}}return r}function zt(e,t){if(t.full)return null;var n=lt(e,t.from.line)&&tt(e,t.from.line).markedSpans,r=lt(e,t.to.line)&&tt(e,t.to.line).markedSpans;if(!n&&!r)return null;var o=t.from.ch,i=t.to.ch,a=0==ut(t.from,t.to),l=jt(n,o,a),s=Ft(r,i,a),c=1==t.text.length,u=ee(t.text).length+(c?o:0);if(l)for(var d=0;d<l.length;++d){var h=l[d];if(null==h.to){var p=Rt(s,h.marker);p?c&&(h.to=null==p.to?null:p.to+u):h.to=o}}if(s)for(var f=0;f<s.length;++f){var m=s[f];null!=m.to&&(m.to+=u),null==m.from?Rt(l,m.marker)||(m.from=u,c&&(l||(l=[])).push(m)):(m.from+=u,c&&(l||(l=[])).push(m))}l&&(l=qt(l)),s&&s!=l&&(s=qt(s));var v=[l];if(!c){var g,w=t.text.length-2;if(w>0&&l)for(var y=0;y<l.length;++y)null==l[y].to&&(g||(g=[])).push(new Dt(l[y].marker,null,null));for(var b=0;b<w;++b)v.push(g);v.push(s)}return v}function qt(e){for(var t=0;t<e.length;++t){var n=e[t];null!=n.from&&n.from==n.to&&!1!==n.marker.clearWhenEmpty&&e.splice(t--,1)}return e.length?e:null}function Ut(e,t,n){var r=null;if(e.iter(t.line,n.line+1,(function(e){if(e.markedSpans)for(var t=0;t<e.markedSpans.length;++t){var n=e.markedSpans[t].marker;!n.readOnly||r&&-1!=U(r,n)||(r||(r=[])).push(n)}})),!r)return null;for(var o=[{from:t,to:n}],i=0;i<r.length;++i)for(var a=r[i],l=a.find(0),s=0;s<o.length;++s){var c=o[s];if(!(ut(c.to,l.from)<0||ut(c.from,l.to)>0)){var u=[s,1],d=ut(c.from,l.from),h=ut(c.to,l.to);(d<0||!a.inclusiveLeft&&!d)&&u.push({from:c.from,to:l.from}),(h>0||!a.inclusiveRight&&!h)&&u.push({from:l.to,to:c.to}),o.splice.apply(o,u),s+=u.length-3}}return o}function $t(e){var t=e.markedSpans;if(t){for(var n=0;n<t.length;++n)t[n].marker.detachLine(e);e.markedSpans=null}}function Wt(e,t){if(t){for(var n=0;n<t.length;++n)t[n].marker.attachLine(e);e.markedSpans=t}}function Gt(e){return e.inclusiveLeft?-1:0}function Kt(e){return e.inclusiveRight?1:0}function Yt(e,t){var n=e.lines.length-t.lines.length;if(0!=n)return n;var r=e.find(),o=t.find(),i=ut(r.from,o.from)||Gt(e)-Gt(t);if(i)return-i;var a=ut(r.to,o.to)||Kt(e)-Kt(t);return a||t.id-e.id}function Xt(e,t){var n,r=It&&e.markedSpans;if(r)for(var o=void 0,i=0;i<r.length;++i)(o=r[i]).marker.collapsed&&null==(t?o.from:o.to)&&(!n||Yt(n,o.marker)<0)&&(n=o.marker);return n}function Jt(e){return Xt(e,!0)}function Qt(e){return Xt(e,!1)}function en(e,t){var n,r=It&&e.markedSpans;if(r)for(var o=0;o<r.length;++o){var i=r[o];i.marker.collapsed&&(null==i.from||i.from<t)&&(null==i.to||i.to>t)&&(!n||Yt(n,i.marker)<0)&&(n=i.marker)}return n}function tn(e,t,n,r,o){var i=tt(e,t),a=It&&i.markedSpans;if(a)for(var l=0;l<a.length;++l){var s=a[l];if(s.marker.collapsed){var c=s.marker.find(0),u=ut(c.from,n)||Gt(s.marker)-Gt(o),d=ut(c.to,r)||Kt(s.marker)-Kt(o);if(!(u>=0&&d<=0||u<=0&&d>=0)&&(u<=0&&(s.marker.inclusiveRight&&o.inclusiveLeft?ut(c.to,n)>=0:ut(c.to,n)>0)||u>=0&&(s.marker.inclusiveRight&&o.inclusiveLeft?ut(c.from,r)<=0:ut(c.from,r)<0)))return!0}}}function nn(e){for(var t;t=Jt(e);)e=t.find(-1,!0).line;return e}function rn(e){for(var t;t=Qt(e);)e=t.find(1,!0).line;return e}function on(e){for(var t,n;t=Qt(e);)e=t.find(1,!0).line,(n||(n=[])).push(e);return n}function an(e,t){var n=tt(e,t),r=nn(n);return n==r?t:it(r)}function ln(e,t){if(t>e.lastLine())return t;var n,r=tt(e,t);if(!sn(e,r))return t;for(;n=Qt(r);)r=n.find(1,!0).line;return it(r)+1}function sn(e,t){var n=It&&t.markedSpans;if(n)for(var r=void 0,o=0;o<n.length;++o)if((r=n[o]).marker.collapsed){if(null==r.from)return!0;if(!r.marker.widgetNode&&0==r.from&&r.marker.inclusiveLeft&&cn(e,t,r))return!0}}function cn(e,t,n){if(null==n.to){var r=n.marker.find(1,!0);return cn(e,r.line,Rt(r.line.markedSpans,n.marker))}if(n.marker.inclusiveRight&&n.to==t.text.length)return!0;for(var o=void 0,i=0;i<t.markedSpans.length;++i)if((o=t.markedSpans[i]).marker.collapsed&&!o.marker.widgetNode&&o.from==n.to&&(null==o.to||o.to!=n.from)&&(o.marker.inclusiveLeft||n.marker.inclusiveRight)&&cn(e,t,o))return!0}function un(e){for(var t=0,n=(e=nn(e)).parent,r=0;r<n.lines.length;++r){var o=n.lines[r];if(o==e)break;t+=o.height}for(var i=n.parent;i;i=(n=i).parent)for(var a=0;a<i.children.length;++a){var l=i.children[a];if(l==n)break;t+=l.height}return t}function dn(e){if(0==e.height)return 0;for(var t,n=e.text.length,r=e;t=Jt(r);){var o=t.find(0,!0);r=o.from.line,n+=o.from.ch-o.to.ch}for(r=e;t=Qt(r);){var i=t.find(0,!0);n-=r.text.length-i.from.ch,n+=(r=i.to.line).text.length-i.to.ch}return n}function hn(e){var t=e.display,n=e.doc;t.maxLine=tt(n,n.first),t.maxLineLength=dn(t.maxLine),t.maxLineChanged=!0,n.iter((function(e){var n=dn(e);n>t.maxLineLength&&(t.maxLineLength=n,t.maxLine=e)}))}var pn=function(e,t,n){this.text=e,Wt(this,t),this.height=n?n(this):1};function fn(e,t,n,r){e.text=t,e.stateAfter&&(e.stateAfter=null),e.styles&&(e.styles=null),null!=e.order&&(e.order=null),$t(e),Wt(e,n);var o=r?r(e):1;o!=e.height&&ot(e,o)}function mn(e){e.parent=null,$t(e)}pn.prototype.lineNo=function(){return it(this)},Be(pn);var vn={},gn={};function wn(e,t){if(!e||/^\s*$/.test(e))return null;var n=t.addModeClass?gn:vn;return n[e]||(n[e]=e.replace(/\S+/g,"cm-$&"))}function yn(e,t){var n=V("span",null,null,s?"padding-right: .1px":null),r={pre:V("pre",[n],"CodeMirror-line"),content:n,col:0,pos:0,cm:e,trailingSpace:!1,splitSpaces:e.getOption("lineWrapping")};t.measure={};for(var o=0;o<=(t.rest?t.rest.length:0);o++){var i=o?t.rest[o-1]:t.line,a=void 0;r.pos=0,r.addToken=xn,De(e.display.measure)&&(a=ge(i,e.doc.direction))&&(r.addToken=En(r.addToken,a)),r.map=[],Cn(i,r,kt(e,i,t!=e.display.externalMeasured&&it(i))),i.styleClasses&&(i.styleClasses.bgClass&&(r.bgClass=Z(i.styleClasses.bgClass,r.bgClass||"")),i.styleClasses.textClass&&(r.textClass=Z(i.styleClasses.textClass,r.textClass||""))),0==r.map.length&&r.map.push(0,0,r.content.appendChild(Oe(e.display.measure))),0==o?(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(s){var l=r.content.lastChild;(/\bcm-tab\b/.test(l.className)||l.querySelector&&l.querySelector(".cm-tab"))&&(r.content.className="cm-tab-wrap-hack")}return ke(e,"renderLine",e,t.line,r.pre),r.pre.className&&(r.textClass=Z(r.pre.className,r.textClass||"")),r}function bn(e){var t=N("span","•","cm-invalidchar");return t.title="\\u"+e.charCodeAt(0).toString(16),t.setAttribute("aria-label",t.title),t}function xn(e,t,n,r,o,i,s){if(t){var c,u=e.splitSpaces?kn(t,e.trailingSpace):t,d=e.cm.state.specialChars,h=!1;if(d.test(t)){c=document.createDocumentFragment();for(var p=0;;){d.lastIndex=p;var f=d.exec(t),m=f?f.index-p:t.length-p;if(m){var v=document.createTextNode(u.slice(p,p+m));a&&l<9?c.appendChild(N("span",[v])):c.appendChild(v),e.map.push(e.pos,e.pos+m,v),e.col+=m,e.pos+=m}if(!f)break;p+=m+1;var g=void 0;if("\t"==f[0]){var w=e.cm.options.tabSize,y=w-e.col%w;(g=c.appendChild(N("span",Q(y),"cm-tab"))).setAttribute("role","presentation"),g.setAttribute("cm-text","\t"),e.col+=y}else"\r"==f[0]||"\n"==f[0]?((g=c.appendChild(N("span","\r"==f[0]?"␍":"␤","cm-invalidchar"))).setAttribute("cm-text",f[0]),e.col+=1):((g=e.cm.options.specialCharPlaceholder(f[0])).setAttribute("cm-text",f[0]),a&&l<9?c.appendChild(N("span",[g])):c.appendChild(g),e.col+=1);e.map.push(e.pos,e.pos+1,g),e.pos++}}else e.col+=t.length,c=document.createTextNode(u),e.map.push(e.pos,e.pos+t.length,c),a&&l<9&&(h=!0),e.pos+=t.length;if(e.trailingSpace=32==u.charCodeAt(t.length-1),n||r||o||h||i||s){var b=n||"";r&&(b+=r),o&&(b+=o);var x=N("span",[c],b,i);if(s)for(var k in s)s.hasOwnProperty(k)&&"style"!=k&&"class"!=k&&x.setAttribute(k,s[k]);return e.content.appendChild(x)}e.content.appendChild(c)}}function kn(e,t){if(e.length>1&&!/  /.test(e))return e;for(var n=t,r="",o=0;o<e.length;o++){var i=e.charAt(o);" "!=i||!n||o!=e.length-1&&32!=e.charCodeAt(o+1)||(i=" "),r+=i,n=" "==i}return r}function En(e,t){return function(n,r,o,i,a,l,s){o=o?o+" cm-force-border":"cm-force-border";for(var c=n.pos,u=c+r.length;;){for(var d=void 0,h=0;h<t.length&&!((d=t[h]).to>c&&d.from<=c);h++);if(d.to>=u)return e(n,r,o,i,a,l,s);e(n,r.slice(0,d.to-c),o,i,null,l,s),i=null,r=r.slice(d.to-c),c=d.to}}}function An(e,t,n,r){var o=!r&&n.widgetNode;o&&e.map.push(e.pos,e.pos+t,o),!r&&e.cm.display.input.needsContentAttribute&&(o||(o=e.content.appendChild(document.createElement("span"))),o.setAttribute("cm-marker",n.id)),o&&(e.cm.display.input.setUneditable(o),e.content.appendChild(o)),e.pos+=t,e.trailingSpace=!1}function Cn(e,t,n){var r=e.markedSpans,o=e.text,i=0;if(r)for(var a,l,s,c,u,d,h,p=o.length,f=0,m=1,v="",g=0;;){if(g==f){s=c=u=l="",h=null,d=null,g=1/0;for(var w=[],y=void 0,b=0;b<r.length;++b){var x=r[b],k=x.marker;if("bookmark"==k.type&&x.from==f&&k.widgetNode)w.push(k);else if(x.from<=f&&(null==x.to||x.to>f||k.collapsed&&x.to==f&&x.from==f)){if(null!=x.to&&x.to!=f&&g>x.to&&(g=x.to,c=""),k.className&&(s+=" "+k.className),k.css&&(l=(l?l+";":"")+k.css),k.startStyle&&x.from==f&&(u+=" "+k.startStyle),k.endStyle&&x.to==g&&(y||(y=[])).push(k.endStyle,x.to),k.title&&((h||(h={})).title=k.title),k.attributes)for(var E in k.attributes)(h||(h={}))[E]=k.attributes[E];k.collapsed&&(!d||Yt(d.marker,k)<0)&&(d=x)}else x.from>f&&g>x.from&&(g=x.from)}if(y)for(var A=0;A<y.length;A+=2)y[A+1]==g&&(c+=" "+y[A]);if(!d||d.from==f)for(var C=0;C<w.length;++C)An(t,0,w[C]);if(d&&(d.from||0)==f){if(An(t,(null==d.to?p+1:d.to)-f,d.marker,null==d.from),null==d.to)return;d.to==f&&(d=!1)}}if(f>=p)break;for(var B=Math.min(p,g);;){if(v){var M=f+v.length;if(!d){var _=M>B?v.slice(0,B-f):v;t.addToken(t,_,a?a+s:s,u,f+_.length==g?c:"",l,h)}if(M>=B){v=v.slice(B-f),f=B;break}f=M,u=""}v=o.slice(i,i=n[m++]),a=wn(n[m++],t.cm.options)}}else for(var S=1;S<n.length;S+=2)t.addToken(t,o.slice(i,i=n[S]),wn(n[S+1],t.cm.options))}function Bn(e,t,n){this.line=t,this.rest=on(t),this.size=this.rest?it(ee(this.rest))-n+1:1,this.node=this.text=null,this.hidden=sn(e,t)}function Mn(e,t,n){for(var r,o=[],i=t;i<n;i=r){var a=new Bn(e.doc,tt(e.doc,i),i);r=i+a.size,o.push(a)}return o}var _n=null;function Sn(e){_n?_n.ops.push(e):e.ownsGroup=_n={ops:[e],delayedCallbacks:[]}}function Nn(e){var t=e.delayedCallbacks,n=0;do{for(;n<t.length;n++)t[n].call(null);for(var r=0;r<e.ops.length;r++){var o=e.ops[r];if(o.cursorActivityHandlers)for(;o.cursorActivityCalled<o.cursorActivityHandlers.length;)o.cursorActivityHandlers[o.cursorActivityCalled++].call(null,o.cm)}}while(n<t.length)}function Vn(e,t){var n=e.ownsGroup;if(n)try{Nn(n)}finally{_n=null,t(n)}}var Ln=null;function Tn(e,t){var n=be(e,t);if(n.length){var r,o=Array.prototype.slice.call(arguments,2);_n?r=_n.delayedCallbacks:Ln?r=Ln:(r=Ln=[],setTimeout(In,0));for(var i=function(e){r.push((function(){return n[e].apply(null,o)}))},a=0;a<n.length;++a)i(a)}}function In(){var e=Ln;Ln=null;for(var t=0;t<e.length;++t)e[t]()}function Zn(e,t,n,r){for(var o=0;o<t.changes.length;o++){var i=t.changes[o];"text"==i?Hn(e,t):"gutter"==i?jn(e,t,n,r):"class"==i?Pn(e,t):"widget"==i&&Fn(e,t,r)}t.changes=null}function On(e){return e.node==e.text&&(e.node=N("div",null,null,"position: relative"),e.text.parentNode&&e.text.parentNode.replaceChild(e.node,e.text),e.node.appendChild(e.text),a&&l<8&&(e.node.style.zIndex=2)),e.node}function Dn(e,t){var n=t.bgClass?t.bgClass+" "+(t.line.bgClass||""):t.line.bgClass;if(n&&(n+=" CodeMirror-linebackground"),t.background)n?t.background.className=n:(t.background.parentNode.removeChild(t.background),t.background=null);else if(n){var r=On(t);t.background=r.insertBefore(N("div",null,n),r.firstChild),e.display.input.setUneditable(t.background)}}function Rn(e,t){var n=e.display.externalMeasured;return n&&n.line==t.line?(e.display.externalMeasured=null,t.measure=n.measure,n.built):yn(e,t)}function Hn(e,t){var n=t.text.className,r=Rn(e,t);t.text==t.node&&(t.node=r.pre),t.text.parentNode.replaceChild(r.pre,t.text),t.text=r.pre,r.bgClass!=t.bgClass||r.textClass!=t.textClass?(t.bgClass=r.bgClass,t.textClass=r.textClass,Pn(e,t)):n&&(t.text.className=n)}function Pn(e,t){Dn(e,t),t.line.wrapClass?On(t).className=t.line.wrapClass:t.node!=t.text&&(t.node.className="");var n=t.textClass?t.textClass+" "+(t.line.textClass||""):t.line.textClass;t.text.className=n||""}function jn(e,t,n,r){if(t.gutter&&(t.node.removeChild(t.gutter),t.gutter=null),t.gutterBackground&&(t.node.removeChild(t.gutterBackground),t.gutterBackground=null),t.line.gutterClass){var o=On(t);t.gutterBackground=N("div",null,"CodeMirror-gutter-background "+t.line.gutterClass,"left: "+(e.options.fixedGutter?r.fixedPos:-r.gutterTotalWidth)+"px; width: "+r.gutterTotalWidth+"px"),e.display.input.setUneditable(t.gutterBackground),o.insertBefore(t.gutterBackground,t.text)}var i=t.line.gutterMarkers;if(e.options.lineNumbers||i){var a=On(t),l=t.gutter=N("div",null,"CodeMirror-gutter-wrapper","left: "+(e.options.fixedGutter?r.fixedPos:-r.gutterTotalWidth)+"px");if(l.setAttribute("aria-hidden","true"),e.display.input.setUneditable(l),a.insertBefore(l,t.text),t.line.gutterClass&&(l.className+=" "+t.line.gutterClass),!e.options.lineNumbers||i&&i["CodeMirror-linenumbers"]||(t.lineNumber=l.appendChild(N("div",st(e.options,n),"CodeMirror-linenumber CodeMirror-gutter-elt","left: "+r.gutterLeft["CodeMirror-linenumbers"]+"px; width: "+e.display.lineNumInnerWidth+"px"))),i)for(var s=0;s<e.display.gutterSpecs.length;++s){var c=e.display.gutterSpecs[s].className,u=i.hasOwnProperty(c)&&i[c];u&&l.appendChild(N("div",[u],"CodeMirror-gutter-elt","left: "+r.gutterLeft[c]+"px; width: "+r.gutterWidth[c]+"px"))}}}function Fn(e,t,n){t.alignable&&(t.alignable=null);for(var r=C("CodeMirror-linewidget"),o=t.node.firstChild,i=void 0;o;o=i)i=o.nextSibling,r.test(o.className)&&t.node.removeChild(o);qn(e,t,n)}function zn(e,t,n,r){var o=Rn(e,t);return t.text=t.node=o.pre,o.bgClass&&(t.bgClass=o.bgClass),o.textClass&&(t.textClass=o.textClass),Pn(e,t),jn(e,t,n,r),qn(e,t,r),t.node}function qn(e,t,n){if(Un(e,t.line,t,n,!0),t.rest)for(var r=0;r<t.rest.length;r++)Un(e,t.rest[r],t,n,!1)}function Un(e,t,n,r,o){if(t.widgets)for(var i=On(n),a=0,l=t.widgets;a<l.length;++a){var s=l[a],c=N("div",[s.node],"CodeMirror-linewidget"+(s.className?" "+s.className:""));s.handleMouseEvents||c.setAttribute("cm-ignore-events","true"),$n(s,c,n,r),e.display.input.setUneditable(c),o&&s.above?i.insertBefore(c,n.gutter||n.text):i.appendChild(c),Tn(s,"redraw")}}function $n(e,t,n,r){if(e.noHScroll){(n.alignable||(n.alignable=[])).push(t);var o=r.wrapperWidth;t.style.left=r.fixedPos+"px",e.coverGutter||(o-=r.gutterTotalWidth,t.style.paddingLeft=r.gutterTotalWidth+"px"),t.style.width=o+"px"}e.coverGutter&&(t.style.zIndex=5,t.style.position="relative",e.noHScroll||(t.style.marginLeft=-r.gutterTotalWidth+"px"))}function Wn(e){if(null!=e.height)return e.height;var t=e.doc.cm;if(!t)return 0;if(!L(document.body,e.node)){var n="position: relative;";e.coverGutter&&(n+="margin-left: -"+t.display.gutters.offsetWidth+"px;"),e.noHScroll&&(n+="width: "+t.display.wrapper.clientWidth+"px;"),S(t.display.measure,N("div",[e.node],null,n))}return e.height=e.node.parentNode.offsetHeight}function Gn(e,t){for(var n=Ve(t);n!=e.wrapper;n=n.parentNode)if(!n||1==n.nodeType&&"true"==n.getAttribute("cm-ignore-events")||n.parentNode==e.sizer&&n!=e.mover)return!0}function Kn(e){return e.lineSpace.offsetTop}function Yn(e){return e.mover.offsetHeight-e.lineSpace.offsetHeight}function Xn(e){if(e.cachedPaddingH)return e.cachedPaddingH;var t=S(e.measure,N("pre","x","CodeMirror-line-like")),n=window.getComputedStyle?window.getComputedStyle(t):t.currentStyle,r={left:parseInt(n.paddingLeft),right:parseInt(n.paddingRight)};return isNaN(r.left)||isNaN(r.right)||(e.cachedPaddingH=r),r}function Jn(e){return $-e.display.nativeBarWidth}function Qn(e){return e.display.scroller.clientWidth-Jn(e)-e.display.barWidth}function er(e){return e.display.scroller.clientHeight-Jn(e)-e.display.barHeight}function tr(e,t,n){var r=e.options.lineWrapping,o=r&&Qn(e);if(!t.measure.heights||r&&t.measure.width!=o){var i=t.measure.heights=[];if(r){t.measure.width=o;for(var a=t.text.firstChild.getClientRects(),l=0;l<a.length-1;l++){var s=a[l],c=a[l+1];Math.abs(s.bottom-c.bottom)>2&&i.push((s.bottom+c.top)/2-n.top)}}i.push(n.bottom-n.top)}}function nr(e,t,n){if(e.line==t)return{map:e.measure.map,cache:e.measure.cache};if(e.rest){for(var r=0;r<e.rest.length;r++)if(e.rest[r]==t)return{map:e.measure.maps[r],cache:e.measure.caches[r]};for(var o=0;o<e.rest.length;o++)if(it(e.rest[o])>n)return{map:e.measure.maps[o],cache:e.measure.caches[o],before:!0}}}function rr(e,t){var n=it(t=nn(t)),r=e.display.externalMeasured=new Bn(e.doc,t,n);r.lineN=n;var o=r.built=yn(e,r);return r.text=o.pre,S(e.display.lineMeasure,o.pre),r}function or(e,t,n,r){return lr(e,ar(e,t),n,r)}function ir(e,t){if(t>=e.display.viewFrom&&t<e.display.viewTo)return e.display.view[Pr(e,t)];var n=e.display.externalMeasured;return n&&t>=n.lineN&&t<n.lineN+n.size?n:void 0}function ar(e,t){var n=it(t),r=ir(e,n);r&&!r.text?r=null:r&&r.changes&&(Zn(e,r,n,Zr(e)),e.curOp.forceUpdate=!0),r||(r=rr(e,t));var o=nr(r,t,n);return{line:t,view:r,rect:null,map:o.map,cache:o.cache,before:o.before,hasHeights:!1}}function lr(e,t,n,r,o){t.before&&(n=-1);var i,a=n+(r||"");return t.cache.hasOwnProperty(a)?i=t.cache[a]:(t.rect||(t.rect=t.view.text.getBoundingClientRect()),t.hasHeights||(tr(e,t.view,t.rect),t.hasHeights=!0),(i=hr(e,t,n,r)).bogus||(t.cache[a]=i)),{left:i.left,right:i.right,top:o?i.rtop:i.top,bottom:o?i.rbottom:i.bottom}}var sr,cr={left:0,right:0,top:0,bottom:0};function ur(e,t,n){for(var r,o,i,a,l,s,c=0;c<e.length;c+=3)if(l=e[c],s=e[c+1],t<l?(o=0,i=1,a="left"):t<s?i=1+(o=t-l):(c==e.length-3||t==s&&e[c+3]>t)&&(o=(i=s-l)-1,t>=s&&(a="right")),null!=o){if(r=e[c+2],l==s&&n==(r.insertLeft?"left":"right")&&(a=n),"left"==n&&0==o)for(;c&&e[c-2]==e[c-3]&&e[c-1].insertLeft;)r=e[2+(c-=3)],a="left";if("right"==n&&o==s-l)for(;c<e.length-3&&e[c+3]==e[c+4]&&!e[c+5].insertLeft;)r=e[(c+=3)+2],a="right";break}return{node:r,start:o,end:i,collapse:a,coverStart:l,coverEnd:s}}function dr(e,t){var n=cr;if("left"==t)for(var r=0;r<e.length&&(n=e[r]).left==n.right;r++);else for(var o=e.length-1;o>=0&&(n=e[o]).left==n.right;o--);return n}function hr(e,t,n,r){var o,i=ur(t.map,n,r),s=i.node,c=i.start,u=i.end,d=i.collapse;if(3==s.nodeType){for(var h=0;h<4;h++){for(;c&&ue(t.line.text.charAt(i.coverStart+c));)--c;for(;i.coverStart+u<i.coverEnd&&ue(t.line.text.charAt(i.coverStart+u));)++u;if((o=a&&l<9&&0==c&&u==i.coverEnd-i.coverStart?s.parentNode.getBoundingClientRect():dr(B(s,c,u).getClientRects(),r)).left||o.right||0==c)break;u=c,c-=1,d="right"}a&&l<11&&(o=pr(e.display.measure,o))}else{var p;c>0&&(d=r="right"),o=e.options.lineWrapping&&(p=s.getClientRects()).length>1?p["right"==r?p.length-1:0]:s.getBoundingClientRect()}if(a&&l<9&&!c&&(!o||!o.left&&!o.right)){var f=s.parentNode.getClientRects()[0];o=f?{left:f.left,right:f.left+Ir(e.display),top:f.top,bottom:f.bottom}:cr}for(var m=o.top-t.rect.top,v=o.bottom-t.rect.top,g=(m+v)/2,w=t.view.measure.heights,y=0;y<w.length-1&&!(g<w[y]);y++);var b=y?w[y-1]:0,x=w[y],k={left:("right"==d?o.right:o.left)-t.rect.left,right:("left"==d?o.left:o.right)-t.rect.left,top:b,bottom:x};return o.left||o.right||(k.bogus=!0),e.options.singleCursorHeightPerLine||(k.rtop=m,k.rbottom=v),k}function pr(e,t){if(!window.screen||null==screen.logicalXDPI||screen.logicalXDPI==screen.deviceXDPI||!Fe(e))return t;var n=screen.logicalXDPI/screen.deviceXDPI,r=screen.logicalYDPI/screen.deviceYDPI;return{left:t.left*n,right:t.right*n,top:t.top*r,bottom:t.bottom*r}}function fr(e){if(e.measure&&(e.measure.cache={},e.measure.heights=null,e.rest))for(var t=0;t<e.rest.length;t++)e.measure.caches[t]={}}function mr(e){e.display.externalMeasure=null,_(e.display.lineMeasure);for(var t=0;t<e.display.view.length;t++)fr(e.display.view[t])}function vr(e){mr(e),e.display.cachedCharWidth=e.display.cachedTextHeight=e.display.cachedPaddingH=null,e.options.lineWrapping||(e.display.maxLineChanged=!0),e.display.lineNumChars=null}function gr(e){return u&&g?-(e.body.getBoundingClientRect().left-parseInt(getComputedStyle(e.body).marginLeft)):e.defaultView.pageXOffset||(e.documentElement||e.body).scrollLeft}function wr(e){return u&&g?-(e.body.getBoundingClientRect().top-parseInt(getComputedStyle(e.body).marginTop)):e.defaultView.pageYOffset||(e.documentElement||e.body).scrollTop}function yr(e){var t=nn(e).widgets,n=0;if(t)for(var r=0;r<t.length;++r)t[r].above&&(n+=Wn(t[r]));return n}function br(e,t,n,r,o){if(!o){var i=yr(t);n.top+=i,n.bottom+=i}if("line"==r)return n;r||(r="local");var a=un(t);if("local"==r?a+=Kn(e.display):a-=e.display.viewOffset,"page"==r||"window"==r){var l=e.display.lineSpace.getBoundingClientRect();a+=l.top+("window"==r?0:wr(D(e)));var s=l.left+("window"==r?0:gr(D(e)));n.left+=s,n.right+=s}return n.top+=a,n.bottom+=a,n}function xr(e,t,n){if("div"==n)return t;var r=t.left,o=t.top;if("page"==n)r-=gr(D(e)),o-=wr(D(e));else if("local"==n||!n){var i=e.display.sizer.getBoundingClientRect();r+=i.left,o+=i.top}var a=e.display.lineSpace.getBoundingClientRect();return{left:r-a.left,top:o-a.top}}function kr(e,t,n,r,o){return r||(r=tt(e.doc,t.line)),br(e,r,or(e,r,t.ch,o),n)}function Er(e,t,n,r,o,i){function a(t,a){var l=lr(e,o,t,a?"right":"left",i);return a?l.left=l.right:l.right=l.left,br(e,r,l,n)}r=r||tt(e.doc,t.line),o||(o=ar(e,r));var l=ge(r,e.doc.direction),s=t.ch,c=t.sticky;if(s>=r.text.length?(s=r.text.length,c="before"):s<=0&&(s=0,c="after"),!l)return a("before"==c?s-1:s,"before"==c);function u(e,t,n){return a(n?e-1:e,1==l[t].level!=n)}var d=me(l,s,c),h=fe,p=u(s,d,"before"==c);return null!=h&&(p.other=u(s,h,"before"!=c)),p}function Ar(e,t){var n=0;t=vt(e.doc,t),e.options.lineWrapping||(n=Ir(e.display)*t.ch);var r=tt(e.doc,t.line),o=un(r)+Kn(e.display);return{left:n,right:n,top:o,bottom:o+r.height}}function Cr(e,t,n,r,o){var i=ct(e,t,n);return i.xRel=o,r&&(i.outside=r),i}function Br(e,t,n){var r=e.doc;if((n+=e.display.viewOffset)<0)return Cr(r.first,0,null,-1,-1);var o=at(r,n),i=r.first+r.size-1;if(o>i)return Cr(r.first+r.size-1,tt(r,i).text.length,null,1,1);t<0&&(t=0);for(var a=tt(r,o);;){var l=Nr(e,a,o,t,n),s=en(a,l.ch+(l.xRel>0||l.outside>0?1:0));if(!s)return l;var c=s.find(1);if(c.line==o)return c;a=tt(r,o=c.line)}}function Mr(e,t,n,r){r-=yr(t);var o=t.text.length,i=he((function(t){return lr(e,n,t-1).bottom<=r}),o,0);return{begin:i,end:o=he((function(t){return lr(e,n,t).top>r}),i,o)}}function _r(e,t,n,r){return n||(n=ar(e,t)),Mr(e,t,n,br(e,t,lr(e,n,r),"line").top)}function Sr(e,t,n,r){return!(e.bottom<=n)&&(e.top>n||(r?e.left:e.right)>t)}function Nr(e,t,n,r,o){o-=un(t);var i=ar(e,t),a=yr(t),l=0,s=t.text.length,c=!0,u=ge(t,e.doc.direction);if(u){var d=(e.options.lineWrapping?Lr:Vr)(e,t,n,i,u,r,o);l=(c=1!=d.level)?d.from:d.to-1,s=c?d.to:d.from-1}var h,p,f=null,m=null,v=he((function(t){var n=lr(e,i,t);return n.top+=a,n.bottom+=a,!!Sr(n,r,o,!1)&&(n.top<=o&&n.left<=r&&(f=t,m=n),!0)}),l,s),g=!1;if(m){var w=r-m.left<m.right-r,y=w==c;v=f+(y?0:1),p=y?"after":"before",h=w?m.left:m.right}else{c||v!=s&&v!=l||v++,p=0==v?"after":v==t.text.length?"before":lr(e,i,v-(c?1:0)).bottom+a<=o==c?"after":"before";var b=Er(e,ct(n,v,p),"line",t,i);h=b.left,g=o<b.top?-1:o>=b.bottom?1:0}return Cr(n,v=de(t.text,v,1),p,g,r-h)}function Vr(e,t,n,r,o,i,a){var l=he((function(l){var s=o[l],c=1!=s.level;return Sr(Er(e,ct(n,c?s.to:s.from,c?"before":"after"),"line",t,r),i,a,!0)}),0,o.length-1),s=o[l];if(l>0){var c=1!=s.level,u=Er(e,ct(n,c?s.from:s.to,c?"after":"before"),"line",t,r);Sr(u,i,a,!0)&&u.top>a&&(s=o[l-1])}return s}function Lr(e,t,n,r,o,i,a){var l=Mr(e,t,r,a),s=l.begin,c=l.end;/\s/.test(t.text.charAt(c-1))&&c--;for(var u=null,d=null,h=0;h<o.length;h++){var p=o[h];if(!(p.from>=c||p.to<=s)){var f=lr(e,r,1!=p.level?Math.min(c,p.to)-1:Math.max(s,p.from)).right,m=f<i?i-f+1e9:f-i;(!u||d>m)&&(u=p,d=m)}}return u||(u=o[o.length-1]),u.from<s&&(u={from:s,to:u.to,level:u.level}),u.to>c&&(u={from:u.from,to:c,level:u.level}),u}function Tr(e){if(null!=e.cachedTextHeight)return e.cachedTextHeight;if(null==sr){sr=N("pre",null,"CodeMirror-line-like");for(var t=0;t<49;++t)sr.appendChild(document.createTextNode("x")),sr.appendChild(N("br"));sr.appendChild(document.createTextNode("x"))}S(e.measure,sr);var n=sr.offsetHeight/50;return n>3&&(e.cachedTextHeight=n),_(e.measure),n||1}function Ir(e){if(null!=e.cachedCharWidth)return e.cachedCharWidth;var t=N("span","xxxxxxxxxx"),n=N("pre",[t],"CodeMirror-line-like");S(e.measure,n);var r=t.getBoundingClientRect(),o=(r.right-r.left)/10;return o>2&&(e.cachedCharWidth=o),o||10}function Zr(e){for(var t=e.display,n={},r={},o=t.gutters.clientLeft,i=t.gutters.firstChild,a=0;i;i=i.nextSibling,++a){var l=e.display.gutterSpecs[a].className;n[l]=i.offsetLeft+i.clientLeft+o,r[l]=i.clientWidth}return{fixedPos:Or(t),gutterTotalWidth:t.gutters.offsetWidth,gutterLeft:n,gutterWidth:r,wrapperWidth:t.wrapper.clientWidth}}function Or(e){return e.scroller.getBoundingClientRect().left-e.sizer.getBoundingClientRect().left}function Dr(e){var t=Tr(e.display),n=e.options.lineWrapping,r=n&&Math.max(5,e.display.scroller.clientWidth/Ir(e.display)-3);return function(o){if(sn(e.doc,o))return 0;var i=0;if(o.widgets)for(var a=0;a<o.widgets.length;a++)o.widgets[a].height&&(i+=o.widgets[a].height);return n?i+(Math.ceil(o.text.length/r)||1)*t:i+t}}function Rr(e){var t=e.doc,n=Dr(e);t.iter((function(e){var t=n(e);t!=e.height&&ot(e,t)}))}function Hr(e,t,n,r){var o=e.display;if(!n&&"true"==Ve(t).getAttribute("cm-not-content"))return null;var i,a,l=o.lineSpace.getBoundingClientRect();try{i=t.clientX-l.left,a=t.clientY-l.top}catch(e){return null}var s,c=Br(e,i,a);if(r&&c.xRel>0&&(s=tt(e.doc,c.line).text).length==c.ch){var u=z(s,s.length,e.options.tabSize)-s.length;c=ct(c.line,Math.max(0,Math.round((i-Xn(e.display).left)/Ir(e.display))-u))}return c}function Pr(e,t){if(t>=e.display.viewTo)return null;if((t-=e.display.viewFrom)<0)return null;for(var n=e.display.view,r=0;r<n.length;r++)if((t-=n[r].size)<0)return r}function jr(e,t,n,r){null==t&&(t=e.doc.first),null==n&&(n=e.doc.first+e.doc.size),r||(r=0);var o=e.display;if(r&&n<o.viewTo&&(null==o.updateLineNumbers||o.updateLineNumbers>t)&&(o.updateLineNumbers=t),e.curOp.viewChanged=!0,t>=o.viewTo)It&&an(e.doc,t)<o.viewTo&&zr(e);else if(n<=o.viewFrom)It&&ln(e.doc,n+r)>o.viewFrom?zr(e):(o.viewFrom+=r,o.viewTo+=r);else if(t<=o.viewFrom&&n>=o.viewTo)zr(e);else if(t<=o.viewFrom){var i=qr(e,n,n+r,1);i?(o.view=o.view.slice(i.index),o.viewFrom=i.lineN,o.viewTo+=r):zr(e)}else if(n>=o.viewTo){var a=qr(e,t,t,-1);a?(o.view=o.view.slice(0,a.index),o.viewTo=a.lineN):zr(e)}else{var l=qr(e,t,t,-1),s=qr(e,n,n+r,1);l&&s?(o.view=o.view.slice(0,l.index).concat(Mn(e,l.lineN,s.lineN)).concat(o.view.slice(s.index)),o.viewTo+=r):zr(e)}var c=o.externalMeasured;c&&(n<c.lineN?c.lineN+=r:t<c.lineN+c.size&&(o.externalMeasured=null))}function Fr(e,t,n){e.curOp.viewChanged=!0;var r=e.display,o=e.display.externalMeasured;if(o&&t>=o.lineN&&t<o.lineN+o.size&&(r.externalMeasured=null),!(t<r.viewFrom||t>=r.viewTo)){var i=r.view[Pr(e,t)];if(null!=i.node){var a=i.changes||(i.changes=[]);-1==U(a,n)&&a.push(n)}}}function zr(e){e.display.viewFrom=e.display.viewTo=e.doc.first,e.display.view=[],e.display.viewOffset=0}function qr(e,t,n,r){var o,i=Pr(e,t),a=e.display.view;if(!It||n==e.doc.first+e.doc.size)return{index:i,lineN:n};for(var l=e.display.viewFrom,s=0;s<i;s++)l+=a[s].size;if(l!=t){if(r>0){if(i==a.length-1)return null;o=l+a[i].size-t,i++}else o=l-t;t+=o,n+=o}for(;an(e.doc,n)!=n;){if(i==(r<0?0:a.length-1))return null;n+=r*a[i-(r<0?1:0)].size,i+=r}return{index:i,lineN:n}}function Ur(e,t,n){var r=e.display;0==r.view.length||t>=r.viewTo||n<=r.viewFrom?(r.view=Mn(e,t,n),r.viewFrom=t):(r.viewFrom>t?r.view=Mn(e,t,r.viewFrom).concat(r.view):r.viewFrom<t&&(r.view=r.view.slice(Pr(e,t))),r.viewFrom=t,r.viewTo<n?r.view=r.view.concat(Mn(e,r.viewTo,n)):r.viewTo>n&&(r.view=r.view.slice(0,Pr(e,n)))),r.viewTo=n}function $r(e){for(var t=e.display.view,n=0,r=0;r<t.length;r++){var o=t[r];o.hidden||o.node&&!o.changes||++n}return n}function Wr(e){e.display.input.showSelection(e.display.input.prepareSelection())}function Gr(e,t){void 0===t&&(t=!0);var n=e.doc,r={},o=r.cursors=document.createDocumentFragment(),i=r.selection=document.createDocumentFragment(),a=e.options.$customCursor;a&&(t=!0);for(var l=0;l<n.sel.ranges.length;l++)if(t||l!=n.sel.primIndex){var s=n.sel.ranges[l];if(!(s.from().line>=e.display.viewTo||s.to().line<e.display.viewFrom)){var c=s.empty();if(a){var u=a(e,s);u&&Kr(e,u,o)}else(c||e.options.showCursorWhenSelecting)&&Kr(e,s.head,o);c||Xr(e,s,i)}}return r}function Kr(e,t,n){var r=Er(e,t,"div",null,null,!e.options.singleCursorHeightPerLine),o=n.appendChild(N("div"," ","CodeMirror-cursor"));if(o.style.left=r.left+"px",o.style.top=r.top+"px",o.style.height=Math.max(0,r.bottom-r.top)*e.options.cursorHeight+"px",/\bcm-fat-cursor\b/.test(e.getWrapperElement().className)){var i=kr(e,t,"div",null,null),a=i.right-i.left;o.style.width=(a>0?a:e.defaultCharWidth())+"px"}if(r.other){var l=n.appendChild(N("div"," ","CodeMirror-cursor CodeMirror-secondarycursor"));l.style.display="",l.style.left=r.other.left+"px",l.style.top=r.other.top+"px",l.style.height=.85*(r.other.bottom-r.other.top)+"px"}}function Yr(e,t){return e.top-t.top||e.left-t.left}function Xr(e,t,n){var r=e.display,o=e.doc,i=document.createDocumentFragment(),a=Xn(e.display),l=a.left,s=Math.max(r.sizerWidth,Qn(e)-r.sizer.offsetLeft)-a.right,c="ltr"==o.direction;function u(e,t,n,r){t<0&&(t=0),t=Math.round(t),r=Math.round(r),i.appendChild(N("div",null,"CodeMirror-selected","position: absolute; left: "+e+"px;\n                             top: "+t+"px; width: "+(null==n?s-e:n)+"px;\n                             height: "+(r-t)+"px"))}function d(t,n,r){var i,a,d=tt(o,t),h=d.text.length;function p(n,r){return kr(e,ct(t,n),"div",d,r)}function f(t,n,r){var o=_r(e,d,null,t),i="ltr"==n==("after"==r)?"left":"right";return p("after"==r?o.begin:o.end-(/\s/.test(d.text.charAt(o.end-1))?2:1),i)[i]}var m=ge(d,o.direction);return pe(m,n||0,null==r?h:r,(function(e,t,o,d){var v="ltr"==o,g=p(e,v?"left":"right"),w=p(t-1,v?"right":"left"),y=null==n&&0==e,b=null==r&&t==h,x=0==d,k=!m||d==m.length-1;if(w.top-g.top<=3){var E=(c?b:y)&&k,A=(c?y:b)&&x?l:(v?g:w).left,C=E?s:(v?w:g).right;u(A,g.top,C-A,g.bottom)}else{var B,M,_,S;v?(B=c&&y&&x?l:g.left,M=c?s:f(e,o,"before"),_=c?l:f(t,o,"after"),S=c&&b&&k?s:w.right):(B=c?f(e,o,"before"):l,M=!c&&y&&x?s:g.right,_=!c&&b&&k?l:w.left,S=c?f(t,o,"after"):s),u(B,g.top,M-B,g.bottom),g.bottom<w.top&&u(l,g.bottom,null,w.top),u(_,w.top,S-_,w.bottom)}(!i||Yr(g,i)<0)&&(i=g),Yr(w,i)<0&&(i=w),(!a||Yr(g,a)<0)&&(a=g),Yr(w,a)<0&&(a=w)})),{start:i,end:a}}var h=t.from(),p=t.to();if(h.line==p.line)d(h.line,h.ch,p.ch);else{var f=tt(o,h.line),m=tt(o,p.line),v=nn(f)==nn(m),g=d(h.line,h.ch,v?f.text.length+1:null).end,w=d(p.line,v?0:null,p.ch).start;v&&(g.top<w.top-2?(u(g.right,g.top,null,g.bottom),u(l,w.top,w.left,w.bottom)):u(g.right,g.top,w.left-g.right,g.bottom)),g.bottom<w.top&&u(l,g.bottom,null,w.top)}n.appendChild(i)}function Jr(e){if(e.state.focused){var t=e.display;clearInterval(t.blinker);var n=!0;t.cursorDiv.style.visibility="",e.options.cursorBlinkRate>0?t.blinker=setInterval((function(){e.hasFocus()||no(e),t.cursorDiv.style.visibility=(n=!n)?"":"hidden"}),e.options.cursorBlinkRate):e.options.cursorBlinkRate<0&&(t.cursorDiv.style.visibility="hidden")}}function Qr(e){e.hasFocus()||(e.display.input.focus(),e.state.focused||to(e))}function eo(e){e.state.delayingBlurEvent=!0,setTimeout((function(){e.state.delayingBlurEvent&&(e.state.delayingBlurEvent=!1,e.state.focused&&no(e))}),100)}function to(e,t){e.state.delayingBlurEvent&&!e.state.draggingText&&(e.state.delayingBlurEvent=!1),"nocursor"!=e.options.readOnly&&(e.state.focused||(ke(e,"focus",e,t),e.state.focused=!0,I(e.display.wrapper,"CodeMirror-focused"),e.curOp||e.display.selForContextMenu==e.doc.sel||(e.display.input.reset(),s&&setTimeout((function(){return e.display.input.reset(!0)}),20)),e.display.input.receivedFocus()),Jr(e))}function no(e,t){e.state.delayingBlurEvent||(e.state.focused&&(ke(e,"blur",e,t),e.state.focused=!1,M(e.display.wrapper,"CodeMirror-focused")),clearInterval(e.display.blinker),setTimeout((function(){e.state.focused||(e.display.shift=!1)}),150))}function ro(e){for(var t=e.display,n=t.lineDiv.offsetTop,r=Math.max(0,t.scroller.getBoundingClientRect().top),o=t.lineDiv.getBoundingClientRect().top,i=0,s=0;s<t.view.length;s++){var c=t.view[s],u=e.options.lineWrapping,d=void 0,h=0;if(!c.hidden){if(o+=c.line.height,a&&l<8){var p=c.node.offsetTop+c.node.offsetHeight;d=p-n,n=p}else{var f=c.node.getBoundingClientRect();d=f.bottom-f.top,!u&&c.text.firstChild&&(h=c.text.firstChild.getBoundingClientRect().right-f.left-1)}var m=c.line.height-d;if((m>.005||m<-.005)&&(o<r&&(i-=m),ot(c.line,d),oo(c.line),c.rest))for(var v=0;v<c.rest.length;v++)oo(c.rest[v]);if(h>e.display.sizerWidth){var g=Math.ceil(h/Ir(e.display));g>e.display.maxLineLength&&(e.display.maxLineLength=g,e.display.maxLine=c.line,e.display.maxLineChanged=!0)}}}Math.abs(i)>2&&(t.scroller.scrollTop+=i)}function oo(e){if(e.widgets)for(var t=0;t<e.widgets.length;++t){var n=e.widgets[t],r=n.node.parentNode;r&&(n.height=r.offsetHeight)}}function io(e,t,n){var r=n&&null!=n.top?Math.max(0,n.top):e.scroller.scrollTop;r=Math.floor(r-Kn(e));var o=n&&null!=n.bottom?n.bottom:r+e.wrapper.clientHeight,i=at(t,r),a=at(t,o);if(n&&n.ensure){var l=n.ensure.from.line,s=n.ensure.to.line;l<i?(i=l,a=at(t,un(tt(t,l))+e.wrapper.clientHeight)):Math.min(s,t.lastLine())>=a&&(i=at(t,un(tt(t,s))-e.wrapper.clientHeight),a=s)}return{from:i,to:Math.max(a,i+1)}}function ao(e,t){if(!Ee(e,"scrollCursorIntoView")){var n=e.display,r=n.sizer.getBoundingClientRect(),o=null,i=n.wrapper.ownerDocument;if(t.top+r.top<0?o=!0:t.bottom+r.top>(i.defaultView.innerHeight||i.documentElement.clientHeight)&&(o=!1),null!=o&&!m){var a=N("div","​",null,"position: absolute;\n                         top: "+(t.top-n.viewOffset-Kn(e.display))+"px;\n                         height: "+(t.bottom-t.top+Jn(e)+n.barHeight)+"px;\n                         left: "+t.left+"px; width: "+Math.max(2,t.right-t.left)+"px;");e.display.lineSpace.appendChild(a),a.scrollIntoView(o),e.display.lineSpace.removeChild(a)}}}function lo(e,t,n,r){var o;null==r&&(r=0),e.options.lineWrapping||t!=n||(n="before"==t.sticky?ct(t.line,t.ch+1,"before"):t,t=t.ch?ct(t.line,"before"==t.sticky?t.ch-1:t.ch,"after"):t);for(var i=0;i<5;i++){var a=!1,l=Er(e,t),s=n&&n!=t?Er(e,n):l,c=co(e,o={left:Math.min(l.left,s.left),top:Math.min(l.top,s.top)-r,right:Math.max(l.left,s.left),bottom:Math.max(l.bottom,s.bottom)+r}),u=e.doc.scrollTop,d=e.doc.scrollLeft;if(null!=c.scrollTop&&(go(e,c.scrollTop),Math.abs(e.doc.scrollTop-u)>1&&(a=!0)),null!=c.scrollLeft&&(yo(e,c.scrollLeft),Math.abs(e.doc.scrollLeft-d)>1&&(a=!0)),!a)break}return o}function so(e,t){var n=co(e,t);null!=n.scrollTop&&go(e,n.scrollTop),null!=n.scrollLeft&&yo(e,n.scrollLeft)}function co(e,t){var n=e.display,r=Tr(e.display);t.top<0&&(t.top=0);var o=e.curOp&&null!=e.curOp.scrollTop?e.curOp.scrollTop:n.scroller.scrollTop,i=er(e),a={};t.bottom-t.top>i&&(t.bottom=t.top+i);var l=e.doc.height+Yn(n),s=t.top<r,c=t.bottom>l-r;if(t.top<o)a.scrollTop=s?0:t.top;else if(t.bottom>o+i){var u=Math.min(t.top,(c?l:t.bottom)-i);u!=o&&(a.scrollTop=u)}var d=e.options.fixedGutter?0:n.gutters.offsetWidth,h=e.curOp&&null!=e.curOp.scrollLeft?e.curOp.scrollLeft:n.scroller.scrollLeft-d,p=Qn(e)-n.gutters.offsetWidth,f=t.right-t.left>p;return f&&(t.right=t.left+p),t.left<10?a.scrollLeft=0:t.left<h?a.scrollLeft=Math.max(0,t.left+d-(f?0:10)):t.right>p+h-3&&(a.scrollLeft=t.right+(f?0:10)-p),a}function uo(e,t){null!=t&&(mo(e),e.curOp.scrollTop=(null==e.curOp.scrollTop?e.doc.scrollTop:e.curOp.scrollTop)+t)}function ho(e){mo(e);var t=e.getCursor();e.curOp.scrollToPos={from:t,to:t,margin:e.options.cursorScrollMargin}}function po(e,t,n){null==t&&null==n||mo(e),null!=t&&(e.curOp.scrollLeft=t),null!=n&&(e.curOp.scrollTop=n)}function fo(e,t){mo(e),e.curOp.scrollToPos=t}function mo(e){var t=e.curOp.scrollToPos;t&&(e.curOp.scrollToPos=null,vo(e,Ar(e,t.from),Ar(e,t.to),t.margin))}function vo(e,t,n,r){var o=co(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});po(e,o.scrollLeft,o.scrollTop)}function go(e,t){Math.abs(e.doc.scrollTop-t)<2||(n||Go(e,{top:t}),wo(e,t,!0),n&&Go(e),Po(e,100))}function wo(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 yo(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,Jo(e),e.display.scroller.scrollLeft!=t&&(e.display.scroller.scrollLeft=t),e.display.scrollbars.setScrollLeft(t))}function bo(e){var t=e.display,n=t.gutters.offsetWidth,r=Math.round(e.doc.height+Yn(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+Jn(e)+t.barHeight,nativeBarWidth:t.nativeBarWidth,gutterWidth:n}}var xo=function(e,t,n){this.cm=n;var r=this.vert=N("div",[N("div",null,null,"min-width: 1px")],"CodeMirror-vscrollbar"),o=this.horiz=N("div",[N("div",null,null,"height: 100%; min-height: 1px")],"CodeMirror-hscrollbar");r.tabIndex=o.tabIndex=-1,e(r),e(o),ye(r,"scroll",(function(){r.clientHeight&&t(r.scrollTop,"vertical")})),ye(o,"scroll",(function(){o.clientWidth&&t(o.scrollLeft,"horizontal")})),this.checkedZeroWidth=!1,a&&l<8&&(this.horiz.style.minHeight=this.vert.style.minWidth="18px")};xo.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 o=e.viewHeight-(t?r:0);this.vert.firstChild.style.height=Math.max(0,e.scrollHeight-e.clientHeight+o)+"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 i=e.viewWidth-e.barLeft-(n?r:0);this.horiz.firstChild.style.width=Math.max(0,e.scrollWidth-e.clientWidth+i)+"px"}else this.horiz.style.display="",this.horiz.firstChild.style.width="0";return!this.checkedZeroWidth&&e.clientHeight>0&&(0==r&&this.zeroWidthHack(),this.checkedZeroWidth=!0),{right:n?r:0,bottom:t?r:0}},xo.prototype.setScrollLeft=function(e){this.horiz.scrollLeft!=e&&(this.horiz.scrollLeft=e),this.disableHoriz&&this.enableZeroWidthBar(this.horiz,this.disableHoriz,"horiz")},xo.prototype.setScrollTop=function(e){this.vert.scrollTop!=e&&(this.vert.scrollTop=e),this.disableVert&&this.enableZeroWidthBar(this.vert,this.disableVert,"vert")},xo.prototype.zeroWidthHack=function(){var e=y&&!f?"12px":"18px";this.horiz.style.height=this.vert.style.width=e,this.horiz.style.visibility=this.vert.style.visibility="hidden",this.disableHoriz=new q,this.disableVert=new q},xo.prototype.enableZeroWidthBar=function(e,t,n){function r(){var o=e.getBoundingClientRect();("vert"==n?document.elementFromPoint(o.right-1,(o.top+o.bottom)/2):document.elementFromPoint((o.right+o.left)/2,o.bottom-1))!=e?e.style.visibility="hidden":t.set(1e3,r)}e.style.visibility="",t.set(1e3,r)},xo.prototype.clear=function(){var e=this.horiz.parentNode;e.removeChild(this.horiz),e.removeChild(this.vert)};var ko=function(){};function Eo(e,t){t||(t=bo(e));var n=e.display.barWidth,r=e.display.barHeight;Ao(e,t);for(var o=0;o<4&&n!=e.display.barWidth||r!=e.display.barHeight;o++)n!=e.display.barWidth&&e.options.lineWrapping&&ro(e),Ao(e,bo(e)),n=e.display.barWidth,r=e.display.barHeight}function Ao(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=""}ko.prototype.update=function(){return{bottom:0,right:0}},ko.prototype.setScrollLeft=function(){},ko.prototype.setScrollTop=function(){},ko.prototype.clear=function(){};var Co={native:xo,null:ko};function Bo(e){e.display.scrollbars&&(e.display.scrollbars.clear(),e.display.scrollbars.addClass&&M(e.display.wrapper,e.display.scrollbars.addClass)),e.display.scrollbars=new Co[e.options.scrollbarStyle]((function(t){e.display.wrapper.insertBefore(t,e.display.scrollbarFiller),ye(t,"mousedown",(function(){e.state.focused&&setTimeout((function(){return e.display.input.focus()}),0)})),t.setAttribute("cm-not-content","true")}),(function(t,n){"horizontal"==n?yo(e,t):go(e,t)}),e),e.display.scrollbars.addClass&&I(e.display.wrapper,e.display.scrollbars.addClass)}var Mo=0;function _o(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:++Mo,markArrays:null},Sn(e.curOp)}function So(e){var t=e.curOp;t&&Vn(t,(function(e){for(var t=0;t<e.ops.length;t++)e.ops[t].cm.curOp=null;No(e)}))}function No(e){for(var t=e.ops,n=0;n<t.length;n++)Vo(t[n]);for(var r=0;r<t.length;r++)Lo(t[r]);for(var o=0;o<t.length;o++)To(t[o]);for(var i=0;i<t.length;i++)Io(t[i]);for(var a=0;a<t.length;a++)Zo(t[a])}function Vo(e){var t=e.cm,n=t.display;zo(t),e.updateMaxLine&&hn(t),e.mustUpdate=e.viewChanged||e.forceUpdate||null!=e.scrollTop||e.scrollToPos&&(e.scrollToPos.from.line<n.viewFrom||e.scrollToPos.to.line>=n.viewTo)||n.maxLineChanged&&t.options.lineWrapping,e.update=e.mustUpdate&&new Fo(t,e.mustUpdate&&{top:e.scrollTop,ensure:e.scrollToPos},e.forceUpdate)}function Lo(e){e.updatedDisplay=e.mustUpdate&&$o(e.cm,e.update)}function To(e){var t=e.cm,n=t.display;e.updatedDisplay&&ro(t),e.barMeasure=bo(t),n.maxLineChanged&&!t.options.lineWrapping&&(e.adjustWidthTo=or(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+Jn(t)+t.display.barWidth),e.maxScrollLeft=Math.max(0,n.sizer.offsetLeft+e.adjustWidthTo-Qn(t))),(e.updatedDisplay||e.selectionChanged)&&(e.preparedSelection=n.input.prepareSelection())}function Io(e){var t=e.cm;null!=e.adjustWidthTo&&(t.display.sizer.style.minWidth=e.adjustWidthTo+"px",e.maxScrollLeft<t.doc.scrollLeft&&yo(t,Math.min(t.display.scroller.scrollLeft,e.maxScrollLeft),!0),t.display.maxLineChanged=!1);var n=e.focus&&e.focus==T(R(t));e.preparedSelection&&t.display.input.showSelection(e.preparedSelection,n),(e.updatedDisplay||e.startHeight!=t.doc.height)&&Eo(t,e.barMeasure),e.updatedDisplay&&Xo(t,e.barMeasure),e.selectionChanged&&Jr(t),t.state.focused&&e.updateInput&&t.display.input.reset(e.typing),n&&Qr(e.cm)}function Zo(e){var t=e.cm,n=t.display,r=t.doc;e.updatedDisplay&&Wo(t,e.update),null==n.wheelStartX||null==e.scrollTop&&null==e.scrollLeft&&!e.scrollToPos||(n.wheelStartX=n.wheelStartY=null),null!=e.scrollTop&&wo(t,e.scrollTop,e.forceScroll),null!=e.scrollLeft&&yo(t,e.scrollLeft,!0,!0),e.scrollToPos&&ao(t,lo(t,vt(r,e.scrollToPos.from),vt(r,e.scrollToPos.to),e.scrollToPos.margin));var o=e.maybeHiddenMarkers,i=e.maybeUnhiddenMarkers;if(o)for(var a=0;a<o.length;++a)o[a].lines.length||ke(o[a],"hide");if(i)for(var l=0;l<i.length;++l)i[l].lines.length&&ke(i[l],"unhide");n.wrapper.offsetHeight&&(r.scrollTop=t.display.scroller.scrollTop),e.changeObjs&&ke(t,"changes",t,e.changeObjs),e.update&&e.update.finish()}function Oo(e,t){if(e.curOp)return t();_o(e);try{return t()}finally{So(e)}}function Do(e,t){return function(){if(e.curOp)return t.apply(e,arguments);_o(e);try{return t.apply(e,arguments)}finally{So(e)}}}function Ro(e){return function(){if(this.curOp)return e.apply(this,arguments);_o(this);try{return e.apply(this,arguments)}finally{So(this)}}}function Ho(e){return function(){var t=this.cm;if(!t||t.curOp)return e.apply(this,arguments);_o(t);try{return e.apply(this,arguments)}finally{So(t)}}}function Po(e,t){e.doc.highlightFrontier<e.display.viewTo&&e.state.highlight.set(t,j(jo,e))}function jo(e){var t=e.doc;if(!(t.highlightFrontier>=e.display.viewTo)){var n=+new Date+e.options.workTime,r=Et(e,t.highlightFrontier),o=[];t.iter(r.line,Math.min(t.first+t.size,e.display.viewTo+500),(function(i){if(r.line>=e.display.viewFrom){var a=i.styles,l=i.text.length>e.options.maxHighlightLength?Xe(t.mode,r.state):null,s=xt(e,i,r,!0);l&&(r.state=l),i.styles=s.styles;var c=i.styleClasses,u=s.classes;u?i.styleClasses=u:c&&(i.styleClasses=null);for(var d=!a||a.length!=i.styles.length||c!=u&&(!c||!u||c.bgClass!=u.bgClass||c.textClass!=u.textClass),h=0;!d&&h<a.length;++h)d=a[h]!=i.styles[h];d&&o.push(r.line),i.stateAfter=r.save(),r.nextLine()}else i.text.length<=e.options.maxHighlightLength&&At(e,i.text,r),i.stateAfter=r.line%5==0?r.save():null,r.nextLine();if(+new Date>n)return Po(e,e.options.workDelay),!0})),t.highlightFrontier=r.line,t.modeFrontier=Math.max(t.modeFrontier,r.line),o.length&&Oo(e,(function(){for(var t=0;t<o.length;t++)Fr(e,o[t],"text")}))}}var Fo=function(e,t,n){var r=e.display;this.viewport=t,this.visible=io(r,e.doc,t),this.editorIsHidden=!r.wrapper.offsetWidth,this.wrapperHeight=r.wrapper.clientHeight,this.wrapperWidth=r.wrapper.clientWidth,this.oldDisplayWidth=Qn(e),this.force=n,this.dims=Zr(e),this.events=[]};function zo(e){var t=e.display;!t.scrollbarsClipped&&t.scroller.offsetWidth&&(t.nativeBarWidth=t.scroller.offsetWidth-t.scroller.clientWidth,t.heightForcer.style.height=Jn(e)+"px",t.sizer.style.marginBottom=-t.nativeBarWidth+"px",t.sizer.style.borderRightWidth=Jn(e)+"px",t.scrollbarsClipped=!0)}function qo(e){if(e.hasFocus())return null;var t=T(R(e));if(!t||!L(e.display.lineDiv,t))return null;var n={activeElt:t};if(window.getSelection){var r=P(e).getSelection();r.anchorNode&&r.extend&&L(e.display.lineDiv,r.anchorNode)&&(n.anchorNode=r.anchorNode,n.anchorOffset=r.anchorOffset,n.focusNode=r.focusNode,n.focusOffset=r.focusOffset)}return n}function Uo(e){if(e&&e.activeElt&&e.activeElt!=T(H(e.activeElt))&&(e.activeElt.focus(),!/^(INPUT|TEXTAREA)$/.test(e.activeElt.nodeName)&&e.anchorNode&&L(document.body,e.anchorNode)&&L(document.body,e.focusNode))){var t=e.activeElt.ownerDocument,n=t.defaultView.getSelection(),r=t.createRange();r.setEnd(e.anchorNode,e.anchorOffset),r.collapse(!1),n.removeAllRanges(),n.addRange(r),n.extend(e.focusNode,e.focusOffset)}}function $o(e,t){var n=e.display,r=e.doc;if(t.editorIsHidden)return zr(e),!1;if(!t.force&&t.visible.from>=n.viewFrom&&t.visible.to<=n.viewTo&&(null==n.updateLineNumbers||n.updateLineNumbers>=n.viewTo)&&n.renderedView==n.view&&0==$r(e))return!1;Qo(e)&&(zr(e),t.dims=Zr(e));var o=r.first+r.size,i=Math.max(t.visible.from-e.options.viewportMargin,r.first),a=Math.min(o,t.visible.to+e.options.viewportMargin);n.viewFrom<i&&i-n.viewFrom<20&&(i=Math.max(r.first,n.viewFrom)),n.viewTo>a&&n.viewTo-a<20&&(a=Math.min(o,n.viewTo)),It&&(i=an(e.doc,i),a=ln(e.doc,a));var l=i!=n.viewFrom||a!=n.viewTo||n.lastWrapHeight!=t.wrapperHeight||n.lastWrapWidth!=t.wrapperWidth;Ur(e,i,a),n.viewOffset=un(tt(e.doc,n.viewFrom)),e.display.mover.style.top=n.viewOffset+"px";var s=$r(e);if(!l&&0==s&&!t.force&&n.renderedView==n.view&&(null==n.updateLineNumbers||n.updateLineNumbers>=n.viewTo))return!1;var c=qo(e);return s>4&&(n.lineDiv.style.display="none"),Ko(e,n.updateLineNumbers,t.dims),s>4&&(n.lineDiv.style.display=""),n.renderedView=n.view,Uo(c),_(n.cursorDiv),_(n.selectionDiv),n.gutters.style.height=n.sizer.style.minHeight=0,l&&(n.lastWrapHeight=t.wrapperHeight,n.lastWrapWidth=t.wrapperWidth,Po(e,400)),n.updateLineNumbers=null,!0}function Wo(e,t){for(var n=t.viewport,r=!0;;r=!1){if(r&&e.options.lineWrapping&&t.oldDisplayWidth!=Qn(e))r&&(t.visible=io(e.display,e.doc,n));else if(n&&null!=n.top&&(n={top:Math.min(e.doc.height+Yn(e.display)-er(e),n.top)}),t.visible=io(e.display,e.doc,n),t.visible.from>=e.display.viewFrom&&t.visible.to<=e.display.viewTo)break;if(!$o(e,t))break;ro(e);var o=bo(e);Wr(e),Eo(e,o),Xo(e,o),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 Go(e,t){var n=new Fo(e,t);if($o(e,n)){ro(e),Wo(e,n);var r=bo(e);Wr(e),Eo(e,r),Xo(e,r),n.finish()}}function Ko(e,t,n){var r=e.display,o=e.options.lineNumbers,i=r.lineDiv,a=i.firstChild;function l(t){var n=t.nextSibling;return s&&y&&e.display.currentWheelTarget==t?t.style.display="none":t.parentNode.removeChild(t),n}for(var c=r.view,u=r.viewFrom,d=0;d<c.length;d++){var h=c[d];if(h.hidden);else if(h.node&&h.node.parentNode==i){for(;a!=h.node;)a=l(a);var p=o&&null!=t&&t<=u&&h.lineNumber;h.changes&&(U(h.changes,"gutter")>-1&&(p=!1),Zn(e,h,u,n)),p&&(_(h.lineNumber),h.lineNumber.appendChild(document.createTextNode(st(e.options,u)))),a=h.node.nextSibling}else{var f=zn(e,h,u,n);i.insertBefore(f,a)}u+=h.size}for(;a;)a=l(a)}function Yo(e){var t=e.gutters.offsetWidth;e.sizer.style.marginLeft=t+"px",Tn(e,"gutterChanged",e)}function Xo(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+Jn(e)+"px"}function Jo(e){var t=e.display,n=t.view;if(t.alignWidgets||t.gutters.firstChild&&e.options.fixedGutter){for(var r=Or(t)-t.scroller.scrollLeft+e.doc.scrollLeft,o=t.gutters.offsetWidth,i=r+"px",a=0;a<n.length;a++)if(!n[a].hidden){e.options.fixedGutter&&(n[a].gutter&&(n[a].gutter.style.left=i),n[a].gutterBackground&&(n[a].gutterBackground.style.left=i));var l=n[a].alignable;if(l)for(var s=0;s<l.length;s++)l[s].style.left=i}e.options.fixedGutter&&(t.gutters.style.left=r+o+"px")}}function Qo(e){if(!e.options.lineNumbers)return!1;var t=e.doc,n=st(e.options,t.first+t.size-1),r=e.display;if(n.length!=r.lineNumChars){var o=r.measure.appendChild(N("div",[N("div",n)],"CodeMirror-linenumber CodeMirror-gutter-elt")),i=o.firstChild.offsetWidth,a=o.offsetWidth-i;return r.lineGutter.style.width="",r.lineNumInnerWidth=Math.max(i,r.lineGutter.offsetWidth-a)+1,r.lineNumWidth=r.lineNumInnerWidth+a,r.lineNumChars=r.lineNumInnerWidth?n.length:-1,r.lineGutter.style.width=r.lineNumWidth+"px",Yo(e.display),!0}return!1}function ei(e,t){for(var n=[],r=!1,o=0;o<e.length;o++){var i=e[o],a=null;if("string"!=typeof i&&(a=i.style,i=i.className),"CodeMirror-linenumbers"==i){if(!t)continue;r=!0}n.push({className:i,style:a})}return t&&!r&&n.push({className:"CodeMirror-linenumbers",style:null}),n}function ti(e){var t=e.gutters,n=e.gutterSpecs;_(t),e.lineGutter=null;for(var r=0;r<n.length;++r){var o=n[r],i=o.className,a=o.style,l=t.appendChild(N("div",null,"CodeMirror-gutter "+i));a&&(l.style.cssText=a),"CodeMirror-linenumbers"==i&&(e.lineGutter=l,l.style.width=(e.lineNumWidth||1)+"px")}t.style.display=n.length?"":"none",Yo(e)}function ni(e){ti(e.display),jr(e),Jo(e)}function ri(e,t,r,o){var i=this;this.input=r,i.scrollbarFiller=N("div",null,"CodeMirror-scrollbar-filler"),i.scrollbarFiller.setAttribute("cm-not-content","true"),i.gutterFiller=N("div",null,"CodeMirror-gutter-filler"),i.gutterFiller.setAttribute("cm-not-content","true"),i.lineDiv=V("div",null,"CodeMirror-code"),i.selectionDiv=N("div",null,null,"position: relative; z-index: 1"),i.cursorDiv=N("div",null,"CodeMirror-cursors"),i.measure=N("div",null,"CodeMirror-measure"),i.lineMeasure=N("div",null,"CodeMirror-measure"),i.lineSpace=V("div",[i.measure,i.lineMeasure,i.selectionDiv,i.cursorDiv,i.lineDiv],null,"position: relative; outline: none");var c=V("div",[i.lineSpace],"CodeMirror-lines");i.mover=N("div",[c],null,"position: relative"),i.sizer=N("div",[i.mover],"CodeMirror-sizer"),i.sizerWidth=null,i.heightForcer=N("div",null,null,"position: absolute; height: "+$+"px; width: 1px;"),i.gutters=N("div",null,"CodeMirror-gutters"),i.lineGutter=null,i.scroller=N("div",[i.sizer,i.heightForcer,i.gutters],"CodeMirror-scroll"),i.scroller.setAttribute("tabIndex","-1"),i.wrapper=N("div",[i.scrollbarFiller,i.gutterFiller,i.scroller],"CodeMirror"),u&&d>=105&&(i.wrapper.style.clipPath="inset(0px)"),i.wrapper.setAttribute("translate","no"),a&&l<8&&(i.gutters.style.zIndex=-1,i.scroller.style.paddingRight=0),s||n&&w||(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=ei(o.gutters,o.lineNumbers),ti(i),r.init(i)}Fo.prototype.signal=function(e,t){Ce(e,t)&&this.events.push(arguments)},Fo.prototype.finish=function(){for(var e=0;e<this.events.length;e++)ke.apply(null,this.events[e])};var oi=0,ii=null;function ai(e){var t=e.wheelDeltaX,n=e.wheelDeltaY;return null==t&&e.detail&&e.axis==e.HORIZONTAL_AXIS&&(t=e.detail),null==n&&e.detail&&e.axis==e.VERTICAL_AXIS?n=e.detail:null==n&&(n=e.wheelDelta),{x:t,y:n}}function li(e){var t=ai(e);return t.x*=ii,t.y*=ii,t}function si(e,t){u&&102==d&&(null==e.display.chromeScrollHack?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 r=ai(t),o=r.x,i=r.y,a=ii;0===t.deltaMode&&(o=t.deltaX,i=t.deltaY,a=1);var l=e.display,c=l.scroller,p=c.scrollWidth>c.clientWidth,f=c.scrollHeight>c.clientHeight;if(o&&p||i&&f){if(i&&y&&s)e:for(var m=t.target,v=l.view;m!=c;m=m.parentNode)for(var g=0;g<v.length;g++)if(v[g].node==m){e.display.currentWheelTarget=m;break e}if(o&&!n&&!h&&null!=a)return i&&f&&go(e,Math.max(0,c.scrollTop+i*a)),yo(e,Math.max(0,c.scrollLeft+o*a)),(!i||i&&f)&&Me(t),void(l.wheelStartX=null);if(i&&null!=a){var w=i*a,b=e.doc.scrollTop,x=b+l.wrapper.clientHeight;w<0?b=Math.max(0,b+w-50):x=Math.min(e.doc.height,x+w+50),Go(e,{top:b,bottom:x})}oi<20&&0!==t.deltaMode&&(null==l.wheelStartX?(l.wheelStartX=c.scrollLeft,l.wheelStartY=c.scrollTop,l.wheelDX=o,l.wheelDY=i,setTimeout((function(){if(null!=l.wheelStartX){var e=c.scrollLeft-l.wheelStartX,t=c.scrollTop-l.wheelStartY,n=t&&l.wheelDY&&t/l.wheelDY||e&&l.wheelDX&&e/l.wheelDX;l.wheelStartX=l.wheelStartY=null,n&&(ii=(ii*oi+n)/(oi+1),++oi)}}),200)):(l.wheelDX+=o,l.wheelDY+=i))}}a?ii=-.53:n?ii=15:u?ii=-.7:p&&(ii=-1/3);var ci=function(e,t){this.ranges=e,this.primIndex=t};ci.prototype.primary=function(){return this.ranges[this.primIndex]},ci.prototype.equals=function(e){if(e==this)return!0;if(e.primIndex!=this.primIndex||e.ranges.length!=this.ranges.length)return!1;for(var t=0;t<this.ranges.length;t++){var n=this.ranges[t],r=e.ranges[t];if(!dt(n.anchor,r.anchor)||!dt(n.head,r.head))return!1}return!0},ci.prototype.deepCopy=function(){for(var e=[],t=0;t<this.ranges.length;t++)e[t]=new ui(ht(this.ranges[t].anchor),ht(this.ranges[t].head));return new ci(e,this.primIndex)},ci.prototype.somethingSelected=function(){for(var e=0;e<this.ranges.length;e++)if(!this.ranges[e].empty())return!0;return!1},ci.prototype.contains=function(e,t){t||(t=e);for(var n=0;n<this.ranges.length;n++){var r=this.ranges[n];if(ut(t,r.from())>=0&&ut(e,r.to())<=0)return n}return-1};var ui=function(e,t){this.anchor=e,this.head=t};function di(e,t,n){var r=e&&e.options.selectionsMayTouch,o=t[n];t.sort((function(e,t){return ut(e.from(),t.from())})),n=U(t,o);for(var i=1;i<t.length;i++){var a=t[i],l=t[i-1],s=ut(l.to(),a.from());if(r&&!a.empty()?s>0:s>=0){var c=ft(l.from(),a.from()),u=pt(l.to(),a.to()),d=l.empty()?a.from()==a.head:l.from()==l.head;i<=n&&--n,t.splice(--i,2,new ui(d?u:c,d?c:u))}}return new ci(t,n)}function hi(e,t){return new ci([new ui(e,t||e)],0)}function pi(e){return e.text?ct(e.from.line+e.text.length-1,ee(e.text).length+(1==e.text.length?e.from.ch:0)):e.to}function fi(e,t){if(ut(e,t.from)<0)return e;if(ut(e,t.to)<=0)return pi(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+=pi(t).ch-t.to.ch),ct(n,r)}function mi(e,t){for(var n=[],r=0;r<e.sel.ranges.length;r++){var o=e.sel.ranges[r];n.push(new ui(fi(o.anchor,t),fi(o.head,t)))}return di(e.cm,n,e.sel.primIndex)}function vi(e,t,n){return e.line==t.line?ct(n.line,e.ch-t.ch+n.ch):ct(n.line+(e.line-t.line),e.ch)}function gi(e,t,n){for(var r=[],o=ct(e.first,0),i=o,a=0;a<t.length;a++){var l=t[a],s=vi(l.from,o,i),c=vi(pi(l),o,i);if(o=l.to,i=c,"around"==n){var u=e.sel.ranges[a],d=ut(u.head,u.anchor)<0;r[a]=new ui(d?c:s,d?s:c)}else r[a]=new ui(s,s)}return new ci(r,e.sel.primIndex)}function wi(e){e.doc.mode=Ge(e.options,e.doc.modeOption),yi(e)}function yi(e){e.doc.iter((function(e){e.stateAfter&&(e.stateAfter=null),e.styles&&(e.styles=null)})),e.doc.modeFrontier=e.doc.highlightFrontier=e.doc.first,Po(e,100),e.state.modeGen++,e.curOp&&jr(e)}function bi(e,t){return 0==t.from.ch&&0==t.to.ch&&""==ee(t.text)&&(!e.cm||e.cm.options.wholeLineUpdateBefore)}function xi(e,t,n,r){function o(e){return n?n[e]:null}function i(e,n,o){fn(e,n,o,r),Tn(e,"change",e,t)}function a(e,t){for(var n=[],i=e;i<t;++i)n.push(new pn(c[i],o(i),r));return n}var l=t.from,s=t.to,c=t.text,u=tt(e,l.line),d=tt(e,s.line),h=ee(c),p=o(c.length-1),f=s.line-l.line;if(t.full)e.insert(0,a(0,c.length)),e.remove(c.length,e.size-c.length);else if(bi(e,t)){var m=a(0,c.length-1);i(d,d.text,p),f&&e.remove(l.line,f),m.length&&e.insert(l.line,m)}else if(u==d)if(1==c.length)i(u,u.text.slice(0,l.ch)+h+u.text.slice(s.ch),p);else{var v=a(1,c.length-1);v.push(new pn(h+u.text.slice(s.ch),p,r)),i(u,u.text.slice(0,l.ch)+c[0],o(0)),e.insert(l.line+1,v)}else if(1==c.length)i(u,u.text.slice(0,l.ch)+c[0]+d.text.slice(s.ch),o(0)),e.remove(l.line+1,f);else{i(u,u.text.slice(0,l.ch)+c[0],o(0)),i(d,h+d.text.slice(s.ch),p);var g=a(1,c.length-1);f>1&&e.remove(l.line+1,f-1),e.insert(l.line+1,g)}Tn(e,"change",e,t)}function ki(e,t,n){function r(e,o,i){if(e.linked)for(var a=0;a<e.linked.length;++a){var l=e.linked[a];if(l.doc!=o){var s=i&&l.sharedHist;n&&!s||(t(l.doc,s),r(l.doc,e,s))}}}r(e,null,!0)}function Ei(e,t){if(t.cm)throw new Error("This document is already in use.");e.doc=t,t.cm=e,Rr(e),wi(e),Ai(e),e.options.direction=t.direction,e.options.lineWrapping||hn(e),e.options.mode=t.modeOption,jr(e)}function Ai(e){("rtl"==e.doc.direction?I:M)(e.display.lineDiv,"CodeMirror-rtl")}function Ci(e){Oo(e,(function(){Ai(e),jr(e)}))}function Bi(e){this.done=[],this.undone=[],this.undoDepth=e?e.undoDepth:1/0,this.lastModTime=this.lastSelTime=0,this.lastOp=this.lastSelOp=null,this.lastOrigin=this.lastSelOrigin=null,this.generation=this.maxGeneration=e?e.maxGeneration:1}function Mi(e,t){var n={from:ht(t.from),to:pi(t),text:nt(e,t.from,t.to)};return Ii(e,n,t.from.line,t.to.line+1),ki(e,(function(e){return Ii(e,n,t.from.line,t.to.line+1)}),!0),n}function _i(e){for(;e.length&&ee(e).ranges;)e.pop()}function Si(e,t){return t?(_i(e.done),ee(e.done)):e.done.length&&!ee(e.done).ranges?ee(e.done):e.done.length>1&&!e.done[e.done.length-2].ranges?(e.done.pop(),ee(e.done)):void 0}function Ni(e,t,n,r){var o=e.history;o.undone.length=0;var i,a,l=+new Date;if((o.lastOp==r||o.lastOrigin==t.origin&&t.origin&&("+"==t.origin.charAt(0)&&o.lastModTime>l-(e.cm?e.cm.options.historyEventDelay:500)||"*"==t.origin.charAt(0)))&&(i=Si(o,o.lastOp==r)))a=ee(i.changes),0==ut(t.from,t.to)&&0==ut(t.from,a.to)?a.to=pi(t):i.changes.push(Mi(e,t));else{var s=ee(o.done);for(s&&s.ranges||Ti(e.sel,o.done),i={changes:[Mi(e,t)],generation:o.generation},o.done.push(i);o.done.length>o.undoDepth;)o.done.shift(),o.done[0].ranges||o.done.shift()}o.done.push(n),o.generation=++o.maxGeneration,o.lastModTime=o.lastSelTime=l,o.lastOp=o.lastSelOp=r,o.lastOrigin=o.lastSelOrigin=t.origin,a||ke(e,"historyAdded")}function Vi(e,t,n,r){var o=t.charAt(0);return"*"==o||"+"==o&&n.ranges.length==r.ranges.length&&n.somethingSelected()==r.somethingSelected()&&new Date-e.history.lastSelTime<=(e.cm?e.cm.options.historyEventDelay:500)}function Li(e,t,n,r){var o=e.history,i=r&&r.origin;n==o.lastSelOp||i&&o.lastSelOrigin==i&&(o.lastModTime==o.lastSelTime&&o.lastOrigin==i||Vi(e,i,ee(o.done),t))?o.done[o.done.length-1]=t:Ti(t,o.done),o.lastSelTime=+new Date,o.lastSelOrigin=i,o.lastSelOp=n,r&&!1!==r.clearRedo&&_i(o.undone)}function Ti(e,t){var n=ee(t);n&&n.ranges&&n.equals(e)||t.push(e)}function Ii(e,t,n,r){var o=t["spans_"+e.id],i=0;e.iter(Math.max(e.first,n),Math.min(e.first+e.size,r),(function(n){n.markedSpans&&((o||(o=t["spans_"+e.id]={}))[i]=n.markedSpans),++i}))}function Zi(e){if(!e)return null;for(var t,n=0;n<e.length;++n)e[n].marker.explicitlyCleared?t||(t=e.slice(0,n)):t&&t.push(e[n]);return t?t.length?t:null:e}function Oi(e,t){var n=t["spans_"+e.id];if(!n)return null;for(var r=[],o=0;o<t.text.length;++o)r.push(Zi(n[o]));return r}function Di(e,t){var n=Oi(e,t),r=zt(e,t);if(!n)return r;if(!r)return n;for(var o=0;o<n.length;++o){var i=n[o],a=r[o];if(i&&a)e:for(var l=0;l<a.length;++l){for(var s=a[l],c=0;c<i.length;++c)if(i[c].marker==s.marker)continue e;i.push(s)}else a&&(n[o]=a)}return n}function Ri(e,t,n){for(var r=[],o=0;o<e.length;++o){var i=e[o];if(i.ranges)r.push(n?ci.prototype.deepCopy.call(i):i);else{var a=i.changes,l=[];r.push({changes:l});for(var s=0;s<a.length;++s){var c=a[s],u=void 0;if(l.push({from:c.from,to:c.to,text:c.text}),t)for(var d in c)(u=d.match(/^spans_(\d+)$/))&&U(t,Number(u[1]))>-1&&(ee(l)[d]=c[d],delete c[d])}}}return r}function Hi(e,t,n,r){if(r){var o=e.anchor;if(n){var i=ut(t,o)<0;i!=ut(n,o)<0?(o=t,t=n):i!=ut(t,n)<0&&(t=n)}return new ui(o,t)}return new ui(n||t,t)}function Pi(e,t,n,r,o){null==o&&(o=e.cm&&(e.cm.display.shift||e.extend)),$i(e,new ci([Hi(e.sel.primary(),t,n,o)],0),r)}function ji(e,t,n){for(var r=[],o=e.cm&&(e.cm.display.shift||e.extend),i=0;i<e.sel.ranges.length;i++)r[i]=Hi(e.sel.ranges[i],t[i],null,o);$i(e,di(e.cm,r,e.sel.primIndex),n)}function Fi(e,t,n,r){var o=e.sel.ranges.slice(0);o[t]=n,$i(e,di(e.cm,o,e.sel.primIndex),r)}function zi(e,t,n,r){$i(e,hi(t,n),r)}function qi(e,t,n){var r={ranges:t.ranges,update:function(t){this.ranges=[];for(var n=0;n<t.length;n++)this.ranges[n]=new ui(vt(e,t[n].anchor),vt(e,t[n].head))},origin:n&&n.origin};return ke(e,"beforeSelectionChange",e,r),e.cm&&ke(e.cm,"beforeSelectionChange",e.cm,r),r.ranges!=t.ranges?di(e.cm,r.ranges,r.ranges.length-1):t}function Ui(e,t,n){var r=e.history.done,o=ee(r);o&&o.ranges?(r[r.length-1]=t,Wi(e,t,n)):$i(e,t,n)}function $i(e,t,n){Wi(e,t,n),Li(e,e.sel,e.cm?e.cm.curOp.id:NaN,n)}function Wi(e,t,n){(Ce(e,"beforeSelectionChange")||e.cm&&Ce(e.cm,"beforeSelectionChange"))&&(t=qi(e,t,n));var r=n&&n.bias||(ut(t.primary().head,e.sel.primary().head)<0?-1:1);Gi(e,Yi(e,t,r,!0)),n&&!1===n.scroll||!e.cm||"nocursor"==e.cm.getOption("readOnly")||ho(e.cm)}function Gi(e,t){t.equals(e.sel)||(e.sel=t,e.cm&&(e.cm.curOp.updateInput=1,e.cm.curOp.selectionChanged=!0,Ae(e.cm)),Tn(e,"cursorActivity",e))}function Ki(e){Gi(e,Yi(e,e.sel,null,!1))}function Yi(e,t,n,r){for(var o,i=0;i<t.ranges.length;i++){var a=t.ranges[i],l=t.ranges.length==e.sel.ranges.length&&e.sel.ranges[i],s=Ji(e,a.anchor,l&&l.anchor,n,r),c=a.head==a.anchor?s:Ji(e,a.head,l&&l.head,n,r);(o||s!=a.anchor||c!=a.head)&&(o||(o=t.ranges.slice(0,i)),o[i]=new ui(s,c))}return o?di(e.cm,o,t.primIndex):t}function Xi(e,t,n,r,o){var i=tt(e,t.line);if(i.markedSpans)for(var a=0;a<i.markedSpans.length;++a){var l=i.markedSpans[a],s=l.marker,c="selectLeft"in s?!s.selectLeft:s.inclusiveLeft,u="selectRight"in s?!s.selectRight:s.inclusiveRight;if((null==l.from||(c?l.from<=t.ch:l.from<t.ch))&&(null==l.to||(u?l.to>=t.ch:l.to>t.ch))){if(o&&(ke(s,"beforeCursorEnter"),s.explicitlyCleared)){if(i.markedSpans){--a;continue}break}if(!s.atomic)continue;if(n){var d=s.find(r<0?1:-1),h=void 0;if((r<0?u:c)&&(d=Qi(e,d,-r,d&&d.line==t.line?i:null)),d&&d.line==t.line&&(h=ut(d,n))&&(r<0?h<0:h>0))return Xi(e,d,t,r,o)}var p=s.find(r<0?-1:1);return(r<0?c:u)&&(p=Qi(e,p,r,p.line==t.line?i:null)),p?Xi(e,p,t,r,o):null}}return t}function Ji(e,t,n,r,o){var i=r||1,a=Xi(e,t,n,i,o)||!o&&Xi(e,t,n,i,!0)||Xi(e,t,n,-i,o)||!o&&Xi(e,t,n,-i,!0);return a||(e.cantEdit=!0,ct(e.first,0))}function Qi(e,t,n,r){return n<0&&0==t.ch?t.line>e.first?vt(e,ct(t.line-1)):null:n>0&&t.ch==(r||tt(e,t.line)).text.length?t.line<e.first+e.size-1?ct(t.line+1,0):null:new ct(t.line,t.ch+n)}function ea(e){e.setSelection(ct(e.firstLine(),0),ct(e.lastLine()),G)}function ta(e,t,n){var r={canceled:!1,from:t.from,to:t.to,text:t.text,origin:t.origin,cancel:function(){return r.canceled=!0}};return n&&(r.update=function(t,n,o,i){t&&(r.from=vt(e,t)),n&&(r.to=vt(e,n)),o&&(r.text=o),void 0!==i&&(r.origin=i)}),ke(e,"beforeChange",e,r),e.cm&&ke(e.cm,"beforeChange",e.cm,r),r.canceled?(e.cm&&(e.cm.curOp.updateInput=2),null):{from:r.from,to:r.to,text:r.text,origin:r.origin}}function na(e,t,n){if(e.cm){if(!e.cm.curOp)return Do(e.cm,na)(e,t,n);if(e.cm.state.suppressEdits)return}if(!(Ce(e,"beforeChange")||e.cm&&Ce(e.cm,"beforeChange"))||(t=ta(e,t,!0))){var r=Tt&&!n&&Ut(e,t.from,t.to);if(r)for(var o=r.length-1;o>=0;--o)ra(e,{from:r[o].from,to:r[o].to,text:o?[""]:t.text,origin:t.origin});else ra(e,t)}}function ra(e,t){if(1!=t.text.length||""!=t.text[0]||0!=ut(t.from,t.to)){var n=mi(e,t);Ni(e,t,n,e.cm?e.cm.curOp.id:NaN),aa(e,t,n,zt(e,t));var r=[];ki(e,(function(e,n){n||-1!=U(r,e.history)||(da(e.history,t),r.push(e.history)),aa(e,t,null,zt(e,t))}))}}function oa(e,t,n){var r=e.cm&&e.cm.state.suppressEdits;if(!r||n){for(var o,i=e.history,a=e.sel,l="undo"==t?i.done:i.undone,s="undo"==t?i.undone:i.done,c=0;c<l.length&&(o=l[c],n?!o.ranges||o.equals(e.sel):o.ranges);c++);if(c!=l.length){for(i.lastOrigin=i.lastSelOrigin=null;;){if(!(o=l.pop()).ranges){if(r)return void l.push(o);break}if(Ti(o,s),n&&!o.equals(e.sel))return void $i(e,o,{clearRedo:!1});a=o}var u=[];Ti(a,s),s.push({changes:u,generation:i.generation}),i.generation=o.generation||++i.maxGeneration;for(var d=Ce(e,"beforeChange")||e.cm&&Ce(e.cm,"beforeChange"),h=function(n){var r=o.changes[n];if(r.origin=t,d&&!ta(e,r,!1))return l.length=0,{};u.push(Mi(e,r));var i=n?mi(e,r):ee(l);aa(e,r,i,Di(e,r)),!n&&e.cm&&e.cm.scrollIntoView({from:r.from,to:pi(r)});var a=[];ki(e,(function(e,t){t||-1!=U(a,e.history)||(da(e.history,r),a.push(e.history)),aa(e,r,null,Di(e,r))}))},p=o.changes.length-1;p>=0;--p){var f=h(p);if(f)return f.v}}}}function ia(e,t){if(0!=t&&(e.first+=t,e.sel=new ci(te(e.sel.ranges,(function(e){return new ui(ct(e.anchor.line+t,e.anchor.ch),ct(e.head.line+t,e.head.ch))})),e.sel.primIndex),e.cm)){jr(e.cm,e.first,e.first-t,t);for(var n=e.cm.display,r=n.viewFrom;r<n.viewTo;r++)Fr(e.cm,r,"gutter")}}function aa(e,t,n,r){if(e.cm&&!e.cm.curOp)return Do(e.cm,aa)(e,t,n,r);if(t.to.line<e.first)ia(e,t.text.length-1-(t.to.line-t.from.line));else if(!(t.from.line>e.lastLine())){if(t.from.line<e.first){var o=t.text.length-1-(e.first-t.from.line);ia(e,o),t={from:ct(e.first,0),to:ct(t.to.line+o,t.to.ch),text:[ee(t.text)],origin:t.origin}}var i=e.lastLine();t.to.line>i&&(t={from:t.from,to:ct(i,tt(e,i).text.length),text:[t.text[0]],origin:t.origin}),t.removed=nt(e,t.from,t.to),n||(n=mi(e,t)),e.cm?la(e.cm,t,r):xi(e,t,r),Wi(e,n,G),e.cantEdit&&Ji(e,ct(e.firstLine(),0))&&(e.cantEdit=!1)}}function la(e,t,n){var r=e.doc,o=e.display,i=t.from,a=t.to,l=!1,s=i.line;e.options.lineWrapping||(s=it(nn(tt(r,i.line))),r.iter(s,a.line+1,(function(e){if(e==o.maxLine)return l=!0,!0}))),r.sel.contains(t.from,t.to)>-1&&Ae(e),xi(r,t,n,Dr(e)),e.options.lineWrapping||(r.iter(s,i.line+t.text.length,(function(e){var t=dn(e);t>o.maxLineLength&&(o.maxLine=e,o.maxLineLength=t,o.maxLineChanged=!0,l=!1)})),l&&(e.curOp.updateMaxLine=!0)),Lt(r,i.line),Po(e,400);var c=t.text.length-(a.line-i.line)-1;t.full?jr(e):i.line!=a.line||1!=t.text.length||bi(e.doc,t)?jr(e,i.line,a.line+1,c):Fr(e,i.line,"text");var u=Ce(e,"changes"),d=Ce(e,"change");if(d||u){var h={from:i,to:a,text:t.text,removed:t.removed,origin:t.origin};d&&Tn(e,"change",e,h),u&&(e.curOp.changeObjs||(e.curOp.changeObjs=[])).push(h)}e.display.selForContextMenu=null}function sa(e,t,n,r,o){var i;r||(r=n),ut(r,n)<0&&(n=(i=[r,n])[0],r=i[1]),"string"==typeof t&&(t=e.splitLines(t)),na(e,{from:n,to:r,text:t,origin:o})}function ca(e,t,n,r){n<e.line?e.line+=r:t<e.line&&(e.line=t,e.ch=0)}function ua(e,t,n,r){for(var o=0;o<e.length;++o){var i=e[o],a=!0;if(i.ranges){i.copied||((i=e[o]=i.deepCopy()).copied=!0);for(var l=0;l<i.ranges.length;l++)ca(i.ranges[l].anchor,t,n,r),ca(i.ranges[l].head,t,n,r)}else{for(var s=0;s<i.changes.length;++s){var c=i.changes[s];if(n<c.from.line)c.from=ct(c.from.line+r,c.from.ch),c.to=ct(c.to.line+r,c.to.ch);else if(t<=c.to.line){a=!1;break}}a||(e.splice(0,o+1),o=0)}}}function da(e,t){var n=t.from.line,r=t.to.line,o=t.text.length-(r-n)-1;ua(e.done,n,r,o),ua(e.undone,n,r,o)}function ha(e,t,n,r){var o=t,i=t;return"number"==typeof t?i=tt(e,mt(e,t)):o=it(t),null==o?null:(r(i,o)&&e.cm&&Fr(e.cm,o,n),i)}function pa(e){this.lines=e,this.parent=null;for(var t=0,n=0;n<e.length;++n)e[n].parent=this,t+=e[n].height;this.height=t}function fa(e){this.children=e;for(var t=0,n=0,r=0;r<e.length;++r){var o=e[r];t+=o.chunkSize(),n+=o.height,o.parent=this}this.size=t,this.height=n,this.parent=null}ui.prototype.from=function(){return ft(this.anchor,this.head)},ui.prototype.to=function(){return pt(this.anchor,this.head)},ui.prototype.empty=function(){return this.head.line==this.anchor.line&&this.head.ch==this.anchor.ch},pa.prototype={chunkSize:function(){return this.lines.length},removeInner:function(e,t){for(var n=e,r=e+t;n<r;++n){var o=this.lines[n];this.height-=o.height,mn(o),Tn(o,"delete")}this.lines.splice(e,t)},collapse:function(e){e.push.apply(e,this.lines)},insertInner:function(e,t,n){this.height+=n,this.lines=this.lines.slice(0,e).concat(t).concat(this.lines.slice(e));for(var r=0;r<t.length;++r)t[r].parent=this},iterN:function(e,t,n){for(var r=e+t;e<r;++e)if(n(this.lines[e]))return!0}},fa.prototype={chunkSize:function(){return this.size},removeInner:function(e,t){this.size-=t;for(var n=0;n<this.children.length;++n){var r=this.children[n],o=r.chunkSize();if(e<o){var i=Math.min(t,o-e),a=r.height;if(r.removeInner(e,i),this.height-=a-r.height,o==i&&(this.children.splice(n--,1),r.parent=null),0==(t-=i))break;e=0}else e-=o}if(this.size-t<25&&(this.children.length>1||!(this.children[0]instanceof pa))){var l=[];this.collapse(l),this.children=[new pa(l)],this.children[0].parent=this}},collapse:function(e){for(var t=0;t<this.children.length;++t)this.children[t].collapse(e)},insertInner:function(e,t,n){this.size+=t.length,this.height+=n;for(var r=0;r<this.children.length;++r){var o=this.children[r],i=o.chunkSize();if(e<=i){if(o.insertInner(e,t,n),o.lines&&o.lines.length>50){for(var a=o.lines.length%25+25,l=a;l<o.lines.length;){var s=new pa(o.lines.slice(l,l+=25));o.height-=s.height,this.children.splice(++r,0,s),s.parent=this}o.lines=o.lines.slice(0,a),this.maybeSpill()}break}e-=i}},maybeSpill:function(){if(!(this.children.length<=10)){var e=this;do{var t=new fa(e.children.splice(e.children.length-5,5));if(e.parent){e.size-=t.size,e.height-=t.height;var n=U(e.parent.children,e);e.parent.children.splice(n+1,0,t)}else{var r=new fa(e.children);r.parent=e,e.children=[r,t],e=r}t.parent=e.parent}while(e.children.length>10);e.parent.maybeSpill()}},iterN:function(e,t,n){for(var r=0;r<this.children.length;++r){var o=this.children[r],i=o.chunkSize();if(e<i){var a=Math.min(t,i-e);if(o.iterN(e,a,n))return!0;if(0==(t-=a))break;e=0}else e-=i}}};var ma=function(e,t,n){if(n)for(var r in n)n.hasOwnProperty(r)&&(this[r]=n[r]);this.doc=e,this.node=t};function va(e,t,n){un(t)<(e.curOp&&e.curOp.scrollTop||e.doc.scrollTop)&&uo(e,n)}function ga(e,t,n,r){var o=new ma(e,n,r),i=e.cm;return i&&o.noHScroll&&(i.display.alignWidgets=!0),ha(e,t,"widget",(function(t){var n=t.widgets||(t.widgets=[]);if(null==o.insertAt?n.push(o):n.splice(Math.min(n.length,Math.max(0,o.insertAt)),0,o),o.line=t,i&&!sn(e,t)){var r=un(t)<e.scrollTop;ot(t,t.height+Wn(o)),r&&uo(i,o.height),i.curOp.forceUpdate=!0}return!0})),i&&Tn(i,"lineWidgetAdded",i,o,"number"==typeof t?t:it(t)),o}ma.prototype.clear=function(){var e=this.doc.cm,t=this.line.widgets,n=this.line,r=it(n);if(null!=r&&t){for(var o=0;o<t.length;++o)t[o]==this&&t.splice(o--,1);t.length||(n.widgets=null);var i=Wn(this);ot(n,Math.max(0,n.height-i)),e&&(Oo(e,(function(){va(e,n,-i),Fr(e,r,"widget")})),Tn(e,"lineWidgetCleared",e,this,r))}},ma.prototype.changed=function(){var e=this,t=this.height,n=this.doc.cm,r=this.line;this.height=null;var o=Wn(this)-t;o&&(sn(this.doc,r)||ot(r,r.height+o),n&&Oo(n,(function(){n.curOp.forceUpdate=!0,va(n,r,o),Tn(n,"lineWidgetChanged",n,e,it(r))})))},Be(ma);var wa=0,ya=function(e,t){this.lines=[],this.type=t,this.doc=e,this.id=++wa};function ba(e,t,n,r,o){if(r&&r.shared)return ka(e,t,n,r,o);if(e.cm&&!e.cm.curOp)return Do(e.cm,ba)(e,t,n,r,o);var i=new ya(e,o),a=ut(t,n);if(r&&F(r,i,!1),a>0||0==a&&!1!==i.clearWhenEmpty)return i;if(i.replacedWith&&(i.collapsed=!0,i.widgetNode=V("span",[i.replacedWith],"CodeMirror-widget"),r.handleMouseEvents||i.widgetNode.setAttribute("cm-ignore-events","true"),r.insertLeft&&(i.widgetNode.insertLeft=!0)),i.collapsed){if(tn(e,t.line,t,n,i)||t.line!=n.line&&tn(e,n.line,t,n,i))throw new Error("Inserting collapsed marker partially overlapping an existing one");Ot()}i.addToHistory&&Ni(e,{from:t,to:n,origin:"markText"},e.sel,NaN);var l,s=t.line,c=e.cm;if(e.iter(s,n.line+1,(function(r){c&&i.collapsed&&!c.options.lineWrapping&&nn(r)==c.display.maxLine&&(l=!0),i.collapsed&&s!=t.line&&ot(r,0),Pt(r,new Dt(i,s==t.line?t.ch:null,s==n.line?n.ch:null),e.cm&&e.cm.curOp),++s})),i.collapsed&&e.iter(t.line,n.line+1,(function(t){sn(e,t)&&ot(t,0)})),i.clearOnEnter&&ye(i,"beforeCursorEnter",(function(){return i.clear()})),i.readOnly&&(Zt(),(e.history.done.length||e.history.undone.length)&&e.clearHistory()),i.collapsed&&(i.id=++wa,i.atomic=!0),c){if(l&&(c.curOp.updateMaxLine=!0),i.collapsed)jr(c,t.line,n.line+1);else if(i.className||i.startStyle||i.endStyle||i.css||i.attributes||i.title)for(var u=t.line;u<=n.line;u++)Fr(c,u,"text");i.atomic&&Ki(c.doc),Tn(c,"markerAdded",c,i)}return i}ya.prototype.clear=function(){if(!this.explicitlyCleared){var e=this.doc.cm,t=e&&!e.curOp;if(t&&_o(e),Ce(this,"clear")){var n=this.find();n&&Tn(this,"clear",n.from,n.to)}for(var r=null,o=null,i=0;i<this.lines.length;++i){var a=this.lines[i],l=Rt(a.markedSpans,this);e&&!this.collapsed?Fr(e,it(a),"text"):e&&(null!=l.to&&(o=it(a)),null!=l.from&&(r=it(a))),a.markedSpans=Ht(a.markedSpans,l),null==l.from&&this.collapsed&&!sn(this.doc,a)&&e&&ot(a,Tr(e.display))}if(e&&this.collapsed&&!e.options.lineWrapping)for(var s=0;s<this.lines.length;++s){var c=nn(this.lines[s]),u=dn(c);u>e.display.maxLineLength&&(e.display.maxLine=c,e.display.maxLineLength=u,e.display.maxLineChanged=!0)}null!=r&&e&&this.collapsed&&jr(e,r,o+1),this.lines.length=0,this.explicitlyCleared=!0,this.atomic&&this.doc.cantEdit&&(this.doc.cantEdit=!1,e&&Ki(e.doc)),e&&Tn(e,"markerCleared",e,this,r,o),t&&So(e),this.parent&&this.parent.clear()}},ya.prototype.find=function(e,t){var n,r;null==e&&"bookmark"==this.type&&(e=1);for(var o=0;o<this.lines.length;++o){var i=this.lines[o],a=Rt(i.markedSpans,this);if(null!=a.from&&(n=ct(t?i:it(i),a.from),-1==e))return n;if(null!=a.to&&(r=ct(t?i:it(i),a.to),1==e))return r}return n&&{from:n,to:r}},ya.prototype.changed=function(){var e=this,t=this.find(-1,!0),n=this,r=this.doc.cm;t&&r&&Oo(r,(function(){var o=t.line,i=it(t.line),a=ir(r,i);if(a&&(fr(a),r.curOp.selectionChanged=r.curOp.forceUpdate=!0),r.curOp.updateMaxLine=!0,!sn(n.doc,o)&&null!=n.height){var l=n.height;n.height=null;var s=Wn(n)-l;s&&ot(o,o.height+s)}Tn(r,"markerChanged",r,e)}))},ya.prototype.attachLine=function(e){if(!this.lines.length&&this.doc.cm){var t=this.doc.cm.curOp;t.maybeHiddenMarkers&&-1!=U(t.maybeHiddenMarkers,this)||(t.maybeUnhiddenMarkers||(t.maybeUnhiddenMarkers=[])).push(this)}this.lines.push(e)},ya.prototype.detachLine=function(e){if(this.lines.splice(U(this.lines,e),1),!this.lines.length&&this.doc.cm){var t=this.doc.cm.curOp;(t.maybeHiddenMarkers||(t.maybeHiddenMarkers=[])).push(this)}},Be(ya);var xa=function(e,t){this.markers=e,this.primary=t;for(var n=0;n<e.length;++n)e[n].parent=this};function ka(e,t,n,r,o){(r=F(r)).shared=!1;var i=[ba(e,t,n,r,o)],a=i[0],l=r.widgetNode;return ki(e,(function(e){l&&(r.widgetNode=l.cloneNode(!0)),i.push(ba(e,vt(e,t),vt(e,n),r,o));for(var s=0;s<e.linked.length;++s)if(e.linked[s].isParent)return;a=ee(i)})),new xa(i,a)}function Ea(e){return e.findMarks(ct(e.first,0),e.clipPos(ct(e.lastLine())),(function(e){return e.parent}))}function Aa(e,t){for(var n=0;n<t.length;n++){var r=t[n],o=r.find(),i=e.clipPos(o.from),a=e.clipPos(o.to);if(ut(i,a)){var l=ba(e,i,a,r.primary,r.primary.type);r.markers.push(l),l.parent=r}}}function Ca(e){for(var t=function(t){var n=e[t],r=[n.primary.doc];ki(n.primary.doc,(function(e){return r.push(e)}));for(var o=0;o<n.markers.length;o++){var i=n.markers[o];-1==U(r,i.doc)&&(i.parent=null,n.markers.splice(o--,1))}},n=0;n<e.length;n++)t(n)}xa.prototype.clear=function(){if(!this.explicitlyCleared){this.explicitlyCleared=!0;for(var e=0;e<this.markers.length;++e)this.markers[e].clear();Tn(this,"clear")}},xa.prototype.find=function(e,t){return this.primary.find(e,t)},Be(xa);var Ba=0,Ma=function(e,t,n,r,o){if(!(this instanceof Ma))return new Ma(e,t,n,r,o);null==n&&(n=0),fa.call(this,[new pa([new pn("",null)])]),this.first=n,this.scrollTop=this.scrollLeft=0,this.cantEdit=!1,this.cleanGeneration=1,this.modeFrontier=this.highlightFrontier=n;var i=ct(n,0);this.sel=hi(i),this.history=new Bi(null),this.id=++Ba,this.modeOption=t,this.lineSep=r,this.direction="rtl"==o?"rtl":"ltr",this.extend=!1,"string"==typeof e&&(e=this.splitLines(e)),xi(this,{from:i,to:i,text:e}),$i(this,hi(i),G)};Ma.prototype=oe(fa.prototype,{constructor:Ma,iter:function(e,t,n){n?this.iterN(e-this.first,t-e,n):this.iterN(this.first,this.first+this.size,e)},insert:function(e,t){for(var n=0,r=0;r<t.length;++r)n+=t[r].height;this.insertInner(e-this.first,t,n)},remove:function(e,t){this.removeInner(e-this.first,t)},getValue:function(e){var t=rt(this,this.first,this.first+this.size);return!1===e?t:t.join(e||this.lineSeparator())},setValue:Ho((function(e){var t=ct(this.first,0),n=this.first+this.size-1;na(this,{from:t,to:ct(n,tt(this,n).text.length),text:this.splitLines(e),origin:"setValue",full:!0},!0),this.cm&&po(this.cm,0,0),$i(this,hi(t),G)})),replaceRange:function(e,t,n,r){sa(this,e,t=vt(this,t),n=n?vt(this,n):t,r)},getRange:function(e,t,n){var r=nt(this,vt(this,e),vt(this,t));return!1===n?r:""===n?r.join(""):r.join(n||this.lineSeparator())},getLine:function(e){var t=this.getLineHandle(e);return t&&t.text},getLineHandle:function(e){if(lt(this,e))return tt(this,e)},getLineNumber:function(e){return it(e)},getLineHandleVisualStart:function(e){return"number"==typeof e&&(e=tt(this,e)),nn(e)},lineCount:function(){return this.size},firstLine:function(){return this.first},lastLine:function(){return this.first+this.size-1},clipPos:function(e){return vt(this,e)},getCursor:function(e){var t=this.sel.primary();return null==e||"head"==e?t.head:"anchor"==e?t.anchor:"end"==e||"to"==e||!1===e?t.to():t.from()},listSelections:function(){return this.sel.ranges},somethingSelected:function(){return this.sel.somethingSelected()},setCursor:Ho((function(e,t,n){zi(this,vt(this,"number"==typeof e?ct(e,t||0):e),null,n)})),setSelection:Ho((function(e,t,n){zi(this,vt(this,e),vt(this,t||e),n)})),extendSelection:Ho((function(e,t,n){Pi(this,vt(this,e),t&&vt(this,t),n)})),extendSelections:Ho((function(e,t){ji(this,wt(this,e),t)})),extendSelectionsBy:Ho((function(e,t){ji(this,wt(this,te(this.sel.ranges,e)),t)})),setSelections:Ho((function(e,t,n){if(e.length){for(var r=[],o=0;o<e.length;o++)r[o]=new ui(vt(this,e[o].anchor),vt(this,e[o].head||e[o].anchor));null==t&&(t=Math.min(e.length-1,this.sel.primIndex)),$i(this,di(this.cm,r,t),n)}})),addSelection:Ho((function(e,t,n){var r=this.sel.ranges.slice(0);r.push(new ui(vt(this,e),vt(this,t||e))),$i(this,di(this.cm,r,r.length-1),n)})),getSelection:function(e){for(var t,n=this.sel.ranges,r=0;r<n.length;r++){var o=nt(this,n[r].from(),n[r].to());t=t?t.concat(o):o}return!1===e?t:t.join(e||this.lineSeparator())},getSelections:function(e){for(var t=[],n=this.sel.ranges,r=0;r<n.length;r++){var o=nt(this,n[r].from(),n[r].to());!1!==e&&(o=o.join(e||this.lineSeparator())),t[r]=o}return t},replaceSelection:function(e,t,n){for(var r=[],o=0;o<this.sel.ranges.length;o++)r[o]=e;this.replaceSelections(r,t,n||"+input")},replaceSelections:Ho((function(e,t,n){for(var r=[],o=this.sel,i=0;i<o.ranges.length;i++){var a=o.ranges[i];r[i]={from:a.from(),to:a.to(),text:this.splitLines(e[i]),origin:n}}for(var l=t&&"end"!=t&&gi(this,r,t),s=r.length-1;s>=0;s--)na(this,r[s]);l?Ui(this,l):this.cm&&ho(this.cm)})),undo:Ho((function(){oa(this,"undo")})),redo:Ho((function(){oa(this,"redo")})),undoSelection:Ho((function(){oa(this,"undo",!0)})),redoSelection:Ho((function(){oa(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.done.length;r++)e.done[r].ranges||++t;for(var o=0;o<e.undone.length;o++)e.undone[o].ranges||++n;return{undo:t,redo:n}},clearHistory:function(){var e=this;this.history=new Bi(this.history),ki(this,(function(t){return t.history=e.history}),!0)},markClean:function(){this.cleanGeneration=this.changeGeneration(!0)},changeGeneration:function(e){return e&&(this.history.lastOp=this.history.lastSelOp=this.history.lastOrigin=null),this.history.generation},isClean:function(e){return this.history.generation==(e||this.cleanGeneration)},getHistory:function(){return{done:Ri(this.history.done),undone:Ri(this.history.undone)}},setHistory:function(e){var t=this.history=new Bi(this.history);t.done=Ri(e.done.slice(0),null,!0),t.undone=Ri(e.undone.slice(0),null,!0)},setGutterMarker:Ho((function(e,t,n){return ha(this,e,"gutter",(function(e){var r=e.gutterMarkers||(e.gutterMarkers={});return r[t]=n,!n&&se(r)&&(e.gutterMarkers=null),!0}))})),clearGutter:Ho((function(e){var t=this;this.iter((function(n){n.gutterMarkers&&n.gutterMarkers[e]&&ha(t,n,"gutter",(function(){return n.gutterMarkers[e]=null,se(n.gutterMarkers)&&(n.gutterMarkers=null),!0}))}))})),lineInfo:function(e){var t;if("number"==typeof e){if(!lt(this,e))return null;if(t=e,!(e=tt(this,e)))return null}else if(null==(t=it(e)))return null;return{line:t,handle:e,text:e.text,gutterMarkers:e.gutterMarkers,textClass:e.textClass,bgClass:e.bgClass,wrapClass:e.wrapClass,widgets:e.widgets}},addLineClass:Ho((function(e,t,n){return ha(this,e,"gutter"==t?"gutter":"class",(function(e){var r="text"==t?"textClass":"background"==t?"bgClass":"gutter"==t?"gutterClass":"wrapClass";if(e[r]){if(C(n).test(e[r]))return!1;e[r]+=" "+n}else e[r]=n;return!0}))})),removeLineClass:Ho((function(e,t,n){return ha(this,e,"gutter"==t?"gutter":"class",(function(e){var r="text"==t?"textClass":"background"==t?"bgClass":"gutter"==t?"gutterClass":"wrapClass",o=e[r];if(!o)return!1;if(null==n)e[r]=null;else{var i=o.match(C(n));if(!i)return!1;var a=i.index+i[0].length;e[r]=o.slice(0,i.index)+(i.index&&a!=o.length?" ":"")+o.slice(a)||null}return!0}))})),addLineWidget:Ho((function(e,t,n){return ga(this,e,t,n)})),removeLineWidget:function(e){e.clear()},markText:function(e,t,n){return ba(this,vt(this,e),vt(this,t),n,n&&n.type||"range")},setBookmark:function(e,t){var n={replacedWith:t&&(null==t.nodeType?t.widget:t),insertLeft:t&&t.insertLeft,clearWhenEmpty:!1,shared:t&&t.shared,handleMouseEvents:t&&t.handleMouseEvents};return ba(this,e=vt(this,e),e,n,"bookmark")},findMarksAt:function(e){var t=[],n=tt(this,(e=vt(this,e)).line).markedSpans;if(n)for(var r=0;r<n.length;++r){var o=n[r];(null==o.from||o.from<=e.ch)&&(null==o.to||o.to>=e.ch)&&t.push(o.marker.parent||o.marker)}return t},findMarks:function(e,t,n){e=vt(this,e),t=vt(this,t);var r=[],o=e.line;return this.iter(e.line,t.line+1,(function(i){var a=i.markedSpans;if(a)for(var l=0;l<a.length;l++){var s=a[l];null!=s.to&&o==e.line&&e.ch>=s.to||null==s.from&&o!=e.line||null!=s.from&&o==t.line&&s.from>=t.ch||n&&!n(s.marker)||r.push(s.marker.parent||s.marker)}++o})),r},getAllMarks:function(){var e=[];return this.iter((function(t){var n=t.markedSpans;if(n)for(var r=0;r<n.length;++r)null!=n[r].from&&e.push(n[r].marker)})),e},posFromIndex:function(e){var t,n=this.first,r=this.lineSeparator().length;return this.iter((function(o){var i=o.text.length+r;if(i>e)return t=e,!0;e-=i,++n})),vt(this,ct(n,t))},indexFromPos:function(e){var t=(e=vt(this,e)).ch;if(e.line<this.first||e.ch<0)return 0;var n=this.lineSeparator().length;return this.iter(this.first,e.line,(function(e){t+=e.text.length+n})),t},copy:function(e){var t=new Ma(rt(this,this.first,this.first+this.size),this.modeOption,this.first,this.lineSep,this.direction);return t.scrollTop=this.scrollTop,t.scrollLeft=this.scrollLeft,t.sel=this.sel,t.extend=!1,e&&(t.history.undoDepth=this.history.undoDepth,t.setHistory(this.getHistory())),t},linkedDoc:function(e){e||(e={});var t=this.first,n=this.first+this.size;null!=e.from&&e.from>t&&(t=e.from),null!=e.to&&e.to<n&&(n=e.to);var r=new Ma(rt(this,t,n),e.mode||this.modeOption,t,this.lineSep,this.direction);return e.sharedHist&&(r.history=this.history),(this.linked||(this.linked=[])).push({doc:r,sharedHist:e.sharedHist}),r.linked=[{doc:this,isParent:!0,sharedHist:e.sharedHist}],Aa(r,Ea(this)),r},unlinkDoc:function(e){if(e instanceof jl&&(e=e.doc),this.linked)for(var t=0;t<this.linked.length;++t)if(this.linked[t].doc==e){this.linked.splice(t,1),e.unlinkDoc(this),Ca(Ea(this));break}if(e.history==this.history){var n=[e.id];ki(e,(function(e){return n.push(e.id)}),!0),e.history=new Bi(null),e.history.done=Ri(this.history.done,n),e.history.undone=Ri(this.history.undone,n)}},iterLinkedDocs:function(e){ki(this,e)},getMode:function(){return this.mode},getEditor:function(){return this.cm},splitLines:function(e){return this.lineSep?e.split(this.lineSep):Re(e)},lineSeparator:function(){return this.lineSep||"\n"},setDirection:Ho((function(e){"rtl"!=e&&(e="ltr"),e!=this.direction&&(this.direction=e,this.iter((function(e){return e.order=null})),this.cm&&Ci(this.cm))}))}),Ma.prototype.eachLine=Ma.prototype.iter;var _a=0;function Sa(e){var t=this;if(La(t),!Ee(t,e)&&!Gn(t.display,e)){Me(e),a&&(_a=+new Date);var n=Hr(t,e,!0),r=e.dataTransfer.files;if(n&&!t.isReadOnly())if(r&&r.length&&window.FileReader&&window.File)for(var o=r.length,i=Array(o),l=0,s=function(){++l==o&&Do(t,(function(){var e={from:n=vt(t.doc,n),to:n,text:t.doc.splitLines(i.filter((function(e){return null!=e})).join(t.doc.lineSeparator())),origin:"paste"};na(t.doc,e),Ui(t.doc,hi(vt(t.doc,n),vt(t.doc,pi(e))))}))()},c=function(e,n){if(t.options.allowDropFileTypes&&-1==U(t.options.allowDropFileTypes,e.type))s();else{var r=new FileReader;r.onerror=function(){return s()},r.onload=function(){var e=r.result;/[\x00-\x08\x0e-\x1f]{2}/.test(e)||(i[n]=e),s()},r.readAsText(e)}},u=0;u<r.length;u++)c(r[u],u);else{if(t.state.draggingText&&t.doc.sel.contains(n)>-1)return t.state.draggingText(e),void setTimeout((function(){return t.display.input.focus()}),20);try{var d=e.dataTransfer.getData("Text");if(d){var h;if(t.state.draggingText&&!t.state.draggingText.copy&&(h=t.listSelections()),Wi(t.doc,hi(n,n)),h)for(var p=0;p<h.length;++p)sa(t.doc,"",h[p].anchor,h[p].head,"drag");t.replaceSelection(d,"around","paste"),t.display.input.focus()}}catch(e){}}}}function Na(e,t){if(a&&(!e.state.draggingText||+new Date-_a<100))Ne(t);else if(!Ee(e,t)&&!Gn(e.display,t)&&(t.dataTransfer.setData("Text",e.getSelection()),t.dataTransfer.effectAllowed="copyMove",t.dataTransfer.setDragImage&&!p)){var n=N("img",null,null,"position: fixed; left: 0; top: 0;");n.src="data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==",h&&(n.width=n.height=1,e.display.wrapper.appendChild(n),n._top=n.offsetTop),t.dataTransfer.setDragImage(n,0,0),h&&n.parentNode.removeChild(n)}}function Va(e,t){var n=Hr(e,t);if(n){var r=document.createDocumentFragment();Kr(e,n,r),e.display.dragCursor||(e.display.dragCursor=N("div",null,"CodeMirror-cursors CodeMirror-dragcursors"),e.display.lineSpace.insertBefore(e.display.dragCursor,e.display.cursorDiv)),S(e.display.dragCursor,r)}}function La(e){e.display.dragCursor&&(e.display.lineSpace.removeChild(e.display.dragCursor),e.display.dragCursor=null)}function Ta(e){if(document.getElementsByClassName){for(var t=document.getElementsByClassName("CodeMirror"),n=[],r=0;r<t.length;r++){var o=t[r].CodeMirror;o&&n.push(o)}n.length&&n[0].operation((function(){for(var t=0;t<n.length;t++)e(n[t])}))}}var Ia=!1;function Za(){Ia||(Oa(),Ia=!0)}function Oa(){var e;ye(window,"resize",(function(){null==e&&(e=setTimeout((function(){e=null,Ta(Da)}),100))})),ye(window,"blur",(function(){return Ta(no)}))}function Da(e){var t=e.display;t.cachedCharWidth=t.cachedTextHeight=t.cachedPaddingH=null,t.scrollbarsClipped=!1,e.setSize()}for(var Ra={3:"Pause",8:"Backspace",9:"Tab",13:"Enter",16:"Shift",17:"Ctrl",18:"Alt",19:"Pause",20:"CapsLock",27:"Esc",32:"Space",33:"PageUp",34:"PageDown",35:"End",36:"Home",37:"Left",38:"Up",39:"Right",40:"Down",44:"PrintScrn",45:"Insert",46:"Delete",59:";",61:"=",91:"Mod",92:"Mod",93:"Mod",106:"*",107:"=",109:"-",110:".",111:"/",145:"ScrollLock",173:"-",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'",224:"Mod",63232:"Up",63233:"Down",63234:"Left",63235:"Right",63272:"Delete",63273:"Home",63275:"End",63276:"PageUp",63277:"PageDown",63302:"Insert"},Ha=0;Ha<10;Ha++)Ra[Ha+48]=Ra[Ha+96]=String(Ha);for(var Pa=65;Pa<=90;Pa++)Ra[Pa]=String.fromCharCode(Pa);for(var ja=1;ja<=12;ja++)Ra[ja+111]=Ra[ja+63235]="F"+ja;var Fa={};function za(e){var t,n,r,o,i=e.split(/-(?!$)/);e=i[i.length-1];for(var a=0;a<i.length-1;a++){var l=i[a];if(/^(cmd|meta|m)$/i.test(l))o=!0;else if(/^a(lt)?$/i.test(l))t=!0;else if(/^(c|ctrl|control)$/i.test(l))n=!0;else{if(!/^s(hift)?$/i.test(l))throw new Error("Unrecognized modifier name: "+l);r=!0}}return t&&(e="Alt-"+e),n&&(e="Ctrl-"+e),o&&(e="Cmd-"+e),r&&(e="Shift-"+e),e}function qa(e){var t={};for(var n in e)if(e.hasOwnProperty(n)){var r=e[n];if(/^(name|fallthrough|(de|at)tach)$/.test(n))continue;if("..."==r){delete e[n];continue}for(var o=te(n.split(" "),za),i=0;i<o.length;i++){var a=void 0,l=void 0;i==o.length-1?(l=o.join(" "),a=r):(l=o.slice(0,i+1).join(" "),a="...");var s=t[l];if(s){if(s!=a)throw new Error("Inconsistent bindings for "+l)}else t[l]=a}delete e[n]}for(var c in t)e[c]=t[c];return e}function Ua(e,t,n,r){var o=(t=Ka(t)).call?t.call(e,r):t[e];if(!1===o)return"nothing";if("..."===o)return"multi";if(null!=o&&n(o))return"handled";if(t.fallthrough){if("[object Array]"!=Object.prototype.toString.call(t.fallthrough))return Ua(e,t.fallthrough,n,r);for(var i=0;i<t.fallthrough.length;i++){var a=Ua(e,t.fallthrough[i],n,r);if(a)return a}}}function $a(e){var t="string"==typeof e?e:Ra[e.keyCode];return"Ctrl"==t||"Alt"==t||"Shift"==t||"Mod"==t}function Wa(e,t,n){var r=e;return t.altKey&&"Alt"!=r&&(e="Alt-"+e),(E?t.metaKey:t.ctrlKey)&&"Ctrl"!=r&&(e="Ctrl-"+e),(E?t.ctrlKey:t.metaKey)&&"Mod"!=r&&(e="Cmd-"+e),!n&&t.shiftKey&&"Shift"!=r&&(e="Shift-"+e),e}function Ga(e,t){if(h&&34==e.keyCode&&e.char)return!1;var n=Ra[e.keyCode];return null!=n&&!e.altGraphKey&&(3==e.keyCode&&e.code&&(n=e.code),Wa(n,e,t))}function Ka(e){return"string"==typeof e?Fa[e]:e}function Ya(e,t){for(var n=e.doc.sel.ranges,r=[],o=0;o<n.length;o++){for(var i=t(n[o]);r.length&&ut(i.from,ee(r).to)<=0;){var a=r.pop();if(ut(a.from,i.from)<0){i.from=a.from;break}}r.push(i)}Oo(e,(function(){for(var t=r.length-1;t>=0;t--)sa(e.doc,"",r[t].from,r[t].to,"+delete");ho(e)}))}function Xa(e,t,n){var r=de(e.text,t+n,n);return r<0||r>e.text.length?null:r}function Ja(e,t,n){var r=Xa(e,t.ch,n);return null==r?null:new ct(t.line,r,n<0?"after":"before")}function Qa(e,t,n,r,o){if(e){"rtl"==t.doc.direction&&(o=-o);var i=ge(n,t.doc.direction);if(i){var a,l=o<0?ee(i):i[0],s=o<0==(1==l.level)?"after":"before";if(l.level>0||"rtl"==t.doc.direction){var c=ar(t,n);a=o<0?n.text.length-1:0;var u=lr(t,c,a).top;a=he((function(e){return lr(t,c,e).top==u}),o<0==(1==l.level)?l.from:l.to-1,a),"before"==s&&(a=Xa(n,a,1))}else a=o<0?l.to:l.from;return new ct(r,a,s)}}return new ct(r,o<0?n.text.length:0,o<0?"before":"after")}function el(e,t,n,r){var o=ge(t,e.doc.direction);if(!o)return Ja(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 i=me(o,n.ch,n.sticky),a=o[i];if("ltr"==e.doc.direction&&a.level%2==0&&(r>0?a.to>n.ch:a.from<n.ch))return Ja(t,n,r);var l,s=function(e,n){return Xa(t,e instanceof ct?e.ch:e,n)},c=function(n){return e.options.lineWrapping?(l=l||ar(e,t),_r(e,t,l,n)):{begin:0,end:t.text.length}},u=c("before"==n.sticky?s(n,-1):n.ch);if("rtl"==e.doc.direction||1==a.level){var d=1==a.level==r<0,h=s(n,d?1:-1);if(null!=h&&(d?h<=a.to&&h<=u.end:h>=a.from&&h>=u.begin)){var p=d?"before":"after";return new ct(n.line,h,p)}}var f=function(e,t,r){for(var i=function(e,t){return t?new ct(n.line,s(e,1),"before"):new ct(n.line,e,"after")};e>=0&&e<o.length;e+=t){var a=o[e],l=t>0==(1!=a.level),c=l?r.begin:s(r.end,-1);if(a.from<=c&&c<a.to)return i(c,l);if(c=l?a.from:s(a.to,-1),r.begin<=c&&c<r.end)return i(c,l)}},m=f(i+r,r,u);if(m)return m;var v=r>0?u.end:s(u.begin,-1);return null==v||r>0&&v==t.text.length||!(m=f(r>0?0:o.length-1,r,c(v)))?null:m}Fa.basic={Left:"goCharLeft",Right:"goCharRight",Up:"goLineUp",Down:"goLineDown",End:"goLineEnd",Home:"goLineStartSmart",PageUp:"goPageUp",PageDown:"goPageDown",Delete:"delCharAfter",Backspace:"delCharBefore","Shift-Backspace":"delCharBefore",Tab:"defaultTab","Shift-Tab":"indentAuto",Enter:"newlineAndIndent",Insert:"toggleOverwrite",Esc:"singleSelection"},Fa.pcDefault={"Ctrl-A":"selectAll","Ctrl-D":"deleteLine","Ctrl-Z":"undo","Shift-Ctrl-Z":"redo","Ctrl-Y":"redo","Ctrl-Home":"goDocStart","Ctrl-End":"goDocEnd","Ctrl-Up":"goLineUp","Ctrl-Down":"goLineDown","Ctrl-Left":"goGroupLeft","Ctrl-Right":"goGroupRight","Alt-Left":"goLineStart","Alt-Right":"goLineEnd","Ctrl-Backspace":"delGroupBefore","Ctrl-Delete":"delGroupAfter","Ctrl-S":"save","Ctrl-F":"find","Ctrl-G":"findNext","Shift-Ctrl-G":"findPrev","Shift-Ctrl-F":"replace","Shift-Ctrl-R":"replaceAll","Ctrl-[":"indentLess","Ctrl-]":"indentMore","Ctrl-U":"undoSelection","Shift-Ctrl-U":"redoSelection","Alt-U":"redoSelection",fallthrough:"basic"},Fa.emacsy={"Ctrl-F":"goCharRight","Ctrl-B":"goCharLeft","Ctrl-P":"goLineUp","Ctrl-N":"goLineDown","Ctrl-A":"goLineStart","Ctrl-E":"goLineEnd","Ctrl-V":"goPageDown","Shift-Ctrl-V":"goPageUp","Ctrl-D":"delCharAfter","Ctrl-H":"delCharBefore","Alt-Backspace":"delWordBefore","Ctrl-K":"killLine","Ctrl-T":"transposeChars","Ctrl-O":"openLine"},Fa.macDefault={"Cmd-A":"selectAll","Cmd-D":"deleteLine","Cmd-Z":"undo","Shift-Cmd-Z":"redo","Cmd-Y":"redo","Cmd-Home":"goDocStart","Cmd-Up":"goDocStart","Cmd-End":"goDocEnd","Cmd-Down":"goDocEnd","Alt-Left":"goGroupLeft","Alt-Right":"goGroupRight","Cmd-Left":"goLineLeft","Cmd-Right":"goLineRight","Alt-Backspace":"delGroupBefore","Ctrl-Alt-Backspace":"delGroupAfter","Alt-Delete":"delGroupAfter","Cmd-S":"save","Cmd-F":"find","Cmd-G":"findNext","Shift-Cmd-G":"findPrev","Cmd-Alt-F":"replace","Shift-Cmd-Alt-F":"replaceAll","Cmd-[":"indentLess","Cmd-]":"indentMore","Cmd-Backspace":"delWrappedLineLeft","Cmd-Delete":"delWrappedLineRight","Cmd-U":"undoSelection","Shift-Cmd-U":"redoSelection","Ctrl-Up":"goDocStart","Ctrl-Down":"goDocEnd",fallthrough:["basic","emacsy"]},Fa.default=y?Fa.macDefault:Fa.pcDefault;var tl={selectAll:ea,singleSelection:function(e){return e.setSelection(e.getCursor("anchor"),e.getCursor("head"),G)},killLine:function(e){return Ya(e,(function(t){if(t.empty()){var n=tt(e.doc,t.head.line).text.length;return t.head.ch==n&&t.head.line<e.lastLine()?{from:t.head,to:ct(t.head.line+1,0)}:{from:t.head,to:ct(t.head.line,n)}}return{from:t.from(),to:t.to()}}))},deleteLine:function(e){return Ya(e,(function(t){return{from:ct(t.from().line,0),to:vt(e.doc,ct(t.to().line+1,0))}}))},delLineLeft:function(e){return Ya(e,(function(e){return{from:ct(e.from().line,0),to:e.from()}}))},delWrappedLineLeft:function(e){return Ya(e,(function(t){var n=e.charCoords(t.head,"div").top+5;return{from:e.coordsChar({left:0,top:n},"div"),to:t.from()}}))},delWrappedLineRight:function(e){return Ya(e,(function(t){var n=e.charCoords(t.head,"div").top+5,r=e.coordsChar({left:e.display.lineDiv.offsetWidth+100,top:n},"div");return{from:t.from(),to:r}}))},undo:function(e){return e.undo()},redo:function(e){return e.redo()},undoSelection:function(e){return e.undoSelection()},redoSelection:function(e){return e.redoSelection()},goDocStart:function(e){return e.extendSelection(ct(e.firstLine(),0))},goDocEnd:function(e){return e.extendSelection(ct(e.lastLine()))},goLineStart:function(e){return e.extendSelectionsBy((function(t){return nl(e,t.head.line)}),{origin:"+move",bias:1})},goLineStartSmart:function(e){return e.extendSelectionsBy((function(t){return ol(e,t.head)}),{origin:"+move",bias:1})},goLineEnd:function(e){return e.extendSelectionsBy((function(t){return rl(e,t.head.line)}),{origin:"+move",bias:-1})},goLineRight:function(e){return e.extendSelectionsBy((function(t){var n=e.cursorCoords(t.head,"div").top+5;return e.coordsChar({left:e.display.lineDiv.offsetWidth+100,top:n},"div")}),Y)},goLineLeft:function(e){return e.extendSelectionsBy((function(t){var n=e.cursorCoords(t.head,"div").top+5;return e.coordsChar({left:0,top:n},"div")}),Y)},goLineLeftSmart:function(e){return e.extendSelectionsBy((function(t){var n=e.cursorCoords(t.head,"div").top+5,r=e.coordsChar({left:0,top:n},"div");return r.ch<e.getLine(r.line).search(/\S/)?ol(e,t.head):r}),Y)},goLineUp:function(e){return e.moveV(-1,"line")},goLineDown:function(e){return e.moveV(1,"line")},goPageUp:function(e){return e.moveV(-1,"page")},goPageDown:function(e){return e.moveV(1,"page")},goCharLeft:function(e){return e.moveH(-1,"char")},goCharRight:function(e){return e.moveH(1,"char")},goColumnLeft:function(e){return e.moveH(-1,"column")},goColumnRight:function(e){return e.moveH(1,"column")},goWordLeft:function(e){return e.moveH(-1,"word")},goGroupRight:function(e){return e.moveH(1,"group")},goGroupLeft:function(e){return e.moveH(-1,"group")},goWordRight:function(e){return e.moveH(1,"word")},delCharBefore:function(e){return e.deleteH(-1,"codepoint")},delCharAfter:function(e){return e.deleteH(1,"char")},delWordBefore:function(e){return e.deleteH(-1,"word")},delWordAfter:function(e){return e.deleteH(1,"word")},delGroupBefore:function(e){return e.deleteH(-1,"group")},delGroupAfter:function(e){return e.deleteH(1,"group")},indentAuto:function(e){return e.indentSelection("smart")},indentMore:function(e){return e.indentSelection("add")},indentLess:function(e){return e.indentSelection("subtract")},insertTab:function(e){return e.replaceSelection("\t")},insertSoftTab:function(e){for(var t=[],n=e.listSelections(),r=e.options.tabSize,o=0;o<n.length;o++){var i=n[o].from(),a=z(e.getLine(i.line),i.ch,r);t.push(Q(r-a%r))}e.replaceSelections(t)},defaultTab:function(e){e.somethingSelected()?e.indentSelection("add"):e.execCommand("insertTab")},transposeChars:function(e){return Oo(e,(function(){for(var t=e.listSelections(),n=[],r=0;r<t.length;r++)if(t[r].empty()){var o=t[r].head,i=tt(e.doc,o.line).text;if(i)if(o.ch==i.length&&(o=new ct(o.line,o.ch-1)),o.ch>0)o=new ct(o.line,o.ch+1),e.replaceRange(i.charAt(o.ch-1)+i.charAt(o.ch-2),ct(o.line,o.ch-2),o,"+transpose");else if(o.line>e.doc.first){var a=tt(e.doc,o.line-1).text;a&&(o=new ct(o.line,1),e.replaceRange(i.charAt(0)+e.doc.lineSeparator()+a.charAt(a.length-1),ct(o.line-1,a.length-1),o,"+transpose"))}n.push(new ui(o,o))}e.setSelections(n)}))},newlineAndIndent:function(e){return Oo(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;r<t.length;r++)e.indentLine(t[r].from().line,null,!0);ho(e)}))},openLine:function(e){return e.replaceSelection("\n","start")},toggleOverwrite:function(e){return e.toggleOverwrite()}};function nl(e,t){var n=tt(e.doc,t),r=nn(n);return r!=n&&(t=it(r)),Qa(!0,e,r,t,1)}function rl(e,t){var n=tt(e.doc,t),r=rn(n);return r!=n&&(t=it(r)),Qa(!0,e,n,t,-1)}function ol(e,t){var n=nl(e,t.line),r=tt(e.doc,n.line),o=ge(r,e.doc.direction);if(!o||0==o[0].level){var i=Math.max(n.ch,r.text.search(/\S/)),a=t.line==n.line&&t.ch<=i&&t.ch;return ct(n.line,a?0:i,n.sticky)}return n}function il(e,t,n){if("string"==typeof t&&!(t=tl[t]))return!1;e.display.input.ensurePolled();var r=e.display.shift,o=!1;try{e.isReadOnly()&&(e.state.suppressEdits=!0),n&&(e.display.shift=!1),o=t(e)!=W}finally{e.display.shift=r,e.state.suppressEdits=!1}return o}function al(e,t,n){for(var r=0;r<e.state.keyMaps.length;r++){var o=Ua(t,e.state.keyMaps[r],n,e);if(o)return o}return e.options.extraKeys&&Ua(t,e.options.extraKeys,n,e)||Ua(t,e.options.keyMap,n,e)}var ll=new q;function sl(e,t,n,r){var o=e.state.keySeq;if(o){if($a(t))return"handled";if(/\'$/.test(t)?e.state.keySeq=null:ll.set(50,(function(){e.state.keySeq==o&&(e.state.keySeq=null,e.display.input.reset())})),cl(e,o+" "+t,n,r))return!0}return cl(e,t,n,r)}function cl(e,t,n,r){var o=al(e,t,r);return"multi"==o&&(e.state.keySeq=t),"handled"==o&&Tn(e,"keyHandled",e,t,n),"handled"!=o&&"multi"!=o||(Me(n),Jr(e)),!!o}function ul(e,t){var n=Ga(t,!0);return!!n&&(t.shiftKey&&!e.state.keySeq?sl(e,"Shift-"+n,t,(function(t){return il(e,t,!0)}))||sl(e,n,t,(function(t){if("string"==typeof t?/^go[A-Z]/.test(t):t.motion)return il(e,t)})):sl(e,n,t,(function(t){return il(e,t)})))}function dl(e,t,n){return sl(e,"'"+n+"'",t,(function(t){return il(e,t,!0)}))}var hl=null;function pl(e){var t=this;if(!(e.target&&e.target!=t.display.input.getField()||(t.curOp.focus=T(R(t)),Ee(t,e)))){a&&l<11&&27==e.keyCode&&(e.returnValue=!1);var r=e.keyCode;t.display.shift=16==r||e.shiftKey;var o=ul(t,e);h&&(hl=o?r:null,o||88!=r||Pe||!(y?e.metaKey:e.ctrlKey)||t.replaceSelection("",null,"cut")),n&&!y&&!o&&46==r&&e.shiftKey&&!e.ctrlKey&&document.execCommand&&document.execCommand("cut"),18!=r||/\bCodeMirror-crosshair\b/.test(t.display.lineDiv.className)||fl(t)}}function fl(e){var t=e.display.lineDiv;function n(e){18!=e.keyCode&&e.altKey||(M(t,"CodeMirror-crosshair"),xe(document,"keyup",n),xe(document,"mouseover",n))}I(t,"CodeMirror-crosshair"),ye(document,"keyup",n),ye(document,"mouseover",n)}function ml(e){16==e.keyCode&&(this.doc.sel.shift=!1),Ee(this,e)}function vl(e){var t=this;if(!(e.target&&e.target!=t.display.input.getField()||Gn(t.display,e)||Ee(t,e)||e.ctrlKey&&!e.altKey||y&&e.metaKey)){var n=e.keyCode,r=e.charCode;if(h&&n==hl)return hl=null,void Me(e);if(!h||e.which&&!(e.which<10)||!ul(t,e)){var o=String.fromCharCode(null==r?n:r);"\b"!=o&&(dl(t,e,o)||t.display.input.onKeyPress(e))}}}var gl,wl,yl=400,bl=function(e,t,n){this.time=e,this.pos=t,this.button=n};function xl(e,t){var n=+new Date;return wl&&wl.compare(n,e,t)?(gl=wl=null,"triple"):gl&&gl.compare(n,e,t)?(wl=new bl(n,e,t),gl=null,"double"):(gl=new bl(n,e,t),wl=null,"single")}function kl(e){var t=this,n=t.display;if(!(Ee(t,e)||n.activeTouch&&n.input.supportsTouch()))if(n.input.ensurePolled(),n.shift=e.shiftKey,Gn(n,e))s||(n.scroller.draggable=!1,setTimeout((function(){return n.scroller.draggable=!0}),100));else if(!Vl(t,e)){var r=Hr(t,e),o=Le(e),i=r?xl(r,o):"single";P(t).focus(),1==o&&t.state.selectingText&&t.state.selectingText(e),r&&El(t,o,r,i,e)||(1==o?r?Cl(t,r,i,e):Ve(e)==n.scroller&&Me(e):2==o?(r&&Pi(t.doc,r),setTimeout((function(){return n.input.focus()}),20)):3==o&&(A?t.display.input.onContextMenu(e):eo(t)))}}function El(e,t,n,r,o){var i="Click";return"double"==r?i="Double"+i:"triple"==r&&(i="Triple"+i),sl(e,Wa(i=(1==t?"Left":2==t?"Middle":"Right")+i,o),o,(function(t){if("string"==typeof t&&(t=tl[t]),!t)return!1;var r=!1;try{e.isReadOnly()&&(e.state.suppressEdits=!0),r=t(e,n)!=W}finally{e.state.suppressEdits=!1}return r}))}function Al(e,t,n){var r=e.getOption("configureMouse"),o=r?r(e,t,n):{};if(null==o.unit){var i=b?n.shiftKey&&n.metaKey:n.altKey;o.unit=i?"rectangle":"single"==t?"char":"double"==t?"word":"line"}return(null==o.extend||e.doc.extend)&&(o.extend=e.doc.extend||n.shiftKey),null==o.addNew&&(o.addNew=y?n.metaKey:n.ctrlKey),null==o.moveOnDrag&&(o.moveOnDrag=!(y?n.altKey:n.ctrlKey)),o}function Cl(e,t,n,r){a?setTimeout(j(Qr,e),0):e.curOp.focus=T(R(e));var o,i=Al(e,n,r),l=e.doc.sel;e.options.dragDrop&&Ze&&!e.isReadOnly()&&"single"==n&&(o=l.contains(t))>-1&&(ut((o=l.ranges[o]).from(),t)<0||t.xRel>0)&&(ut(o.to(),t)>0||t.xRel<0)?Bl(e,r,t,i):_l(e,r,t,i)}function Bl(e,t,n,r){var o=e.display,i=!1,c=Do(e,(function(t){s&&(o.scroller.draggable=!1),e.state.draggingText=!1,e.state.delayingBlurEvent&&(e.hasFocus()?e.state.delayingBlurEvent=!1:eo(e)),xe(o.wrapper.ownerDocument,"mouseup",c),xe(o.wrapper.ownerDocument,"mousemove",u),xe(o.scroller,"dragstart",d),xe(o.scroller,"drop",c),i||(Me(t),r.addNew||Pi(e.doc,n,null,null,r.extend),s&&!p||a&&9==l?setTimeout((function(){o.wrapper.ownerDocument.body.focus({preventScroll:!0}),o.input.focus()}),20):o.input.focus())})),u=function(e){i=i||Math.abs(t.clientX-e.clientX)+Math.abs(t.clientY-e.clientY)>=10},d=function(){return i=!0};s&&(o.scroller.draggable=!0),e.state.draggingText=c,c.copy=!r.moveOnDrag,ye(o.wrapper.ownerDocument,"mouseup",c),ye(o.wrapper.ownerDocument,"mousemove",u),ye(o.scroller,"dragstart",d),ye(o.scroller,"drop",c),e.state.delayingBlurEvent=!0,setTimeout((function(){return o.input.focus()}),20),o.scroller.dragDrop&&o.scroller.dragDrop()}function Ml(e,t,n){if("char"==n)return new ui(t,t);if("word"==n)return e.findWordAt(t);if("line"==n)return new ui(ct(t.line,0),vt(e.doc,ct(t.line+1,0)));var r=n(e,t);return new ui(r.from,r.to)}function _l(e,t,n,r){a&&eo(e);var o=e.display,i=e.doc;Me(t);var l,s,c=i.sel,u=c.ranges;if(r.addNew&&!r.extend?(s=i.sel.contains(n),l=s>-1?u[s]:new ui(n,n)):(l=i.sel.primary(),s=i.sel.primIndex),"rectangle"==r.unit)r.addNew||(l=new ui(n,n)),n=Hr(e,t,!0,!0),s=-1;else{var d=Ml(e,n,r.unit);l=r.extend?Hi(l,d.anchor,d.head,r.extend):d}r.addNew?-1==s?(s=u.length,$i(i,di(e,u.concat([l]),s),{scroll:!1,origin:"*mouse"})):u.length>1&&u[s].empty()&&"char"==r.unit&&!r.extend?($i(i,di(e,u.slice(0,s).concat(u.slice(s+1)),0),{scroll:!1,origin:"*mouse"}),c=i.sel):Fi(i,s,l,K):(s=0,$i(i,new ci([l],0),K),c=i.sel);var h=n;function p(t){if(0!=ut(h,t))if(h=t,"rectangle"==r.unit){for(var o=[],a=e.options.tabSize,u=z(tt(i,n.line).text,n.ch,a),d=z(tt(i,t.line).text,t.ch,a),p=Math.min(u,d),f=Math.max(u,d),m=Math.min(n.line,t.line),v=Math.min(e.lastLine(),Math.max(n.line,t.line));m<=v;m++){var g=tt(i,m).text,w=X(g,p,a);p==f?o.push(new ui(ct(m,w),ct(m,w))):g.length>w&&o.push(new ui(ct(m,w),ct(m,X(g,f,a))))}o.length||o.push(new ui(n,n)),$i(i,di(e,c.ranges.slice(0,s).concat(o),s),{origin:"*mouse",scroll:!1}),e.scrollIntoView(t)}else{var y,b=l,x=Ml(e,t,r.unit),k=b.anchor;ut(x.anchor,k)>0?(y=x.head,k=ft(b.from(),x.anchor)):(y=x.anchor,k=pt(b.to(),x.head));var E=c.ranges.slice(0);E[s]=Sl(e,new ui(vt(i,k),y)),$i(i,di(e,E,s),K)}}var f=o.wrapper.getBoundingClientRect(),m=0;function v(t){var n=++m,a=Hr(e,t,!0,"rectangle"==r.unit);if(a)if(0!=ut(a,h)){e.curOp.focus=T(R(e)),p(a);var l=io(o,i);(a.line>=l.to||a.line<l.from)&&setTimeout(Do(e,(function(){m==n&&v(t)})),150)}else{var s=t.clientY<f.top?-20:t.clientY>f.bottom?20:0;s&&setTimeout(Do(e,(function(){m==n&&(o.scroller.scrollTop+=s,v(t))})),50)}}function g(t){e.state.selectingText=!1,m=1/0,t&&(Me(t),o.input.focus()),xe(o.wrapper.ownerDocument,"mousemove",w),xe(o.wrapper.ownerDocument,"mouseup",y),i.history.lastSelOrigin=null}var w=Do(e,(function(e){0!==e.buttons&&Le(e)?v(e):g(e)})),y=Do(e,g);e.state.selectingText=y,ye(o.wrapper.ownerDocument,"mousemove",w),ye(o.wrapper.ownerDocument,"mouseup",y)}function Sl(e,t){var n=t.anchor,r=t.head,o=tt(e.doc,n.line);if(0==ut(n,r)&&n.sticky==r.sticky)return t;var i=ge(o);if(!i)return t;var a=me(i,n.ch,n.sticky),l=i[a];if(l.from!=n.ch&&l.to!=n.ch)return t;var s,c=a+(l.from==n.ch==(1!=l.level)?0:1);if(0==c||c==i.length)return t;if(r.line!=n.line)s=(r.line-n.line)*("ltr"==e.doc.direction?1:-1)>0;else{var u=me(i,r.ch,r.sticky),d=u-a||(r.ch-n.ch)*(1==l.level?-1:1);s=u==c-1||u==c?d<0:d>0}var h=i[c+(s?-1:0)],p=s==(1==h.level),f=p?h.from:h.to,m=p?"after":"before";return n.ch==f&&n.sticky==m?t:new ui(new ct(n.line,f,m),r)}function Nl(e,t,n,r){var o,i;if(t.touches)o=t.touches[0].clientX,i=t.touches[0].clientY;else try{o=t.clientX,i=t.clientY}catch(e){return!1}if(o>=Math.floor(e.display.gutters.getBoundingClientRect().right))return!1;r&&Me(t);var a=e.display,l=a.lineDiv.getBoundingClientRect();if(i>l.bottom||!Ce(e,n))return Se(t);i-=l.top-a.viewOffset;for(var s=0;s<e.display.gutterSpecs.length;++s){var c=a.gutters.childNodes[s];if(c&&c.getBoundingClientRect().right>=o)return ke(e,n,e,at(e.doc,i),e.display.gutterSpecs[s].className,t),Se(t)}}function Vl(e,t){return Nl(e,t,"gutterClick",!0)}function Ll(e,t){Gn(e.display,t)||Tl(e,t)||Ee(e,t,"contextmenu")||A||e.display.input.onContextMenu(t)}function Tl(e,t){return!!Ce(e,"gutterContextMenu")&&Nl(e,t,"gutterContextMenu",!1)}function Il(e){e.display.wrapper.className=e.display.wrapper.className.replace(/\s*cm-s-\S+/g,"")+e.options.theme.replace(/(^|\s)\s*/g," cm-s-"),vr(e)}bl.prototype.compare=function(e,t,n){return this.time+yl>e&&0==ut(t,this.pos)&&n==this.button};var Zl={toString:function(){return"CodeMirror.Init"}},Ol={},Dl={};function Rl(e){var t=e.optionHandlers;function n(n,r,o,i){e.defaults[n]=r,o&&(t[n]=i?function(e,t,n){n!=Zl&&o(e,t,n)}:o)}e.defineOption=n,e.Init=Zl,n("value","",(function(e,t){return e.setValue(t)}),!0),n("mode",null,(function(e,t){e.doc.modeOption=t,wi(e)}),!0),n("indentUnit",2,wi,!0),n("indentWithTabs",!1),n("smartIndent",!0),n("tabSize",4,(function(e){yi(e),vr(e),jr(e)}),!0),n("lineSeparator",null,(function(e,t){if(e.doc.lineSep=t,t){var n=[],r=e.doc.first;e.doc.iter((function(e){for(var o=0;;){var i=e.text.indexOf(t,o);if(-1==i)break;o=i+t.length,n.push(ct(r,i))}r++}));for(var o=n.length-1;o>=0;o--)sa(e.doc,t,n[o],ct(n[o].line,n[o].ch+t.length))}})),n("specialChars",/[\u0000-\u001f\u007f-\u009f\u00ad\u061c\u200b\u200e\u200f\u2028\u2029\u202d\u202e\u2066\u2067\u2069\ufeff\ufff9-\ufffc]/g,(function(e,t,n){e.state.specialChars=new RegExp(t.source+(t.test("\t")?"":"|\t"),"g"),n!=Zl&&e.refresh()})),n("specialCharPlaceholder",bn,(function(e){return e.refresh()}),!0),n("electricChars",!0),n("inputStyle",w?"contenteditable":"textarea",(function(){throw new Error("inputStyle can not (yet) be changed in a running editor")}),!0),n("spellcheck",!1,(function(e,t){return e.getInputField().spellcheck=t}),!0),n("autocorrect",!1,(function(e,t){return e.getInputField().autocorrect=t}),!0),n("autocapitalize",!1,(function(e,t){return e.getInputField().autocapitalize=t}),!0),n("rtlMoveVisually",!x),n("wholeLineUpdateBefore",!0),n("theme","default",(function(e){Il(e),ni(e)}),!0),n("keyMap","default",(function(e,t,n){var r=Ka(t),o=n!=Zl&&Ka(n);o&&o.detach&&o.detach(e,r),r.attach&&r.attach(e,o||null)})),n("extraKeys",null),n("configureMouse",null),n("lineWrapping",!1,Pl,!0),n("gutters",[],(function(e,t){e.display.gutterSpecs=ei(t,e.options.lineNumbers),ni(e)}),!0),n("fixedGutter",!0,(function(e,t){e.display.gutters.style.left=t?Or(e.display)+"px":"0",e.refresh()}),!0),n("coverGutterNextToScrollbar",!1,(function(e){return Eo(e)}),!0),n("scrollbarStyle","native",(function(e){Bo(e),Eo(e),e.display.scrollbars.setScrollTop(e.doc.scrollTop),e.display.scrollbars.setScrollLeft(e.doc.scrollLeft)}),!0),n("lineNumbers",!1,(function(e,t){e.display.gutterSpecs=ei(e.options.gutters,t),ni(e)}),!0),n("firstLineNumber",1,ni,!0),n("lineNumberFormatter",(function(e){return e}),ni,!0),n("showCursorWhenSelecting",!1,Wr,!0),n("resetSelectionOnContextMenu",!0),n("lineWiseCopyCut",!0),n("pasteLinesPerSelection",!0),n("selectionsMayTouch",!1),n("readOnly",!1,(function(e,t){"nocursor"==t&&(no(e),e.display.input.blur()),e.display.input.readOnlyChanged(t)})),n("screenReaderLabel",null,(function(e,t){t=""===t?null:t,e.display.input.screenReaderLabelChanged(t)})),n("disableInput",!1,(function(e,t){t||e.display.input.reset()}),!0),n("dragDrop",!0,Hl),n("allowDropFileTypes",null),n("cursorBlinkRate",530),n("cursorScrollMargin",0),n("cursorHeight",1,Wr,!0),n("singleCursorHeightPerLine",!0,Wr,!0),n("workTime",100),n("workDelay",100),n("flattenSpans",!0,yi,!0),n("addModeClass",!1,yi,!0),n("pollInterval",100),n("undoDepth",200,(function(e,t){return e.doc.history.undoDepth=t})),n("historyEventDelay",1250),n("viewportMargin",10,(function(e){return e.refresh()}),!0),n("maxHighlightLength",1e4,yi,!0),n("moveInputWithCursor",!0,(function(e,t){t||e.display.input.resetPosition()})),n("tabindex",null,(function(e,t){return e.display.input.getField().tabIndex=t||""})),n("autofocus",null),n("direction","ltr",(function(e,t){return e.doc.setDirection(t)}),!0),n("phrases",null)}function Hl(e,t,n){if(!t!=!(n&&n!=Zl)){var r=e.display.dragFunctions,o=t?ye:xe;o(e.display.scroller,"dragstart",r.start),o(e.display.scroller,"dragenter",r.enter),o(e.display.scroller,"dragover",r.over),o(e.display.scroller,"dragleave",r.leave),o(e.display.scroller,"drop",r.drop)}}function Pl(e){e.options.lineWrapping?(I(e.display.wrapper,"CodeMirror-wrap"),e.display.sizer.style.minWidth="",e.display.sizerWidth=null):(M(e.display.wrapper,"CodeMirror-wrap"),hn(e)),Rr(e),jr(e),vr(e),setTimeout((function(){return Eo(e)}),100)}function jl(e,t){var n=this;if(!(this instanceof jl))return new jl(e,t);this.options=t=t?F(t):{},F(Ol,t,!1);var r=t.value;"string"==typeof r?r=new Ma(r,t.mode,null,t.lineSeparator,t.direction):t.mode&&(r.modeOption=t.mode),this.doc=r;var o=new jl.inputStyles[t.inputStyle](this),i=this.display=new ri(e,r,o,t);for(var c in i.wrapper.CodeMirror=this,Il(this),t.lineWrapping&&(this.display.wrapper.className+=" CodeMirror-wrap"),Bo(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 q,keySeq:null,specialChars:null},t.autofocus&&!w&&i.input.focus(),a&&l<11&&setTimeout((function(){return n.display.input.reset(!0)}),20),Fl(this),Za(),_o(this),this.curOp.forceUpdate=!0,Ei(this,r),t.autofocus&&!w||this.hasFocus()?setTimeout((function(){n.hasFocus()&&!n.state.focused&&to(n)}),20):no(this),Dl)Dl.hasOwnProperty(c)&&Dl[c](this,t[c],Zl);Qo(this),t.finishInit&&t.finishInit(this);for(var u=0;u<zl.length;++u)zl[u](this);So(this),s&&t.lineWrapping&&"optimizelegibility"==getComputedStyle(i.lineDiv).textRendering&&(i.lineDiv.style.textRendering="auto")}function Fl(e){var t=e.display;ye(t.scroller,"mousedown",Do(e,kl)),ye(t.scroller,"dblclick",a&&l<11?Do(e,(function(t){if(!Ee(e,t)){var n=Hr(e,t);if(n&&!Vl(e,t)&&!Gn(e.display,t)){Me(t);var r=e.findWordAt(n);Pi(e.doc,r.anchor,r.head)}}})):function(t){return Ee(e,t)||Me(t)}),ye(t.scroller,"contextmenu",(function(t){return Ll(e,t)})),ye(t.input.getField(),"contextmenu",(function(n){t.scroller.contains(n.target)||Ll(e,n)}));var n,r={end:0};function o(){t.activeTouch&&(n=setTimeout((function(){return t.activeTouch=null}),1e3),(r=t.activeTouch).end=+new Date)}function i(e){if(1!=e.touches.length)return!1;var t=e.touches[0];return t.radiusX<=1&&t.radiusY<=1}function s(e,t){if(null==t.left)return!0;var n=t.left-e.left,r=t.top-e.top;return n*n+r*r>400}ye(t.scroller,"touchstart",(function(o){if(!Ee(e,o)&&!i(o)&&!Vl(e,o)){t.input.ensurePolled(),clearTimeout(n);var a=+new Date;t.activeTouch={start:a,moved:!1,prev:a-r.end<=300?r:null},1==o.touches.length&&(t.activeTouch.left=o.touches[0].pageX,t.activeTouch.top=o.touches[0].pageY)}})),ye(t.scroller,"touchmove",(function(){t.activeTouch&&(t.activeTouch.moved=!0)})),ye(t.scroller,"touchend",(function(n){var r=t.activeTouch;if(r&&!Gn(t,n)&&null!=r.left&&!r.moved&&new Date-r.start<300){var i,a=e.coordsChar(t.activeTouch,"page");i=!r.prev||s(r,r.prev)?new ui(a,a):!r.prev.prev||s(r,r.prev.prev)?e.findWordAt(a):new ui(ct(a.line,0),vt(e.doc,ct(a.line+1,0))),e.setSelection(i.anchor,i.head),e.focus(),Me(n)}o()})),ye(t.scroller,"touchcancel",o),ye(t.scroller,"scroll",(function(){t.scroller.clientHeight&&(go(e,t.scroller.scrollTop),yo(e,t.scroller.scrollLeft,!0),ke(e,"scroll",e))})),ye(t.scroller,"mousewheel",(function(t){return si(e,t)})),ye(t.scroller,"DOMMouseScroll",(function(t){return si(e,t)})),ye(t.wrapper,"scroll",(function(){return t.wrapper.scrollTop=t.wrapper.scrollLeft=0})),t.dragFunctions={enter:function(t){Ee(e,t)||Ne(t)},over:function(t){Ee(e,t)||(Va(e,t),Ne(t))},start:function(t){return Na(e,t)},drop:Do(e,Sa),leave:function(t){Ee(e,t)||La(e)}};var c=t.input.getField();ye(c,"keyup",(function(t){return ml.call(e,t)})),ye(c,"keydown",Do(e,pl)),ye(c,"keypress",Do(e,vl)),ye(c,"focus",(function(t){return to(e,t)})),ye(c,"blur",(function(t){return no(e,t)}))}jl.defaults=Ol,jl.optionHandlers=Dl;var zl=[];function ql(e,t,n,r){var o,i=e.doc;null==n&&(n="add"),"smart"==n&&(i.mode.indent?o=Et(e,t).state:n="prev");var a=e.options.tabSize,l=tt(i,t),s=z(l.text,null,a);l.stateAfter&&(l.stateAfter=null);var c,u=l.text.match(/^\s*/)[0];if(r||/\S/.test(l.text)){if("smart"==n&&((c=i.mode.indent(o,l.text.slice(u.length),l.text))==W||c>150)){if(!r)return;n="prev"}}else c=0,n="not";"prev"==n?c=t>i.first?z(tt(i,t-1).text,null,a):0:"add"==n?c=s+e.options.indentUnit:"subtract"==n?c=s-e.options.indentUnit:"number"==typeof n&&(c=s+n),c=Math.max(0,c);var d="",h=0;if(e.options.indentWithTabs)for(var p=Math.floor(c/a);p;--p)h+=a,d+="\t";if(h<c&&(d+=Q(c-h)),d!=u)return sa(i,d,ct(t,0),ct(t,u.length),"+input"),l.stateAfter=null,!0;for(var f=0;f<i.sel.ranges.length;f++){var m=i.sel.ranges[f];if(m.head.line==t&&m.head.ch<u.length){var v=ct(t,u.length);Fi(i,f,new ui(v,v));break}}}jl.defineInitHook=function(e){return zl.push(e)};var Ul=null;function $l(e){Ul=e}function Wl(e,t,n,r,o){var i=e.doc;e.display.shift=!1,r||(r=i.sel);var a=+new Date-200,l="paste"==o||e.state.pasteIncoming>a,s=Re(t),c=null;if(l&&r.ranges.length>1)if(Ul&&Ul.text.join("\n")==t){if(r.ranges.length%Ul.text.length==0){c=[];for(var u=0;u<Ul.text.length;u++)c.push(i.splitLines(Ul.text[u]))}}else s.length==r.ranges.length&&e.options.pasteLinesPerSelection&&(c=te(s,(function(e){return[e]})));for(var d=e.curOp.updateInput,h=r.ranges.length-1;h>=0;h--){var p=r.ranges[h],f=p.from(),m=p.to();p.empty()&&(n&&n>0?f=ct(f.line,f.ch-n):e.state.overwrite&&!l?m=ct(m.line,Math.min(tt(i,m.line).text.length,m.ch+ee(s).length)):l&&Ul&&Ul.lineWise&&Ul.text.join("\n")==s.join("\n")&&(f=m=ct(f.line,0)));var v={from:f,to:m,text:c?c[h%c.length]:s,origin:o||(l?"paste":e.state.cutIncoming>a?"cut":"+input")};na(e.doc,v),Tn(e,"inputRead",e,v)}t&&!l&&Kl(e,t),ho(e),e.curOp.updateInput<2&&(e.curOp.updateInput=d),e.curOp.typing=!0,e.state.pasteIncoming=e.state.cutIncoming=-1}function Gl(e,t){var n=e.clipboardData&&e.clipboardData.getData("Text");if(n)return e.preventDefault(),t.isReadOnly()||t.options.disableInput||!t.hasFocus()||Oo(t,(function(){return Wl(t,n,0,null,"paste")})),!0}function Kl(e,t){if(e.options.electricChars&&e.options.smartIndent)for(var n=e.doc.sel,r=n.ranges.length-1;r>=0;r--){var o=n.ranges[r];if(!(o.head.ch>100||r&&n.ranges[r-1].head.line==o.head.line)){var i=e.getModeAt(o.head),a=!1;if(i.electricChars){for(var l=0;l<i.electricChars.length;l++)if(t.indexOf(i.electricChars.charAt(l))>-1){a=ql(e,o.head.line,"smart");break}}else i.electricInput&&i.electricInput.test(tt(e.doc,o.head.line).text.slice(0,o.head.ch))&&(a=ql(e,o.head.line,"smart"));a&&Tn(e,"electricInput",e,o.head.line)}}}function Yl(e){for(var t=[],n=[],r=0;r<e.doc.sel.ranges.length;r++){var o=e.doc.sel.ranges[r].head.line,i={anchor:ct(o,0),head:ct(o+1,0)};n.push(i),t.push(e.getRange(i.anchor,i.head))}return{text:t,ranges:n}}function Xl(e,t,n,r){e.setAttribute("autocorrect",n?"on":"off"),e.setAttribute("autocapitalize",r?"on":"off"),e.setAttribute("spellcheck",!!t)}function Jl(){var e=N("textarea",null,null,"position: absolute; bottom: -1em; padding: 0; width: 1px; height: 1em; min-height: 1em; outline: none"),t=N("div",[e],null,"overflow: hidden; position: relative; width: 3px; height: 0px;");return s?e.style.width="1000px":e.setAttribute("wrap","off"),v&&(e.style.border="1px solid black"),t}function Ql(e){var t=e.optionHandlers,n=e.helpers={};e.prototype={constructor:e,focus:function(){P(this).focus(),this.display.input.focus()},setOption:function(e,n){var r=this.options,o=r[e];r[e]==n&&"mode"!=e||(r[e]=n,t.hasOwnProperty(e)&&Do(this,t[e])(this,n,o),ke(this,"optionChange",this,e))},getOption:function(e){return this.options[e]},getDoc:function(){return this.doc},addKeyMap:function(e,t){this.state.keyMaps[t?"push":"unshift"](Ka(e))},removeKeyMap:function(e){for(var t=this.state.keyMaps,n=0;n<t.length;++n)if(t[n]==e||t[n].name==e)return t.splice(n,1),!0},addOverlay:Ro((function(t,n){var r=t.token?t:e.getMode(this.options,t);if(r.startState)throw new Error("Overlays may not be stateful.");ne(this.state.overlays,{mode:r,modeSpec:t,opaque:n&&n.opaque,priority:n&&n.priority||0},(function(e){return e.priority})),this.state.modeGen++,jr(this)})),removeOverlay:Ro((function(e){for(var t=this.state.overlays,n=0;n<t.length;++n){var r=t[n].modeSpec;if(r==e||"string"==typeof e&&r.name==e)return t.splice(n,1),this.state.modeGen++,void jr(this)}})),indentLine:Ro((function(e,t,n){"string"!=typeof t&&"number"!=typeof t&&(t=null==t?this.options.smartIndent?"smart":"prev":t?"add":"subtract"),lt(this.doc,e)&&ql(this,e,t,n)})),indentSelection:Ro((function(e){for(var t=this.doc.sel.ranges,n=-1,r=0;r<t.length;r++){var o=t[r];if(o.empty())o.head.line>n&&(ql(this,o.head.line,e,!0),n=o.head.line,r==this.doc.sel.primIndex&&ho(this));else{var i=o.from(),a=o.to(),l=Math.max(n,i.line);n=Math.min(this.lastLine(),a.line-(a.ch?0:1))+1;for(var s=l;s<n;++s)ql(this,s,e);var c=this.doc.sel.ranges;0==i.ch&&t.length==c.length&&c[r].from().ch>0&&Fi(this.doc,r,new ui(i,c[r].to()),G)}}})),getTokenAt:function(e,t){return _t(this,e,t)},getLineTokens:function(e,t){return _t(this,ct(e),t,!0)},getTokenTypeAt:function(e){e=vt(this.doc,e);var t,n=kt(this,tt(this.doc,e.line)),r=0,o=(n.length-1)/2,i=e.ch;if(0==i)t=n[2];else for(;;){var a=r+o>>1;if((a?n[2*a-1]:0)>=i)o=a;else{if(!(n[2*a+1]<i)){t=n[2*a+2];break}r=a+1}}var l=t?t.indexOf("overlay "):-1;return l<0?t:0==l?null:t.slice(0,l-1)},getModeAt:function(t){var n=this.doc.mode;return n.innerMode?e.innerMode(n,this.getTokenAt(t).state).mode:n},getHelper:function(e,t){return this.getHelpers(e,t)[0]},getHelpers:function(e,t){var r=[];if(!n.hasOwnProperty(t))return r;var o=n[t],i=this.getModeAt(e);if("string"==typeof i[t])o[i[t]]&&r.push(o[i[t]]);else if(i[t])for(var a=0;a<i[t].length;a++){var l=o[i[t][a]];l&&r.push(l)}else i.helperType&&o[i.helperType]?r.push(o[i.helperType]):o[i.name]&&r.push(o[i.name]);for(var s=0;s<o._global.length;s++){var c=o._global[s];c.pred(i,this)&&-1==U(r,c.val)&&r.push(c.val)}return r},getStateAfter:function(e,t){var n=this.doc;return Et(this,(e=mt(n,null==e?n.first+n.size-1:e))+1,t).state},cursorCoords:function(e,t){var n=this.doc.sel.primary();return Er(this,null==e?n.head:"object"==typeof e?vt(this.doc,e):e?n.from():n.to(),t||"page")},charCoords:function(e,t){return kr(this,vt(this.doc,e),t||"page")},coordsChar:function(e,t){return Br(this,(e=xr(this,e,t||"page")).left,e.top)},lineAtHeight:function(e,t){return e=xr(this,{top:e,left:0},t||"page").top,at(this.doc,e+this.display.viewOffset)},heightAtLine:function(e,t,n){var r,o=!1;if("number"==typeof e){var i=this.doc.first+this.doc.size-1;e<this.doc.first?e=this.doc.first:e>i&&(e=i,o=!0),r=tt(this.doc,e)}else r=e;return br(this,r,{top:0,left:0},t||"page",n||o).top+(o?this.doc.height-un(r):0)},defaultTextHeight:function(){return Tr(this.display)},defaultCharWidth:function(){return Ir(this.display)},getViewport:function(){return{from:this.display.viewFrom,to:this.display.viewTo}},addWidget:function(e,t,n,r,o){var i=this.display,a=(e=Er(this,vt(this.doc,e))).bottom,l=e.left;if(t.style.position="absolute",t.setAttribute("cm-ignore-events","true"),this.display.input.setUneditable(t),i.sizer.appendChild(t),"over"==r)a=e.top;else if("above"==r||"near"==r){var s=Math.max(i.wrapper.clientHeight,this.doc.height),c=Math.max(i.sizer.clientWidth,i.lineSpace.clientWidth);("above"==r||e.bottom+t.offsetHeight>s)&&e.top>t.offsetHeight?a=e.top-t.offsetHeight:e.bottom+t.offsetHeight<=s&&(a=e.bottom),l+t.offsetWidth>c&&(l=c-t.offsetWidth)}t.style.top=a+"px",t.style.left=t.style.right="","right"==o?(l=i.sizer.clientWidth-t.offsetWidth,t.style.right="0px"):("left"==o?l=0:"middle"==o&&(l=(i.sizer.clientWidth-t.offsetWidth)/2),t.style.left=l+"px"),n&&so(this,{left:l,top:a,right:l+t.offsetWidth,bottom:a+t.offsetHeight})},triggerOnKeyDown:Ro(pl),triggerOnKeyPress:Ro(vl),triggerOnKeyUp:ml,triggerOnMouseDown:Ro(kl),execCommand:function(e){if(tl.hasOwnProperty(e))return tl[e].call(null,this)},triggerElectric:Ro((function(e){Kl(this,e)})),findPosH:function(e,t,n,r){var o=1;t<0&&(o=-1,t=-t);for(var i=vt(this.doc,e),a=0;a<t&&!(i=es(this.doc,i,o,n,r)).hitSide;++a);return i},moveH:Ro((function(e,t){var n=this;this.extendSelectionsBy((function(r){return n.display.shift||n.doc.extend||r.empty()?es(n.doc,r.head,e,t,n.options.rtlMoveVisually):e<0?r.from():r.to()}),Y)})),deleteH:Ro((function(e,t){var n=this.doc.sel,r=this.doc;n.somethingSelected()?r.replaceSelection("",null,"+delete"):Ya(this,(function(n){var o=es(r,n.head,e,t,!1);return e<0?{from:o,to:n.head}:{from:n.head,to:o}}))})),findPosV:function(e,t,n,r){var o=1,i=r;t<0&&(o=-1,t=-t);for(var a=vt(this.doc,e),l=0;l<t;++l){var s=Er(this,a,"div");if(null==i?i=s.left:s.left=i,(a=ts(this,s,o,n)).hitSide)break}return a},moveV:Ro((function(e,t){var n=this,r=this.doc,o=[],i=!this.display.shift&&!r.extend&&r.sel.somethingSelected();if(r.extendSelectionsBy((function(a){if(i)return e<0?a.from():a.to();var l=Er(n,a.head,"div");null!=a.goalColumn&&(l.left=a.goalColumn),o.push(l.left);var s=ts(n,l,e,t);return"page"==t&&a==r.sel.primary()&&uo(n,kr(n,s,"div").top-l.top),s}),Y),o.length)for(var a=0;a<r.sel.ranges.length;a++)r.sel.ranges[a].goalColumn=o[a]})),findWordAt:function(e){var t=tt(this.doc,e.line).text,n=e.ch,r=e.ch;if(t){var o=this.getHelper(e,"wordChars");"before"!=e.sticky&&r!=t.length||!n?++r:--n;for(var i=t.charAt(n),a=le(i,o)?function(e){return le(e,o)}:/\s/.test(i)?function(e){return/\s/.test(e)}:function(e){return!/\s/.test(e)&&!le(e)};n>0&&a(t.charAt(n-1));)--n;for(;r<t.length&&a(t.charAt(r));)++r}return new ui(ct(e.line,n),ct(e.line,r))},toggleOverwrite:function(e){null!=e&&e==this.state.overwrite||((this.state.overwrite=!this.state.overwrite)?I(this.display.cursorDiv,"CodeMirror-overwrite"):M(this.display.cursorDiv,"CodeMirror-overwrite"),ke(this,"overwriteToggle",this,this.state.overwrite))},hasFocus:function(){return this.display.input.getField()==T(R(this))},isReadOnly:function(){return!(!this.options.readOnly&&!this.doc.cantEdit)},scrollTo:Ro((function(e,t){po(this,e,t)})),getScrollInfo:function(){var e=this.display.scroller;return{left:e.scrollLeft,top:e.scrollTop,height:e.scrollHeight-Jn(this)-this.display.barHeight,width:e.scrollWidth-Jn(this)-this.display.barWidth,clientHeight:er(this),clientWidth:Qn(this)}},scrollIntoView:Ro((function(e,t){null==e?(e={from:this.doc.sel.primary().head,to:null},null==t&&(t=this.options.cursorScrollMargin)):"number"==typeof e?e={from:ct(e,0),to:null}:null==e.from&&(e={from:e,to:null}),e.to||(e.to=e.from),e.margin=t||0,null!=e.from.line?fo(this,e):vo(this,e.from,e.to,e.margin)})),setSize:Ro((function(e,t){var n=this,r=function(e){return"number"==typeof e||/^\d+$/.test(String(e))?e+"px":e};null!=e&&(this.display.wrapper.style.width=r(e)),null!=t&&(this.display.wrapper.style.height=r(t)),this.options.lineWrapping&&mr(this);var o=this.display.viewFrom;this.doc.iter(o,this.display.viewTo,(function(e){if(e.widgets)for(var t=0;t<e.widgets.length;t++)if(e.widgets[t].noHScroll){Fr(n,o,"widget");break}++o})),this.curOp.forceUpdate=!0,ke(this,"refresh",this)})),operation:function(e){return Oo(this,e)},startOperation:function(){return _o(this)},endOperation:function(){return So(this)},refresh:Ro((function(){var e=this.display.cachedTextHeight;jr(this),this.curOp.forceUpdate=!0,vr(this),po(this,this.doc.scrollLeft,this.doc.scrollTop),Yo(this.display),(null==e||Math.abs(e-Tr(this.display))>.5||this.options.lineWrapping)&&Rr(this),ke(this,"refresh",this)})),swapDoc:Ro((function(e){var t=this.doc;return t.cm=null,this.state.selectingText&&this.state.selectingText(),Ei(this,e),vr(this),this.display.input.reset(),po(this,e.scrollLeft,e.scrollTop),this.curOp.forceScroll=!0,Tn(this,"swapDoc",this,t),t})),phrase:function(e){var t=this.options.phrases;return t&&Object.prototype.hasOwnProperty.call(t,e)?t[e]:e},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}},Be(e),e.registerHelper=function(t,r,o){n.hasOwnProperty(t)||(n[t]=e[t]={_global:[]}),n[t][r]=o},e.registerGlobalHelper=function(t,r,o,i){e.registerHelper(t,r,i),n[t]._global.push({pred:o,val:i})}}function es(e,t,n,r,o){var i=t,a=n,l=tt(e,t.line),s=o&&"rtl"==e.direction?-n:n;function c(){var n=t.line+s;return!(n<e.first||n>=e.first+e.size)&&(t=new ct(n,t.ch,t.sticky),l=tt(e,n))}function u(i){var a;if("codepoint"==r){var u=l.text.charCodeAt(t.ch+(n>0?0:-1));if(isNaN(u))a=null;else{var d=n>0?u>=55296&&u<56320:u>=56320&&u<57343;a=new ct(t.line,Math.max(0,Math.min(l.text.length,t.ch+n*(d?2:1))),-n)}}else a=o?el(e.cm,l,t,n):Ja(l,t,n);if(null==a){if(i||!c())return!1;t=Qa(o,e.cm,l,t.line,s)}else t=a;return!0}if("char"==r||"codepoint"==r)u();else if("column"==r)u(!0);else if("word"==r||"group"==r)for(var d=null,h="group"==r,p=e.cm&&e.cm.getHelper(t,"wordChars"),f=!0;!(n<0)||u(!f);f=!1){var m=l.text.charAt(t.ch)||"\n",v=le(m,p)?"w":h&&"\n"==m?"n":!h||/\s/.test(m)?null:"p";if(!h||f||v||(v="s"),d&&d!=v){n<0&&(n=1,u(),t.sticky="after");break}if(v&&(d=v),n>0&&!u(!f))break}var g=Ji(e,t,i,a,!0);return dt(i,g)&&(g.hitSide=!0),g}function ts(e,t,n,r){var o,i,a=e.doc,l=t.left;if("page"==r){var s=Math.min(e.display.wrapper.clientHeight,P(e).innerHeight||a(e).documentElement.clientHeight),c=Math.max(s-.5*Tr(e.display),3);o=(n>0?t.bottom:t.top)+n*c}else"line"==r&&(o=n>0?t.bottom+3:t.top-3);for(;(i=Br(e,l,o)).outside;){if(n<0?o<=0:o>=a.height){i.hitSide=!0;break}o+=5*n}return i}var ns=function(e){this.cm=e,this.lastAnchorNode=this.lastAnchorOffset=this.lastFocusNode=this.lastFocusOffset=null,this.polling=new q,this.composing=null,this.gracePeriod=!1,this.readDOMTimeout=null};function rs(e,t){var n=ir(e,t.line);if(!n||n.hidden)return null;var r=tt(e.doc,t.line),o=nr(n,r,t.line),i=ge(r,e.doc.direction),a="left";i&&(a=me(i,t.ch)%2?"right":"left");var l=ur(o.map,t.ch,a);return l.offset="right"==l.collapse?l.end:l.start,l}function os(e){for(var t=e;t;t=t.parentNode)if(/CodeMirror-gutter-wrapper/.test(t.className))return!0;return!1}function is(e,t){return t&&(e.bad=!0),e}function as(e,t,n,r,o){var i="",a=!1,l=e.doc.lineSeparator(),s=!1;function c(e){return function(t){return t.id==e}}function u(){a&&(i+=l,s&&(i+=l),a=s=!1)}function d(e){e&&(u(),i+=e)}function h(t){if(1==t.nodeType){var n=t.getAttribute("cm-text");if(n)return void d(n);var i,p=t.getAttribute("cm-marker");if(p){var f=e.findMarks(ct(r,0),ct(o+1,0),c(+p));return void(f.length&&(i=f[0].find(0))&&d(nt(e.doc,i.from,i.to).join(l)))}if("false"==t.getAttribute("contenteditable"))return;var m=/^(pre|div|p|li|table|br)$/i.test(t.nodeName);if(!/^br$/i.test(t.nodeName)&&0==t.textContent.length)return;m&&u();for(var v=0;v<t.childNodes.length;v++)h(t.childNodes[v]);/^(pre|p)$/i.test(t.nodeName)&&(s=!0),m&&(a=!0)}else 3==t.nodeType&&d(t.nodeValue.replace(/\u200b/g,"").replace(/\u00a0/g," "))}for(;h(t),t!=n;)t=t.nextSibling,s=!1;return i}function ls(e,t,n){var r;if(t==e.display.lineDiv){if(!(r=e.display.lineDiv.childNodes[n]))return is(e.clipPos(ct(e.display.viewTo-1)),!0);t=null,n=0}else for(r=t;;r=r.parentNode){if(!r||r==e.display.lineDiv)return null;if(r.parentNode&&r.parentNode==e.display.lineDiv)break}for(var o=0;o<e.display.view.length;o++){var i=e.display.view[o];if(i.node==r)return ss(i,t,n)}}function ss(e,t,n){var r=e.text.firstChild,o=!1;if(!t||!L(r,t))return is(ct(it(e.line),0),!0);if(t==r&&(o=!0,t=r.childNodes[n],n=0,!t)){var i=e.rest?ee(e.rest):e.line;return is(ct(it(i),i.text.length),o)}var a=3==t.nodeType?t:null,l=t;for(a||1!=t.childNodes.length||3!=t.firstChild.nodeType||(a=t.firstChild,n&&(n=a.nodeValue.length));l.parentNode!=r;)l=l.parentNode;var s=e.measure,c=s.maps;function u(t,n,r){for(var o=-1;o<(c?c.length:0);o++)for(var i=o<0?s.map:c[o],a=0;a<i.length;a+=3){var l=i[a+2];if(l==t||l==n){var u=it(o<0?e.line:e.rest[o]),d=i[a]+r;return(r<0||l!=t)&&(d=i[a+(r?1:0)]),ct(u,d)}}}var d=u(a,l,n);if(d)return is(d,o);for(var h=l.nextSibling,p=a?a.nodeValue.length-n:0;h;h=h.nextSibling){if(d=u(h,h.firstChild,0))return is(ct(d.line,d.ch-p),o);p+=h.textContent.length}for(var f=l.previousSibling,m=n;f;f=f.previousSibling){if(d=u(f,f.firstChild,-1))return is(ct(d.line,d.ch+m),o);m+=f.textContent.length}}ns.prototype.init=function(e){var t=this,n=this,r=n.cm,o=n.div=e.lineDiv;function i(e){for(var t=e.target;t;t=t.parentNode){if(t==o)return!0;if(/\bCodeMirror-(?:line)?widget\b/.test(t.className))break}return!1}function a(e){if(i(e)&&!Ee(r,e)){if(r.somethingSelected())$l({lineWise:!1,text:r.getSelections()}),"cut"==e.type&&r.replaceSelection("",null,"cut");else{if(!r.options.lineWiseCopyCut)return;var t=Yl(r);$l({lineWise:!0,text:t.text}),"cut"==e.type&&r.operation((function(){r.setSelections(t.ranges,0,G),r.replaceSelection("",null,"cut")}))}if(e.clipboardData){e.clipboardData.clearData();var a=Ul.text.join("\n");if(e.clipboardData.setData("Text",a),e.clipboardData.getData("Text")==a)return void e.preventDefault()}var l=Jl(),s=l.firstChild;Xl(s),r.display.lineSpace.insertBefore(l,r.display.lineSpace.firstChild),s.value=Ul.text.join("\n");var c=T(H(o));O(s),setTimeout((function(){r.display.lineSpace.removeChild(l),c.focus(),c==o&&n.showPrimarySelection()}),50)}}o.contentEditable=!0,Xl(o,r.options.spellcheck,r.options.autocorrect,r.options.autocapitalize),ye(o,"paste",(function(e){!i(e)||Ee(r,e)||Gl(e,r)||l<=11&&setTimeout(Do(r,(function(){return t.updateFromDOM()})),20)})),ye(o,"compositionstart",(function(e){t.composing={data:e.data,done:!1}})),ye(o,"compositionupdate",(function(e){t.composing||(t.composing={data:e.data,done:!1})})),ye(o,"compositionend",(function(e){t.composing&&(e.data!=t.composing.data&&t.readFromDOMSoon(),t.composing.done=!0)})),ye(o,"touchstart",(function(){return n.forceCompositionEnd()})),ye(o,"input",(function(){t.composing||t.readFromDOMSoon()})),ye(o,"copy",a),ye(o,"cut",a)},ns.prototype.screenReaderLabelChanged=function(e){e?this.div.setAttribute("aria-label",e):this.div.removeAttribute("aria-label")},ns.prototype.prepareSelection=function(){var e=Gr(this.cm,!1);return e.focus=T(H(this.div))==this.div,e},ns.prototype.showSelection=function(e,t){e&&this.cm.display.view.length&&((e.focus||t)&&this.showPrimarySelection(),this.showMultipleSelections(e))},ns.prototype.getSelection=function(){return this.cm.display.wrapper.ownerDocument.getSelection()},ns.prototype.showPrimarySelection=function(){var e=this.getSelection(),t=this.cm,r=t.doc.sel.primary(),o=r.from(),i=r.to();if(t.display.viewTo==t.display.viewFrom||o.line>=t.display.viewTo||i.line<t.display.viewFrom)e.removeAllRanges();else{var a=ls(t,e.anchorNode,e.anchorOffset),l=ls(t,e.focusNode,e.focusOffset);if(!a||a.bad||!l||l.bad||0!=ut(ft(a,l),o)||0!=ut(pt(a,l),i)){var s=t.display.view,c=o.line>=t.display.viewFrom&&rs(t,o)||{node:s[0].measure.map[2],offset:0},u=i.line<t.display.viewTo&&rs(t,i);if(!u){var d=s[s.length-1].measure,h=d.maps?d.maps[d.maps.length-1]:d.map;u={node:h[h.length-1],offset:h[h.length-2]-h[h.length-3]}}if(c&&u){var p,f=e.rangeCount&&e.getRangeAt(0);try{p=B(c.node,c.offset,u.offset,u.node)}catch(e){}p&&(!n&&t.state.focused?(e.collapse(c.node,c.offset),p.collapsed||(e.removeAllRanges(),e.addRange(p))):(e.removeAllRanges(),e.addRange(p)),f&&null==e.anchorNode?e.addRange(f):n&&this.startGracePeriod()),this.rememberSelection()}else e.removeAllRanges()}}},ns.prototype.startGracePeriod=function(){var e=this;clearTimeout(this.gracePeriod),this.gracePeriod=setTimeout((function(){e.gracePeriod=!1,e.selectionChanged()&&e.cm.operation((function(){return e.cm.curOp.selectionChanged=!0}))}),20)},ns.prototype.showMultipleSelections=function(e){S(this.cm.display.cursorDiv,e.cursors),S(this.cm.display.selectionDiv,e.selection)},ns.prototype.rememberSelection=function(){var e=this.getSelection();this.lastAnchorNode=e.anchorNode,this.lastAnchorOffset=e.anchorOffset,this.lastFocusNode=e.focusNode,this.lastFocusOffset=e.focusOffset},ns.prototype.selectionInEditor=function(){var e=this.getSelection();if(!e.rangeCount)return!1;var t=e.getRangeAt(0).commonAncestorContainer;return L(this.div,t)},ns.prototype.focus=function(){"nocursor"!=this.cm.options.readOnly&&(this.selectionInEditor()&&T(H(this.div))==this.div||this.showSelection(this.prepareSelection(),!0),this.div.focus())},ns.prototype.blur=function(){this.div.blur()},ns.prototype.getField=function(){return this.div},ns.prototype.supportsTouch=function(){return!0},ns.prototype.receivedFocus=function(){var e=this,t=this;function n(){t.cm.state.focused&&(t.pollSelection(),t.polling.set(t.cm.options.pollInterval,n))}this.selectionInEditor()?setTimeout((function(){return e.pollSelection()}),20):Oo(this.cm,(function(){return t.cm.curOp.selectionChanged=!0})),this.polling.set(this.cm.options.pollInterval,n)},ns.prototype.selectionChanged=function(){var e=this.getSelection();return e.anchorNode!=this.lastAnchorNode||e.anchorOffset!=this.lastAnchorOffset||e.focusNode!=this.lastFocusNode||e.focusOffset!=this.lastFocusOffset},ns.prototype.pollSelection=function(){if(null==this.readDOMTimeout&&!this.gracePeriod&&this.selectionChanged()){var e=this.getSelection(),t=this.cm;if(g&&u&&this.cm.display.gutterSpecs.length&&os(e.anchorNode))return this.cm.triggerOnKeyDown({type:"keydown",keyCode:8,preventDefault:Math.abs}),this.blur(),void this.focus();if(!this.composing){this.rememberSelection();var n=ls(t,e.anchorNode,e.anchorOffset),r=ls(t,e.focusNode,e.focusOffset);n&&r&&Oo(t,(function(){$i(t.doc,hi(n,r),G),(n.bad||r.bad)&&(t.curOp.selectionChanged=!0)}))}}},ns.prototype.pollContent=function(){null!=this.readDOMTimeout&&(clearTimeout(this.readDOMTimeout),this.readDOMTimeout=null);var e,t,n,r=this.cm,o=r.display,i=r.doc.sel.primary(),a=i.from(),l=i.to();if(0==a.ch&&a.line>r.firstLine()&&(a=ct(a.line-1,tt(r.doc,a.line-1).length)),l.ch==tt(r.doc,l.line).text.length&&l.line<r.lastLine()&&(l=ct(l.line+1,0)),a.line<o.viewFrom||l.line>o.viewTo-1)return!1;a.line==o.viewFrom||0==(e=Pr(r,a.line))?(t=it(o.view[0].line),n=o.view[0].node):(t=it(o.view[e].line),n=o.view[e-1].node.nextSibling);var s,c,u=Pr(r,l.line);if(u==o.view.length-1?(s=o.viewTo-1,c=o.lineDiv.lastChild):(s=it(o.view[u+1].line)-1,c=o.view[u+1].node.previousSibling),!n)return!1;for(var d=r.doc.splitLines(as(r,n,c,t,s)),h=nt(r.doc,ct(t,0),ct(s,tt(r.doc,s).text.length));d.length>1&&h.length>1;)if(ee(d)==ee(h))d.pop(),h.pop(),s--;else{if(d[0]!=h[0])break;d.shift(),h.shift(),t++}for(var p=0,f=0,m=d[0],v=h[0],g=Math.min(m.length,v.length);p<g&&m.charCodeAt(p)==v.charCodeAt(p);)++p;for(var w=ee(d),y=ee(h),b=Math.min(w.length-(1==d.length?p:0),y.length-(1==h.length?p:0));f<b&&w.charCodeAt(w.length-f-1)==y.charCodeAt(y.length-f-1);)++f;if(1==d.length&&1==h.length&&t==a.line)for(;p&&p>a.ch&&w.charCodeAt(w.length-f-1)==y.charCodeAt(y.length-f-1);)p--,f++;d[d.length-1]=w.slice(0,w.length-f).replace(/^\u200b+/,""),d[0]=d[0].slice(p).replace(/\u200b+$/,"");var x=ct(t,p),k=ct(s,h.length?ee(h).length-f:0);return d.length>1||d[0]||ut(x,k)?(sa(r.doc,d,x,k,"+input"),!0):void 0},ns.prototype.ensurePolled=function(){this.forceCompositionEnd()},ns.prototype.reset=function(){this.forceCompositionEnd()},ns.prototype.forceCompositionEnd=function(){this.composing&&(clearTimeout(this.readDOMTimeout),this.composing=null,this.updateFromDOM(),this.div.blur(),this.div.focus())},ns.prototype.readFromDOMSoon=function(){var e=this;null==this.readDOMTimeout&&(this.readDOMTimeout=setTimeout((function(){if(e.readDOMTimeout=null,e.composing){if(!e.composing.done)return;e.composing=null}e.updateFromDOM()}),80))},ns.prototype.updateFromDOM=function(){var e=this;!this.cm.isReadOnly()&&this.pollContent()||Oo(this.cm,(function(){return jr(e.cm)}))},ns.prototype.setUneditable=function(e){e.contentEditable="false"},ns.prototype.onKeyPress=function(e){0==e.charCode||this.composing||(e.preventDefault(),this.cm.isReadOnly()||Do(this.cm,Wl)(this.cm,String.fromCharCode(null==e.charCode?e.keyCode:e.charCode),0))},ns.prototype.readOnlyChanged=function(e){this.div.contentEditable=String("nocursor"!=e)},ns.prototype.onContextMenu=function(){},ns.prototype.resetPosition=function(){},ns.prototype.needsContentAttribute=!0;var cs=function(e){this.cm=e,this.prevInput="",this.pollingFast=!1,this.polling=new q,this.hasSelection=!1,this.composing=null,this.resetting=!1};function us(e,t){if((t=t?F(t):{}).value=e.value,!t.tabindex&&e.tabIndex&&(t.tabindex=e.tabIndex),!t.placeholder&&e.placeholder&&(t.placeholder=e.placeholder),null==t.autofocus){var n=T(H(e));t.autofocus=n==e||null!=e.getAttribute("autofocus")&&n==document.body}function r(){e.value=l.getValue()}var o;if(e.form&&(ye(e.form,"submit",r),!t.leaveSubmitMethodAlone)){var i=e.form;o=i.submit;try{var a=i.submit=function(){r(),i.submit=o,i.submit(),i.submit=a}}catch(e){}}t.finishInit=function(n){n.save=r,n.getTextArea=function(){return e},n.toTextArea=function(){n.toTextArea=isNaN,r(),e.parentNode.removeChild(n.getWrapperElement()),e.style.display="",e.form&&(xe(e.form,"submit",r),t.leaveSubmitMethodAlone||"function"!=typeof e.form.submit||(e.form.submit=o))}},e.style.display="none";var l=jl((function(t){return e.parentNode.insertBefore(t,e.nextSibling)}),t);return l}function ds(e){e.off=xe,e.on=ye,e.wheelEventPixels=li,e.Doc=Ma,e.splitLines=Re,e.countColumn=z,e.findColumn=X,e.isWordChar=ae,e.Pass=W,e.signal=ke,e.Line=pn,e.changeEnd=pi,e.scrollbarModel=Co,e.Pos=ct,e.cmpPos=ut,e.modes=ze,e.mimeModes=qe,e.resolveMode=We,e.getMode=Ge,e.modeExtensions=Ke,e.extendMode=Ye,e.copyState=Xe,e.startState=Qe,e.innerMode=Je,e.commands=tl,e.keyMap=Fa,e.keyName=Ga,e.isModifierKey=$a,e.lookupKey=Ua,e.normalizeKeyMap=qa,e.StringStream=et,e.SharedTextMarker=xa,e.TextMarker=ya,e.LineWidget=ma,e.e_preventDefault=Me,e.e_stopPropagation=_e,e.e_stop=Ne,e.addClass=I,e.contains=L,e.rmClass=M,e.keyNames=Ra}cs.prototype.init=function(e){var t=this,n=this,r=this.cm;this.createField(e);var o=this.textarea;function i(e){if(!Ee(r,e)){if(r.somethingSelected())$l({lineWise:!1,text:r.getSelections()});else{if(!r.options.lineWiseCopyCut)return;var t=Yl(r);$l({lineWise:!0,text:t.text}),"cut"==e.type?r.setSelections(t.ranges,null,G):(n.prevInput="",o.value=t.text.join("\n"),O(o))}"cut"==e.type&&(r.state.cutIncoming=+new Date)}}e.wrapper.insertBefore(this.wrapper,e.wrapper.firstChild),v&&(o.style.width="0px"),ye(o,"input",(function(){a&&l>=9&&t.hasSelection&&(t.hasSelection=null),n.poll()})),ye(o,"paste",(function(e){Ee(r,e)||Gl(e,r)||(r.state.pasteIncoming=+new Date,n.fastPoll())})),ye(o,"cut",i),ye(o,"copy",i),ye(e.scroller,"paste",(function(t){if(!Gn(e,t)&&!Ee(r,t)){if(!o.dispatchEvent)return r.state.pasteIncoming=+new Date,void n.focus();var i=new Event("paste");i.clipboardData=t.clipboardData,o.dispatchEvent(i)}})),ye(e.lineSpace,"selectstart",(function(t){Gn(e,t)||Me(t)})),ye(o,"compositionstart",(function(){var e=r.getCursor("from");n.composing&&n.composing.range.clear(),n.composing={start:e,range:r.markText(e,r.getCursor("to"),{className:"CodeMirror-composing"})}})),ye(o,"compositionend",(function(){n.composing&&(n.poll(),n.composing.range.clear(),n.composing=null)}))},cs.prototype.createField=function(e){this.wrapper=Jl(),this.textarea=this.wrapper.firstChild;var t=this.cm.options;Xl(this.textarea,t.spellcheck,t.autocorrect,t.autocapitalize)},cs.prototype.screenReaderLabelChanged=function(e){e?this.textarea.setAttribute("aria-label",e):this.textarea.removeAttribute("aria-label")},cs.prototype.prepareSelection=function(){var e=this.cm,t=e.display,n=e.doc,r=Gr(e);if(e.options.moveInputWithCursor){var o=Er(e,n.sel.primary().head,"div"),i=t.wrapper.getBoundingClientRect(),a=t.lineDiv.getBoundingClientRect();r.teTop=Math.max(0,Math.min(t.wrapper.clientHeight-10,o.top+a.top-i.top)),r.teLeft=Math.max(0,Math.min(t.wrapper.clientWidth-10,o.left+a.left-i.left))}return r},cs.prototype.showSelection=function(e){var t=this.cm.display;S(t.cursorDiv,e.cursors),S(t.selectionDiv,e.selection),null!=e.teTop&&(this.wrapper.style.top=e.teTop+"px",this.wrapper.style.left=e.teLeft+"px")},cs.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&&O(this.textarea),a&&l>=9&&(this.hasSelection=n)}else e||(this.prevInput=this.textarea.value="",a&&l>=9&&(this.hasSelection=null));this.resetting=!1}},cs.prototype.getField=function(){return this.textarea},cs.prototype.supportsTouch=function(){return!1},cs.prototype.focus=function(){if("nocursor"!=this.cm.options.readOnly&&(!w||T(H(this.textarea))!=this.textarea))try{this.textarea.focus()}catch(e){}},cs.prototype.blur=function(){this.textarea.blur()},cs.prototype.resetPosition=function(){this.wrapper.style.top=this.wrapper.style.left=0},cs.prototype.receivedFocus=function(){this.slowPoll()},cs.prototype.slowPoll=function(){var e=this;this.pollingFast||this.polling.set(this.cm.options.pollInterval,(function(){e.poll(),e.cm.state.focused&&e.slowPoll()}))},cs.prototype.fastPoll=function(){var e=!1,t=this;function n(){t.poll()||e?(t.pollingFast=!1,t.slowPoll()):(e=!0,t.polling.set(60,n))}t.pollingFast=!0,t.polling.set(20,n)},cs.prototype.poll=function(){var e=this,t=this.cm,n=this.textarea,r=this.prevInput;if(this.contextMenuPending||this.resetting||!t.state.focused||He(n)&&!r&&!this.composing||t.isReadOnly()||t.options.disableInput||t.state.keySeq)return!1;var o=n.value;if(o==r&&!t.somethingSelected())return!1;if(a&&l>=9&&this.hasSelection===o||y&&/[\uf700-\uf7ff]/.test(o))return t.display.input.reset(),!1;if(t.doc.sel==t.display.selForContextMenu){var i=o.charCodeAt(0);if(8203!=i||r||(r="​"),8666==i)return this.reset(),this.cm.execCommand("undo")}for(var s=0,c=Math.min(r.length,o.length);s<c&&r.charCodeAt(s)==o.charCodeAt(s);)++s;return Oo(t,(function(){Wl(t,o.slice(s),r.length-s,null,e.composing?"*compose":null),o.length>1e3||o.indexOf("\n")>-1?n.value=e.prevInput="":e.prevInput=o,e.composing&&(e.composing.range.clear(),e.composing.range=t.markText(e.composing.start,t.getCursor("to"),{className:"CodeMirror-composing"}))})),!0},cs.prototype.ensurePolled=function(){this.pollingFast&&this.poll()&&(this.pollingFast=!1)},cs.prototype.onKeyPress=function(){a&&l>=9&&(this.hasSelection=null),this.fastPoll()},cs.prototype.onContextMenu=function(e){var t=this,n=t.cm,r=n.display,o=t.textarea;t.contextMenuPending&&t.contextMenuPending();var i=Hr(n,e),c=r.scroller.scrollTop;if(i&&!h){n.options.resetSelectionOnContextMenu&&-1==n.doc.sel.contains(i)&&Do(n,$i)(n.doc,hi(i),G);var u,d=o.style.cssText,p=t.wrapper.style.cssText,f=t.wrapper.offsetParent.getBoundingClientRect();if(t.wrapper.style.cssText="position: static",o.style.cssText="position: absolute; width: 30px; height: 30px;\n      top: "+(e.clientY-f.top-5)+"px; left: "+(e.clientX-f.left-5)+"px;\n      z-index: 1000; background: "+(a?"rgba(255, 255, 255, .05)":"transparent")+";\n      outline: none; border-width: 0; outline: none; overflow: hidden; opacity: .05; filter: alpha(opacity=5);",s&&(u=o.ownerDocument.defaultView.scrollY),r.input.focus(),s&&o.ownerDocument.defaultView.scrollTo(null,u),r.input.reset(),n.somethingSelected()||(o.value=t.prevInput=" "),t.contextMenuPending=g,r.selForContextMenu=n.doc.sel,clearTimeout(r.detectingSelectAll),a&&l>=9&&v(),A){Ne(e);var m=function(){xe(window,"mouseup",m),setTimeout(g,20)};ye(window,"mouseup",m)}else setTimeout(g,50)}function v(){if(null!=o.selectionStart){var e=n.somethingSelected(),i="​"+(e?o.value:"");o.value="⇚",o.value=i,t.prevInput=e?"":"​",o.selectionStart=1,o.selectionEnd=i.length,r.selForContextMenu=n.doc.sel}}function g(){if(t.contextMenuPending==g&&(t.contextMenuPending=!1,t.wrapper.style.cssText=p,o.style.cssText=d,a&&l<9&&r.scrollbars.setScrollTop(r.scroller.scrollTop=c),null!=o.selectionStart)){(!a||a&&l<9)&&v();var e=0,i=function(){r.selForContextMenu==n.doc.sel&&0==o.selectionStart&&o.selectionEnd>0&&"​"==t.prevInput?Do(n,ea)(n):e++<10?r.detectingSelectAll=setTimeout(i,500):(r.selForContextMenu=null,r.input.reset())};r.detectingSelectAll=setTimeout(i,200)}}},cs.prototype.readOnlyChanged=function(e){e||this.reset(),this.textarea.disabled="nocursor"==e,this.textarea.readOnly=!!e},cs.prototype.setUneditable=function(){},cs.prototype.needsContentAttribute=!1,Rl(jl),Ql(jl);var hs="iter insert remove copy getEditor constructor".split(" ");for(var ps in Ma.prototype)Ma.prototype.hasOwnProperty(ps)&&U(hs,ps)<0&&(jl.prototype[ps]=function(e){return function(){return e.apply(this.doc,arguments)}}(Ma.prototype[ps]));return Be(Ma),jl.inputStyles={textarea:cs,contenteditable:ns},jl.defineMode=function(e){jl.defaults.mode||"null"==e||(jl.defaults.mode=e),Ue.apply(this,arguments)},jl.defineMIME=$e,jl.defineMode("null",(function(){return{token:function(e){return e.skipToEnd()}}})),jl.defineMIME("text/plain","null"),jl.defineExtension=function(e,t){jl.prototype[e]=t},jl.defineDocExtension=function(e,t){Ma.prototype[e]=t},jl.fromTextArea=us,ds(jl),jl.version="5.65.18",jl}()},48712:(e,t,n)=>{!function(e){"use strict";function t(e,t,n,r,o,i){this.indented=e,this.column=t,this.type=n,this.info=r,this.align=o,this.prev=i}function n(e,n,r,o){var i=e.indented;return e.context&&"statement"==e.context.type&&"statement"!=r&&(i=e.context.indented),e.context=new t(i,n,r,o,null,e.context)}function r(e){var t=e.context.type;return")"!=t&&"]"!=t&&"}"!=t||(e.indented=e.context.indented),e.context=e.context.prev}function o(e,t,n){return"variable"==t.prevToken||"type"==t.prevToken||!!/\S(?:[^- ]>|[*\]])\s*$|\*$/.test(e.string.slice(0,n))||!(!t.typeAtEndOfLine||e.column()!=e.indentation())||void 0}function i(e){for(;;){if(!e||"top"==e.type)return!0;if("}"==e.type&&"namespace"!=e.prev.info)return!1;e=e.prev}}function a(e){for(var t={},n=e.split(" "),r=0;r<n.length;++r)t[n[r]]=!0;return t}function l(e,t){return"function"==typeof e?e(t):e.propertyIsEnumerable(t)}e.defineMode("clike",(function(a,s){var c,u,d=a.indentUnit,h=s.statementIndentUnit||d,p=s.dontAlignCalls,f=s.keywords||{},m=s.types||{},v=s.builtin||{},g=s.blockKeywords||{},w=s.defKeywords||{},y=s.atoms||{},b=s.hooks||{},x=s.multiLineStrings,k=!1!==s.indentStatements,E=!1!==s.indentSwitch,A=s.namespaceSeparator,C=s.isPunctuationChar||/[\[\]{}\(\),;\:\.]/,B=s.numberStart||/[\d\.]/,M=s.number||/^(?:0x[a-f\d]+|0b[01]+|(?:\d+\.?\d*|\.\d+)(?:e[-+]?\d+)?)(u|ll?|l|f)?/i,_=s.isOperatorChar||/[+\-*&%=<>!?|\/]/,S=s.isIdentifierChar||/[\w\$_\xa1-\uffff]/,N=s.isReservedIdentifier||!1;function V(e,t){var n=e.next();if(b[n]){var r=b[n](e,t);if(!1!==r)return r}if('"'==n||"'"==n)return t.tokenize=L(n),t.tokenize(e,t);if(B.test(n)){if(e.backUp(1),e.match(M))return"number";e.next()}if(C.test(n))return c=n,null;if("/"==n){if(e.eat("*"))return t.tokenize=T,T(e,t);if(e.eat("/"))return e.skipToEnd(),"comment"}if(_.test(n)){for(;!e.match(/^\/[\/*]/,!1)&&e.eat(_););return"operator"}if(e.eatWhile(S),A)for(;e.match(A);)e.eatWhile(S);var o=e.current();return l(f,o)?(l(g,o)&&(c="newstatement"),l(w,o)&&(u=!0),"keyword"):l(m,o)?"type":l(v,o)||N&&N(o)?(l(g,o)&&(c="newstatement"),"builtin"):l(y,o)?"atom":"variable"}function L(e){return function(t,n){for(var r,o=!1,i=!1;null!=(r=t.next());){if(r==e&&!o){i=!0;break}o=!o&&"\\"==r}return(i||!o&&!x)&&(n.tokenize=null),"string"}}function T(e,t){for(var n,r=!1;n=e.next();){if("/"==n&&r){t.tokenize=null;break}r="*"==n}return"comment"}function I(e,t){s.typeFirstDefinitions&&e.eol()&&i(t.context)&&(t.typeAtEndOfLine=o(e,t,e.pos))}return{startState:function(e){return{tokenize:null,context:new t((e||0)-d,0,"top",null,!1),indented:0,startOfLine:!0,prevToken:null}},token:function(e,t){var a=t.context;if(e.sol()&&(null==a.align&&(a.align=!1),t.indented=e.indentation(),t.startOfLine=!0),e.eatSpace())return I(e,t),null;c=u=null;var l=(t.tokenize||V)(e,t);if("comment"==l||"meta"==l)return l;if(null==a.align&&(a.align=!0),";"==c||":"==c||","==c&&e.match(/^\s*(?:\/\/.*)?$/,!1))for(;"statement"==t.context.type;)r(t);else if("{"==c)n(t,e.column(),"}");else if("["==c)n(t,e.column(),"]");else if("("==c)n(t,e.column(),")");else if("}"==c){for(;"statement"==a.type;)a=r(t);for("}"==a.type&&(a=r(t));"statement"==a.type;)a=r(t)}else c==a.type?r(t):k&&(("}"==a.type||"top"==a.type)&&";"!=c||"statement"==a.type&&"newstatement"==c)&&n(t,e.column(),"statement",e.current());if("variable"==l&&("def"==t.prevToken||s.typeFirstDefinitions&&o(e,t,e.start)&&i(t.context)&&e.match(/^\s*\(/,!1))&&(l="def"),b.token){var d=b.token(e,t,l);void 0!==d&&(l=d)}return"def"==l&&!1===s.styleDefs&&(l="variable"),t.startOfLine=!1,t.prevToken=u?"def":l||c,I(e,t),l},indent:function(t,n){if(t.tokenize!=V&&null!=t.tokenize||t.typeAtEndOfLine&&i(t.context))return e.Pass;var r=t.context,o=n&&n.charAt(0),a=o==r.type;if("statement"==r.type&&"}"==o&&(r=r.prev),s.dontIndentStatements)for(;"statement"==r.type&&s.dontIndentStatements.test(r.info);)r=r.prev;if(b.indent){var l=b.indent(t,r,n,d);if("number"==typeof l)return l}var c=r.prev&&"switch"==r.prev.info;if(s.allmanIndentation&&/[{(]/.test(o)){for(;"top"!=r.type&&"}"!=r.type;)r=r.prev;return r.indented}return"statement"==r.type?r.indented+("{"==o?0:h):!r.align||p&&")"==r.type?")"!=r.type||a?r.indented+(a?0:d)+(a||!c||/^(?:case|default)\b/.test(n)?0:d):r.indented+h:r.column+(a?0:1)},electricInput:E?/^\s*(?:case .*?:|default:|\{\}?|\})$/:/^\s*[{}]$/,blockCommentStart:"/*",blockCommentEnd:"*/",blockCommentContinue:" * ",lineComment:"//",fold:"brace"}}));var s="auto if break case register continue return default do sizeof static else struct switch extern typedef union for goto while enum const volatile inline restrict asm fortran",c="alignas alignof and and_eq audit axiom bitand bitor catch class compl concept constexpr const_cast decltype delete dynamic_cast explicit export final friend import module mutable namespace new noexcept not not_eq operator or or_eq override private protected public reinterpret_cast requires static_assert static_cast template this thread_local throw try typeid typename using virtual xor xor_eq",u="bycopy byref in inout oneway out self super atomic nonatomic retain copy readwrite readonly strong weak assign typeof nullable nonnull null_resettable _cmd @interface @implementation @end @protocol @encode @property @synthesize @dynamic @class @public @package @private @protected @required @optional @try @catch @finally @import @selector @encode @defs @synchronized @autoreleasepool @compatibility_alias @available",d="FOUNDATION_EXPORT FOUNDATION_EXTERN NS_INLINE NS_FORMAT_FUNCTION  NS_RETURNS_RETAINEDNS_ERROR_ENUM NS_RETURNS_NOT_RETAINED NS_RETURNS_INNER_POINTER NS_DESIGNATED_INITIALIZER NS_ENUM NS_OPTIONS NS_REQUIRES_NIL_TERMINATION NS_ASSUME_NONNULL_BEGIN NS_ASSUME_NONNULL_END NS_SWIFT_NAME NS_REFINED_FOR_SWIFT",h=a("int long char short double float unsigned signed void bool"),p=a("SEL instancetype id Class Protocol BOOL");function f(e){return l(h,e)||/.+_t$/.test(e)}function m(e){return f(e)||l(p,e)}var v="case do else for if switch while struct enum union",g="struct enum union";function w(e,t){if(!t.startOfLine)return!1;for(var n,r=null;n=e.peek();){if("\\"==n&&e.match(/^.$/)){r=w;break}if("/"==n&&e.match(/^\/[\/\*]/,!1))break;e.next()}return t.tokenize=r,"meta"}function y(e,t){return"type"==t.prevToken&&"type"}function b(e){return!(!e||e.length<2||"_"!=e[0]||"_"!=e[1]&&e[1]===e[1].toLowerCase())}function x(e){return e.eatWhile(/[\w\.']/),"number"}function k(e,t){if(e.backUp(1),e.match(/^(?:R|u8R|uR|UR|LR)/)){var n=e.match(/^"([^\s\\()]{0,16})\(/);return!!n&&(t.cpp11RawStringDelim=n[1],t.tokenize=C,C(e,t))}return e.match(/^(?:u8|u|U|L)/)?!!e.match(/^["']/,!1)&&"string":(e.next(),!1)}function E(e){var t=/(\w+)::~?(\w+)$/.exec(e);return t&&t[1]==t[2]}function A(e,t){for(var n;null!=(n=e.next());)if('"'==n&&!e.eat('"')){t.tokenize=null;break}return"string"}function C(e,t){var n=t.cpp11RawStringDelim.replace(/[^\w\s]/g,"\\$&");return e.match(new RegExp(".*?\\)"+n+'"'))?t.tokenize=null:e.skipToEnd(),"string"}function B(t,n){"string"==typeof t&&(t=[t]);var r=[];function o(e){if(e)for(var t in e)e.hasOwnProperty(t)&&r.push(t)}o(n.keywords),o(n.types),o(n.builtin),o(n.atoms),r.length&&(n.helperType=t[0],e.registerHelper("hintWords",t[0],r));for(var i=0;i<t.length;++i)e.defineMIME(t[i],n)}function M(e,t){for(var n=!1;!e.eol();){if(!n&&e.match('"""')){t.tokenize=null;break}n="\\"==e.next()&&!n}return"string"}function _(e){return function(t,n){for(var r;r=t.next();){if("*"==r&&t.eat("/")){if(1==e){n.tokenize=null;break}return n.tokenize=_(e-1),n.tokenize(t,n)}if("/"==r&&t.eat("*"))return n.tokenize=_(e+1),n.tokenize(t,n)}return"comment"}}function S(e){return function(t,n){for(var r,o=!1,i=!1;!t.eol();){if(!e&&!o&&t.match('"')){i=!0;break}if(e&&t.match('"""')){i=!0;break}r=t.next(),!o&&"$"==r&&t.match("{")&&t.skipTo("}"),o=!o&&"\\"==r&&!e}return!i&&e||(n.tokenize=null),"string"}}B(["text/x-csrc","text/x-c","text/x-chdr"],{name:"clike",keywords:a(s),types:f,blockKeywords:a(v),defKeywords:a(g),typeFirstDefinitions:!0,atoms:a("NULL true false"),isReservedIdentifier:b,hooks:{"#":w,"*":y},modeProps:{fold:["brace","include"]}}),B(["text/x-c++src","text/x-c++hdr"],{name:"clike",keywords:a(s+" "+c),types:f,blockKeywords:a(v+" class try catch"),defKeywords:a(g+" class namespace"),typeFirstDefinitions:!0,atoms:a("true false NULL nullptr"),dontIndentStatements:/^template$/,isIdentifierChar:/[\w\$_~\xa1-\uffff]/,isReservedIdentifier:b,hooks:{"#":w,"*":y,u:k,U:k,L:k,R:k,0:x,1:x,2:x,3:x,4:x,5:x,6:x,7:x,8:x,9:x,token:function(e,t,n){if("variable"==n&&"("==e.peek()&&(";"==t.prevToken||null==t.prevToken||"}"==t.prevToken)&&E(e.current()))return"def"}},namespaceSeparator:"::",modeProps:{fold:["brace","include"]}}),B("text/x-java",{name:"clike",keywords:a("abstract assert break case catch class const continue default do else enum extends final finally for goto if implements import instanceof interface native new package private protected public return static strictfp super switch synchronized this throw throws transient try volatile while @interface"),types:a("var byte short int long float double boolean char void Boolean Byte Character Double Float Integer Long Number Object Short String StringBuffer StringBuilder Void"),blockKeywords:a("catch class do else finally for if switch try while"),defKeywords:a("class interface enum @interface"),typeFirstDefinitions:!0,atoms:a("true false null"),number:/^(?:0x[a-f\d_]+|0b[01_]+|(?:[\d_]+\.?\d*|\.\d+)(?:e[-+]?[\d_]+)?)(u|ll?|l|f)?/i,hooks:{"@":function(e){return!e.match("interface",!1)&&(e.eatWhile(/[\w\$_]/),"meta")},'"':function(e,t){return!!e.match(/""$/)&&(t.tokenize=M,t.tokenize(e,t))}},modeProps:{fold:["brace","import"]}}),B("text/x-csharp",{name:"clike",keywords:a("abstract as async await base break case catch checked class const continue default delegate do else enum event explicit extern finally fixed for foreach goto if implicit in init interface internal is lock namespace new operator out override params private protected public readonly record ref required return sealed sizeof stackalloc static struct switch this throw try typeof unchecked unsafe using virtual void volatile while add alias ascending descending dynamic from get global group into join let orderby partial remove select set value var yield"),types:a("Action Boolean Byte Char DateTime DateTimeOffset Decimal Double Func Guid Int16 Int32 Int64 Object SByte Single String Task TimeSpan UInt16 UInt32 UInt64 bool byte char decimal double short int long object sbyte float string ushort uint ulong"),blockKeywords:a("catch class do else finally for foreach if struct switch try while"),defKeywords:a("class interface namespace record struct var"),typeFirstDefinitions:!0,atoms:a("true false null"),hooks:{"@":function(e,t){return e.eat('"')?(t.tokenize=A,A(e,t)):(e.eatWhile(/[\w\$_]/),"meta")}}}),B("text/x-scala",{name:"clike",keywords:a("abstract case catch class def do else extends final finally for forSome if implicit import lazy match new null object override package private protected return sealed super this throw trait try type val var while with yield _ assert assume require print println printf readLine readBoolean readByte readShort readChar readInt readLong readFloat readDouble"),types:a("AnyVal App Application Array BufferedIterator BigDecimal BigInt Char Console Either Enumeration Equiv Error Exception Fractional Function IndexedSeq Int Integral Iterable Iterator List Map Numeric Nil NotNull Option Ordered Ordering PartialFunction PartialOrdering Product Proxy Range Responder Seq Serializable Set Specializable Stream StringBuilder StringContext Symbol Throwable Traversable TraversableOnce Tuple Unit Vector 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"),multiLineStrings:!0,blockKeywords:a("catch class enum do else finally for forSome if match switch try while"),defKeywords:a("class enum def object package trait type val var"),atoms:a("true false null"),indentStatements:!1,indentSwitch:!1,isOperatorChar:/[+\-*&%=<>!?|\/#:@]/,hooks:{"@":function(e){return e.eatWhile(/[\w\$_]/),"meta"},'"':function(e,t){return!!e.match('""')&&(t.tokenize=M,t.tokenize(e,t))},"'":function(e){return e.match(/^(\\[^'\s]+|[^\\'])'/)?"string-2":(e.eatWhile(/[\w\$_\xa1-\uffff]/),"atom")},"=":function(e,n){var r=n.context;return!("}"!=r.type||!r.align||!e.eat(">"))&&(n.context=new t(r.indented,r.column,r.type,r.info,null,r.prev),"operator")},"/":function(e,t){return!!e.eat("*")&&(t.tokenize=_(1),t.tokenize(e,t))}},modeProps:{closeBrackets:{pairs:'()[]{}""',triples:'"'}}}),B("text/x-kotlin",{name:"clike",keywords:a("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:a("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:a("catch class do else finally for if where try while enum"),defKeywords:a("class val var object interface fun"),atoms:a("true false null this"),hooks:{"@":function(e){return e.eatWhile(/[\w\$_]/),"meta"},"*":function(e,t){return"."==t.prevToken?"variable":"operator"},'"':function(e,t){return t.tokenize=S(e.match('""')),t.tokenize(e,t)},"/":function(e,t){return!!e.eat("*")&&(t.tokenize=_(1),t.tokenize(e,t))},indent:function(e,t,n,r){var o=n&&n.charAt(0);return"}"!=e.prevToken&&")"!=e.prevToken||""!=n?"operator"==e.prevToken&&"}"!=n&&"}"!=e.context.type||"variable"==e.prevToken&&"."==o||("}"==e.prevToken||")"==e.prevToken)&&"."==o?2*r+t.indented:t.align&&"}"==t.type?t.indented+(e.context.type==(n||"").charAt(0)?0:r):void 0:e.indented}},modeProps:{closeBrackets:{triples:'"'}}}),B(["x-shader/x-vertex","x-shader/x-fragment"],{name:"clike",keywords:a("sampler1D sampler2D sampler3D samplerCube sampler1DShadow sampler2DShadow const attribute uniform varying break continue discard return for while do if else struct in out inout"),types:a("float int bool void vec2 vec3 vec4 ivec2 ivec3 ivec4 bvec2 bvec3 bvec4 mat2 mat3 mat4"),blockKeywords:a("for while do if else struct"),builtin:a("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:a("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:{"#":w},modeProps:{fold:["brace","include"]}}),B("text/x-nesc",{name:"clike",keywords:a(s+" 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:f,blockKeywords:a(v),atoms:a("null true false"),hooks:{"#":w},modeProps:{fold:["brace","include"]}}),B("text/x-objectivec",{name:"clike",keywords:a(s+" "+u),types:m,builtin:a(d),blockKeywords:a(v+" @synthesize @try @catch @finally @autoreleasepool @synchronized"),defKeywords:a(g+" @interface @implementation @protocol @class"),dontIndentStatements:/^@.*$/,typeFirstDefinitions:!0,atoms:a("YES NO NULL Nil nil true false nullptr"),isReservedIdentifier:b,hooks:{"#":w,"*":y},modeProps:{fold:["brace","include"]}}),B("text/x-objectivec++",{name:"clike",keywords:a(s+" "+u+" "+c),types:m,builtin:a(d),blockKeywords:a(v+" @synthesize @try @catch @finally @autoreleasepool @synchronized class try catch"),defKeywords:a(g+" @interface @implementation @protocol @class class namespace"),dontIndentStatements:/^@.*$|^template$/,typeFirstDefinitions:!0,atoms:a("YES NO NULL Nil nil true false nullptr"),isReservedIdentifier:b,hooks:{"#":w,"*":y,u:k,U:k,L:k,R:k,0:x,1:x,2:x,3:x,4:x,5:x,6:x,7:x,8:x,9:x,token:function(e,t,n){if("variable"==n&&"("==e.peek()&&(";"==t.prevToken||null==t.prevToken||"}"==t.prevToken)&&E(e.current()))return"def"}},namespaceSeparator:"::",modeProps:{fold:["brace","include"]}}),B("text/x-squirrel",{name:"clike",keywords:a("base break clone continue const default delete enum extends function in class foreach local resume return this throw typeof yield constructor instanceof static"),types:f,blockKeywords:a("case catch class else for foreach if switch try while"),defKeywords:a("function local class"),typeFirstDefinitions:!0,atoms:a("true false null"),hooks:{"#":w},modeProps:{fold:["brace","include"]}});var N=null;function V(e){return function(t,n){for(var r,o=!1,i=!1;!t.eol();){if(!o&&t.match('"')&&("single"==e||t.match('""'))){i=!0;break}if(!o&&t.match("``")){N=V(e),i=!0;break}r=t.next(),o="single"==e&&!o&&"\\"==r}return i&&(n.tokenize=null),"string"}}B("text/x-ceylon",{name:"clike",keywords:a("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(e){var t=e.charAt(0);return t===t.toUpperCase()&&t!==t.toLowerCase()},blockKeywords:a("case catch class dynamic else finally for function if interface module new object switch try while"),defKeywords:a("class dynamic function interface module object package value"),builtin:a("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:a("true false null larger smaller equal empty finished"),indentSwitch:!1,styleDefs:!1,hooks:{"@":function(e){return e.eatWhile(/[\w\$_]/),"meta"},'"':function(e,t){return t.tokenize=V(e.match('""')?"triple":"single"),t.tokenize(e,t)},"`":function(e,t){return!(!N||!e.match("`"))&&(t.tokenize=N,N=null,t.tokenize(e,t))},"'":function(e){return e.eatWhile(/[\w\$_\xa1-\uffff]/),"atom"},token:function(e,t,n){if(("variable"==n||"type"==n)&&"."==t.prevToken)return"variable-2"}},modeProps:{fold:["brace","import"],closeBrackets:{triples:'"'}}})}(n(15237))},47936:(e,t,n)=>{!function(e){"use strict";e.defineMode("coffeescript",(function(e,t){var n="error";function r(e){return new RegExp("^(("+e.join(")|(")+"))\\b")}var o=/^(?:->|=>|\+[+=]?|-[\-=]?|\*[\*=]?|\/[\/=]?|[=!]=|<[><]?=?|>>?=?|%=?|&=?|\|=?|\^=?|\~|!|\?|(or|and|\|\||&&|\?)=)/,i=/^(?:[()\[\]{},:`=;]|\.\.?\.?)/,a=/^[_A-Za-z$][_A-Za-z$0-9]*/,l=/^@[_A-Za-z$][_A-Za-z$0-9]*/,s=r(["and","or","not","is","isnt","in","instanceof","typeof"]),c=["for","while","loop","if","unless","else","switch","try","catch","finally","class"],u=["break","by","continue","debugger","delete","do","in","of","new","return","then","this","@","throw","when","until","extends"],d=r(c.concat(u));c=r(c);var h=/^('{3}|\"{3}|['\"])/,p=/^(\/{3}|\/)/,f=r(["Infinity","NaN","undefined","null","true","false","on","off","yes","no"]);function m(e,t){if(e.sol()){null===t.scope.align&&(t.scope.align=!1);var r=t.scope.offset;if(e.eatSpace()){var c=e.indentation();return c>r&&"coffee"==t.scope.type?"indent":c<r?"dedent":null}r>0&&y(e,t)}if(e.eatSpace())return null;var u=e.peek();if(e.match("####"))return e.skipToEnd(),"comment";if(e.match("###"))return t.tokenize=g,t.tokenize(e,t);if("#"===u)return e.skipToEnd(),"comment";if(e.match(/^-?[0-9\.]/,!1)){var m=!1;if(e.match(/^-?\d*\.\d+(e[\+\-]?\d+)?/i)&&(m=!0),e.match(/^-?\d+\.\d*/)&&(m=!0),e.match(/^-?\.\d+/)&&(m=!0),m)return"."==e.peek()&&e.backUp(1),"number";var w=!1;if(e.match(/^-?0x[0-9a-f]+/i)&&(w=!0),e.match(/^-?[1-9]\d*(e[\+\-]?\d+)?/)&&(w=!0),e.match(/^-?0(?![\dx])/i)&&(w=!0),w)return"number"}if(e.match(h))return t.tokenize=v(e.current(),!1,"string"),t.tokenize(e,t);if(e.match(p)){if("/"!=e.current()||e.match(/^.*\//,!1))return t.tokenize=v(e.current(),!0,"string-2"),t.tokenize(e,t);e.backUp(1)}return e.match(o)||e.match(s)?"operator":e.match(i)?"punctuation":e.match(f)?"atom":e.match(l)||t.prop&&e.match(a)?"property":e.match(d)?"keyword":e.match(a)?"variable":(e.next(),n)}function v(e,r,o){return function(i,a){for(;!i.eol();)if(i.eatWhile(/[^'"\/\\]/),i.eat("\\")){if(i.next(),r&&i.eol())return o}else{if(i.match(e))return a.tokenize=m,o;i.eat(/['"\/]/)}return r&&(t.singleLineStringErrors?o=n:a.tokenize=m),o}}function g(e,t){for(;!e.eol();){if(e.eatWhile(/[^#]/),e.match("###")){t.tokenize=m;break}e.eatWhile("#")}return"comment"}function w(t,n,r){r=r||"coffee";for(var o=0,i=!1,a=null,l=n.scope;l;l=l.prev)if("coffee"===l.type||"}"==l.type){o=l.offset+e.indentUnit;break}"coffee"!==r?(i=null,a=t.column()+t.current().length):n.scope.align&&(n.scope.align=!1),n.scope={offset:o,type:r,prev:n.scope,align:i,alignOffset:a}}function y(e,t){if(t.scope.prev){if("coffee"===t.scope.type){for(var n=e.indentation(),r=!1,o=t.scope;o;o=o.prev)if(n===o.offset){r=!0;break}if(!r)return!0;for(;t.scope.prev&&t.scope.offset!==n;)t.scope=t.scope.prev;return!1}return t.scope=t.scope.prev,!1}}function b(e,t){var r=t.tokenize(e,t),o=e.current();"return"===o&&(t.dedent=!0),(("->"===o||"=>"===o)&&e.eol()||"indent"===r)&&w(e,t);var i="[({".indexOf(o);if(-1!==i&&w(e,t,"])}".slice(i,i+1)),c.exec(o)&&w(e,t),"then"==o&&y(e,t),"dedent"===r&&y(e,t))return n;if(-1!==(i="])}".indexOf(o))){for(;"coffee"==t.scope.type&&t.scope.prev;)t.scope=t.scope.prev;t.scope.type==o&&(t.scope=t.scope.prev)}return t.dedent&&e.eol()&&("coffee"==t.scope.type&&t.scope.prev&&(t.scope=t.scope.prev),t.dedent=!1),r}return{startState:function(e){return{tokenize:m,scope:{offset:e||0,type:"coffee",prev:null,align:!1},prop:!1,dedent:0}},token:function(e,t){var n=null===t.scope.align&&t.scope;n&&e.sol()&&(n.align=!1);var r=b(e,t);return r&&"comment"!=r&&(n&&(n.align=!0),t.prop="punctuation"==r&&"."==e.current()),r},indent:function(e,t){if(e.tokenize!=m)return 0;var n=e.scope,r=t&&"])}".indexOf(t.charAt(0))>-1;if(r)for(;"coffee"==n.type&&n.prev;)n=n.prev;var o=r&&n.type===t.charAt(0);return n.align?n.alignOffset-(o?1:0):(o?n.prev:n).offset},lineComment:"#",fold:"indent"}})),e.defineMIME("application/vnd.coffeescript","coffeescript"),e.defineMIME("text/x-coffeescript","coffeescript"),e.defineMIME("text/coffeescript","coffeescript")}(n(15237))},68656:(e,t,n)=>{!function(e){"use strict";function t(e){for(var t={},n=0;n<e.length;++n)t[e[n].toLowerCase()]=!0;return t}e.defineMode("css",(function(t,n){var r=n.inline;n.propertyKeywords||(n=e.resolveMode("text/css"));var o,i,a=t.indentUnit,l=n.tokenHooks,s=n.documentTypes||{},c=n.mediaTypes||{},u=n.mediaFeatures||{},d=n.mediaValueKeywords||{},h=n.propertyKeywords||{},p=n.nonStandardPropertyKeywords||{},f=n.fontProperties||{},m=n.counterDescriptors||{},v=n.colorKeywords||{},g=n.valueKeywords||{},w=n.allowNested,y=n.lineComment,b=!0===n.supportsAtComponent,x=!1!==t.highlightNonStandardPropertyKeywords;function k(e,t){return o=t,e}function E(e,t){var n=e.next();if(l[n]){var r=l[n](e,t);if(!1!==r)return r}return"@"==n?(e.eatWhile(/[\w\\\-]/),k("def",e.current())):"="==n||("~"==n||"|"==n)&&e.eat("=")?k(null,"compare"):'"'==n||"'"==n?(t.tokenize=A(n),t.tokenize(e,t)):"#"==n?(e.eatWhile(/[\w\\\-]/),k("atom","hash")):"!"==n?(e.match(/^\s*\w*/),k("keyword","important")):/\d/.test(n)||"."==n&&e.eat(/\d/)?(e.eatWhile(/[\w.%]/),k("number","unit")):"-"!==n?/[,+>*\/]/.test(n)?k(null,"select-op"):"."==n&&e.match(/^-?[_a-z][_a-z0-9-]*/i)?k("qualifier","qualifier"):/[:;{}\[\]\(\)]/.test(n)?k(null,n):e.match(/^[\w-.]+(?=\()/)?(/^(url(-prefix)?|domain|regexp)$/i.test(e.current())&&(t.tokenize=C),k("variable callee","variable")):/[\w\\\-]/.test(n)?(e.eatWhile(/[\w\\\-]/),k("property","word")):k(null,null):/[\d.]/.test(e.peek())?(e.eatWhile(/[\w.%]/),k("number","unit")):e.match(/^-[\w\\\-]*/)?(e.eatWhile(/[\w\\\-]/),e.match(/^\s*:/,!1)?k("variable-2","variable-definition"):k("variable-2","variable")):e.match(/^\w+-/)?k("meta","meta"):void 0}function A(e){return function(t,n){for(var r,o=!1;null!=(r=t.next());){if(r==e&&!o){")"==e&&t.backUp(1);break}o=!o&&"\\"==r}return(r==e||!o&&")"!=e)&&(n.tokenize=null),k("string","string")}}function C(e,t){return e.next(),e.match(/^\s*[\"\')]/,!1)?t.tokenize=null:t.tokenize=A(")"),k(null,"(")}function B(e,t,n){this.type=e,this.indent=t,this.prev=n}function M(e,t,n,r){return e.context=new B(n,t.indentation()+(!1===r?0:a),e.context),n}function _(e){return e.context.prev&&(e.context=e.context.prev),e.context.type}function S(e,t,n){return L[n.context.type](e,t,n)}function N(e,t,n,r){for(var o=r||1;o>0;o--)n.context=n.context.prev;return S(e,t,n)}function V(e){var t=e.current().toLowerCase();i=g.hasOwnProperty(t)?"atom":v.hasOwnProperty(t)?"keyword":"variable"}var L={top:function(e,t,n){if("{"==e)return M(n,t,"block");if("}"==e&&n.context.prev)return _(n);if(b&&/@component/i.test(e))return M(n,t,"atComponentBlock");if(/^@(-moz-)?document$/i.test(e))return M(n,t,"documentTypes");if(/^@(media|supports|(-moz-)?document|import)$/i.test(e))return M(n,t,"atBlock");if(/^@(font-face|counter-style)/i.test(e))return n.stateArg=e,"restricted_atBlock_before";if(/^@(-(moz|ms|o|webkit)-)?keyframes$/i.test(e))return"keyframes";if(e&&"@"==e.charAt(0))return M(n,t,"at");if("hash"==e)i="builtin";else if("word"==e)i="tag";else{if("variable-definition"==e)return"maybeprop";if("interpolation"==e)return M(n,t,"interpolation");if(":"==e)return"pseudo";if(w&&"("==e)return M(n,t,"parens")}return n.context.type},block:function(e,t,n){if("word"==e){var r=t.current().toLowerCase();return h.hasOwnProperty(r)?(i="property","maybeprop"):p.hasOwnProperty(r)?(i=x?"string-2":"property","maybeprop"):w?(i=t.match(/^\s*:(?:\s|$)/,!1)?"property":"tag","block"):(i+=" error","maybeprop")}return"meta"==e?"block":w||"hash"!=e&&"qualifier"!=e?L.top(e,t,n):(i="error","block")},maybeprop:function(e,t,n){return":"==e?M(n,t,"prop"):S(e,t,n)},prop:function(e,t,n){if(";"==e)return _(n);if("{"==e&&w)return M(n,t,"propBlock");if("}"==e||"{"==e)return N(e,t,n);if("("==e)return M(n,t,"parens");if("hash"!=e||/^#([0-9a-fA-F]{3,4}|[0-9a-fA-F]{6}|[0-9a-fA-F]{8})$/.test(t.current())){if("word"==e)V(t);else if("interpolation"==e)return M(n,t,"interpolation")}else i+=" error";return"prop"},propBlock:function(e,t,n){return"}"==e?_(n):"word"==e?(i="property","maybeprop"):n.context.type},parens:function(e,t,n){return"{"==e||"}"==e?N(e,t,n):")"==e?_(n):"("==e?M(n,t,"parens"):"interpolation"==e?M(n,t,"interpolation"):("word"==e&&V(t),"parens")},pseudo:function(e,t,n){return"meta"==e?"pseudo":"word"==e?(i="variable-3",n.context.type):S(e,t,n)},documentTypes:function(e,t,n){return"word"==e&&s.hasOwnProperty(t.current())?(i="tag",n.context.type):L.atBlock(e,t,n)},atBlock:function(e,t,n){if("("==e)return M(n,t,"atBlock_parens");if("}"==e||";"==e)return N(e,t,n);if("{"==e)return _(n)&&M(n,t,w?"block":"top");if("interpolation"==e)return M(n,t,"interpolation");if("word"==e){var r=t.current().toLowerCase();i="only"==r||"not"==r||"and"==r||"or"==r?"keyword":c.hasOwnProperty(r)?"attribute":u.hasOwnProperty(r)?"property":d.hasOwnProperty(r)?"keyword":h.hasOwnProperty(r)?"property":p.hasOwnProperty(r)?x?"string-2":"property":g.hasOwnProperty(r)?"atom":v.hasOwnProperty(r)?"keyword":"error"}return n.context.type},atComponentBlock:function(e,t,n){return"}"==e?N(e,t,n):"{"==e?_(n)&&M(n,t,w?"block":"top",!1):("word"==e&&(i="error"),n.context.type)},atBlock_parens:function(e,t,n){return")"==e?_(n):"{"==e||"}"==e?N(e,t,n,2):L.atBlock(e,t,n)},restricted_atBlock_before:function(e,t,n){return"{"==e?M(n,t,"restricted_atBlock"):"word"==e&&"@counter-style"==n.stateArg?(i="variable","restricted_atBlock_before"):S(e,t,n)},restricted_atBlock:function(e,t,n){return"}"==e?(n.stateArg=null,_(n)):"word"==e?(i="@font-face"==n.stateArg&&!f.hasOwnProperty(t.current().toLowerCase())||"@counter-style"==n.stateArg&&!m.hasOwnProperty(t.current().toLowerCase())?"error":"property","maybeprop"):"restricted_atBlock"},keyframes:function(e,t,n){return"word"==e?(i="variable","keyframes"):"{"==e?M(n,t,"top"):S(e,t,n)},at:function(e,t,n){return";"==e?_(n):"{"==e||"}"==e?N(e,t,n):("word"==e?i="tag":"hash"==e&&(i="builtin"),"at")},interpolation:function(e,t,n){return"}"==e?_(n):"{"==e||";"==e?N(e,t,n):("word"==e?i="variable":"variable"!=e&&"("!=e&&")"!=e&&(i="error"),"interpolation")}};return{startState:function(e){return{tokenize:null,state:r?"block":"top",stateArg:null,context:new B(r?"block":"top",e||0,null)}},token:function(e,t){if(!t.tokenize&&e.eatSpace())return null;var n=(t.tokenize||E)(e,t);return n&&"object"==typeof n&&(o=n[1],n=n[0]),i=n,"comment"!=o&&(t.state=L[t.state](o,e,t)),i},indent:function(e,t){var n=e.context,r=t&&t.charAt(0),o=n.indent;return"prop"!=n.type||"}"!=r&&")"!=r||(n=n.prev),n.prev&&("}"!=r||"block"!=n.type&&"top"!=n.type&&"interpolation"!=n.type&&"restricted_atBlock"!=n.type?(")"!=r||"parens"!=n.type&&"atBlock_parens"!=n.type)&&("{"!=r||"at"!=n.type&&"atBlock"!=n.type)||(o=Math.max(0,n.indent-a)):o=(n=n.prev).indent),o},electricChars:"}",blockCommentStart:"/*",blockCommentEnd:"*/",blockCommentContinue:" * ",lineComment:y,fold:"brace"}}));var n=["domain","regexp","url","url-prefix"],r=t(n),o=["all","aural","braille","handheld","print","projection","screen","tty","tv","embossed"],i=t(o),a=["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","orientation","device-pixel-ratio","min-device-pixel-ratio","max-device-pixel-ratio","pointer","any-pointer","hover","any-hover","prefers-color-scheme","dynamic-range","video-dynamic-range"],l=t(a),s=["landscape","portrait","none","coarse","fine","on-demand","hover","interlace","progressive","dark","light","standard","high"],c=t(s),u=["align-content","align-items","align-self","alignment-adjust","alignment-baseline","all","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","backdrop-filter","backface-visibility","background","background-attachment","background-blend-mode","background-clip","background-color","background-image","background-origin","background-position","background-position-x","background-position-y","background-repeat","background-size","baseline-shift","binding","bleed","block-size","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","caret-color","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","contain","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-content","fit-position","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","float-offset","flow-from","flow-into","font","font-family","font-feature-settings","font-kerning","font-language-override","font-optical-sizing","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-variation-settings","font-weight","gap","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-rows","grid-column","grid-column-end","grid-column-gap","grid-column-start","grid-gap","grid-row","grid-row-end","grid-row-gap","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","inset","inset-block","inset-block-end","inset-block-start","inset-inline","inset-inline-end","inset-inline-start","isolation","justify-content","justify-items","justify-self","left","letter-spacing","line-break","line-height","line-height-step","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","marks","marquee-direction","marquee-loop","marquee-play-count","marquee-speed","marquee-style","mask-clip","mask-composite","mask-image","mask-mode","mask-origin","mask-position","mask-repeat","mask-size","mask-type","max-block-size","max-height","max-inline-size","max-width","min-block-size","min-height","min-inline-size","min-width","mix-blend-mode","move-to","nav-down","nav-index","nav-left","nav-right","nav-up","object-fit","object-position","offset","offset-anchor","offset-distance","offset-path","offset-position","offset-rotate","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","place-content","place-items","place-self","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","rotate","rotation","rotation-point","row-gap","ruby-align","ruby-overhang","ruby-position","ruby-span","scale","scroll-behavior","scroll-margin","scroll-margin-block","scroll-margin-block-end","scroll-margin-block-start","scroll-margin-bottom","scroll-margin-inline","scroll-margin-inline-end","scroll-margin-inline-start","scroll-margin-left","scroll-margin-right","scroll-margin-top","scroll-padding","scroll-padding-block","scroll-padding-block-end","scroll-padding-block-start","scroll-padding-bottom","scroll-padding-inline","scroll-padding-inline-end","scroll-padding-inline-start","scroll-padding-left","scroll-padding-right","scroll-padding-top","scroll-snap-align","scroll-snap-type","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-combine-upright","text-decoration","text-decoration-color","text-decoration-line","text-decoration-skip","text-decoration-skip-ink","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-height","text-indent","text-justify","text-orientation","text-outline","text-overflow","text-rendering","text-shadow","text-size-adjust","text-space-collapse","text-transform","text-underline-position","text-wrap","top","touch-action","transform","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","translate","unicode-bidi","user-select","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","writing-mode","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","paint-order","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"],d=t(u),h=["accent-color","aspect-ratio","border-block","border-block-color","border-block-end","border-block-end-color","border-block-end-style","border-block-end-width","border-block-start","border-block-start-color","border-block-start-style","border-block-start-width","border-block-style","border-block-width","border-inline","border-inline-color","border-inline-end","border-inline-end-color","border-inline-end-style","border-inline-end-width","border-inline-start","border-inline-start-color","border-inline-start-style","border-inline-start-width","border-inline-style","border-inline-width","content-visibility","margin-block","margin-block-end","margin-block-start","margin-inline","margin-inline-end","margin-inline-start","overflow-anchor","overscroll-behavior","padding-block","padding-block-end","padding-block-start","padding-inline","padding-inline-end","padding-inline-start","scroll-snap-stop","scrollbar-3d-light-color","scrollbar-arrow-color","scrollbar-base-color","scrollbar-dark-shadow-color","scrollbar-face-color","scrollbar-highlight-color","scrollbar-shadow-color","scrollbar-track-color","searchfield-cancel-button","searchfield-decoration","searchfield-results-button","searchfield-results-decoration","shape-inside","zoom"],p=t(h),f=t(["font-display","font-family","src","unicode-range","font-variant","font-feature-settings","font-stretch","font-weight","font-style"]),m=t(["additive-symbols","fallback","negative","pad","prefix","range","speak-as","suffix","symbols","system"]),v=["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","darkgrey","darkkhaki","darkmagenta","darkolivegreen","darkorange","darkorchid","darkred","darksalmon","darkseagreen","darkslateblue","darkslategray","darkslategrey","darkturquoise","darkviolet","deeppink","deepskyblue","dimgray","dimgrey","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","lightgrey","lightpink","lightsalmon","lightseagreen","lightskyblue","lightslategray","lightslategrey","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","slategrey","snow","springgreen","steelblue","tan","teal","thistle","tomato","turquoise","violet","wheat","white","whitesmoke","yellow","yellowgreen"],g=t(v),w=["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","auto-flow","avoid","avoid-column","avoid-page","avoid-region","axis-pan","background","backwards","baseline","below","bidi-override","binary","bengali","blink","block","block-axis","blur","bold","bolder","border","border-box","both","bottom","break","break-all","break-word","brightness","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","color","color-burn","color-dodge","column","column-reverse","compact","condensed","conic-gradient","contain","content","contents","content-box","context-menu","continuous","contrast","copy","counter","counters","cover","crop","cross","crosshair","cubic-bezier","currentcolor","cursive","cyclic","darken","dashed","decimal","decimal-leading-zero","default","default-button","dense","destination-atop","destination-in","destination-out","destination-over","devanagari","difference","disc","discard","disclosure-closed","disclosure-open","document","dot-dash","dot-dot-dash","dotted","double","down","drop-shadow","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","exclusion","expanded","extends","extra-condensed","extra-expanded","fantasy","fast","fill","fill-box","fixed","flat","flex","flex-end","flex-start","footnotes","forwards","from","geometricPrecision","georgian","grayscale","graytext","grid","groove","gujarati","gurmukhi","hand","hangul","hangul-consonant","hard-light","hebrew","help","hidden","hide","higher","highlight","highlighttext","hiragana","hiragana-iroha","horizontal","hsl","hsla","hue","hue-rotate","icon","ignore","inactiveborder","inactivecaption","inactivecaptiontext","infinite","infobackground","infotext","inherit","initial","inline","inline-axis","inline-block","inline-flex","inline-grid","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","lighten","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","luminosity","malayalam","manipulation","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","multiple_mask_images","multiply","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","opacity","open-quote","optimizeLegibility","optimizeSpeed","oriya","oromo","outset","outside","outside-shape","overlay","overline","padding","padding-box","painted","page","paused","persian","perspective","pinch-zoom","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","row-resize","row-reverse","rtl","run-in","running","s-resize","sans-serif","saturate","saturation","scale","scale3d","scaleX","scaleY","scaleZ","screen","scroll","scrollbar","scroll-position","se-resize","searchfield","searchfield-cancel-button","searchfield-decoration","searchfield-results-button","searchfield-results-decoration","self-start","self-end","semi-condensed","semi-expanded","separate","sepia","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","soft-light","solid","somali","source-atop","source-in","source-out","source-over","space","space-around","space-between","space-evenly","spell-out","square","square-button","start","static","status-bar","stretch","stroke","stroke-box","sub","subpixel-antialiased","svg_masks","super","sw-resize","symbolic","symbols","system-ui","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","transform","translate","translate3d","translateX","translateY","translateZ","transparent","ultra-condensed","ultra-expanded","underline","unidirectional-pan","unset","up","upper-alpha","upper-armenian","upper-greek","upper-hexadecimal","upper-latin","upper-norwegian","upper-roman","uppercase","urdu","url","var","vertical","vertical-text","view-box","visible","visibleFill","visiblePainted","visibleStroke","visual","w-resize","wait","wave","wider","window","windowframe","windowtext","words","wrap","wrap-reverse","x-large","x-small","xor","xx-large","xx-small"],y=t(w),b=n.concat(o).concat(a).concat(s).concat(u).concat(h).concat(v).concat(w);function x(e,t){for(var n,r=!1;null!=(n=e.next());){if(r&&"/"==n){t.tokenize=null;break}r="*"==n}return["comment","comment"]}e.registerHelper("hintWords","css",b),e.defineMIME("text/css",{documentTypes:r,mediaTypes:i,mediaFeatures:l,mediaValueKeywords:c,propertyKeywords:d,nonStandardPropertyKeywords:p,fontProperties:f,counterDescriptors:m,colorKeywords:g,valueKeywords:y,tokenHooks:{"/":function(e,t){return!!e.eat("*")&&(t.tokenize=x,x(e,t))}},name:"css"}),e.defineMIME("text/x-scss",{mediaTypes:i,mediaFeatures:l,mediaValueKeywords:c,propertyKeywords:d,nonStandardPropertyKeywords:p,colorKeywords:g,valueKeywords:y,fontProperties:f,allowNested:!0,lineComment:"//",tokenHooks:{"/":function(e,t){return e.eat("/")?(e.skipToEnd(),["comment","comment"]):e.eat("*")?(t.tokenize=x,x(e,t)):["operator","operator"]},":":function(e){return!!e.match(/^\s*\{/,!1)&&[null,null]},$:function(e){return e.match(/^[\w-]+/),e.match(/^\s*:/,!1)?["variable-2","variable-definition"]:["variable-2","variable"]},"#":function(e){return!!e.eat("{")&&[null,"interpolation"]}},name:"css",helperType:"scss"}),e.defineMIME("text/x-less",{mediaTypes:i,mediaFeatures:l,mediaValueKeywords:c,propertyKeywords:d,nonStandardPropertyKeywords:p,colorKeywords:g,valueKeywords:y,fontProperties:f,allowNested:!0,lineComment:"//",tokenHooks:{"/":function(e,t){return e.eat("/")?(e.skipToEnd(),["comment","comment"]):e.eat("*")?(t.tokenize=x,x(e,t)):["operator","operator"]},"@":function(e){return e.eat("{")?[null,"interpolation"]:!e.match(/^(charset|document|font-face|import|(-(moz|ms|o|webkit)-)?keyframes|media|namespace|page|supports)\b/i,!1)&&(e.eatWhile(/[\w\\\-]/),e.match(/^\s*:/,!1)?["variable-2","variable-definition"]:["variable-2","variable"])},"&":function(){return["atom","atom"]}},name:"css",helperType:"less"}),e.defineMIME("text/x-gss",{documentTypes:r,mediaTypes:i,mediaFeatures:l,propertyKeywords:d,nonStandardPropertyKeywords:p,fontProperties:f,counterDescriptors:m,colorKeywords:g,valueKeywords:y,supportsAtComponent:!0,tokenHooks:{"/":function(e,t){return!!e.eat("*")&&(t.tokenize=x,x(e,t))}},name:"css",helperType:"gss"})}(n(15237))},83838:(e,t,n)=>{!function(e){"use strict";var t="from",n=new RegExp("^(\\s*)\\b("+t+")\\b","i"),r=["run","cmd","entrypoint","shell"],o=new RegExp("^(\\s*)("+r.join("|")+")(\\s+\\[)","i"),i="expose",a=new RegExp("^(\\s*)("+i+")(\\s+)","i"),l=["arg","from","maintainer","label","env","add","copy","volume","user","workdir","onbuild","stopsignal","healthcheck","shell"],s="("+[t,i].concat(r).concat(l).join("|")+")",c=new RegExp("^(\\s*)"+s+"(\\s*)(#.*)?$","i"),u=new RegExp("^(\\s*)"+s+"(\\s+)","i");e.defineSimpleMode("dockerfile",{start:[{regex:/^\s*#.*$/,sol:!0,token:"comment"},{regex:n,token:[null,"keyword"],sol:!0,next:"from"},{regex:c,token:[null,"keyword",null,"error"],sol:!0},{regex:o,token:[null,"keyword",null],sol:!0,next:"array"},{regex:a,token:[null,"keyword",null],sol:!0,next:"expose"},{regex:u,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:"#"}}),e.defineMIME("text/x-dockerfile","dockerfile")}(n(15237),n(34856))},8294:(e,t,n)=>{!function(e){"use strict";e.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:"--}}"}}),e.defineMode("handlebars",(function(t,n){var r=e.getMode(t,"handlebars-tags");return n&&n.base?e.multiplexingMode(e.getMode(t,n.base),{open:"{{",close:/\}\}\}?/,mode:r,parseDelimiters:!0}):r})),e.defineMIME("text/x-handlebars-template","handlebars")}(n(15237),n(34856),n(97340))},12520:(e,t,n)=>{!function(e){"use strict";var t={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 n(e,t,n){var r=e.current(),o=r.search(t);return o>-1?e.backUp(r.length-o):r.match(/<\/?$/)&&(e.backUp(r.length),e.match(t,!1)||e.match(r)),n}var r={};function o(e){var t=r[e];return t||(r[e]=new RegExp("\\s+"+e+"\\s*=\\s*('|\")?([^'\"]+)('|\")?\\s*"))}function i(e,t){var n=e.match(o(t));return n?/^\s*(.*?)\s*$/.exec(n[2])[1]:""}function a(e,t){return new RegExp((t?"^":"")+"</\\s*"+e+"\\s*>","i")}function l(e,t){for(var n in e)for(var r=t[n]||(t[n]=[]),o=e[n],i=o.length-1;i>=0;i--)r.unshift(o[i])}function s(e,t){for(var n=0;n<e.length;n++){var r=e[n];if(!r[0]||r[1].test(i(t,r[0])))return r[2]}}e.defineMode("htmlmixed",(function(r,o){var i=e.getMode(r,{name:"xml",htmlMode:!0,multilineTagIndentFactor:o.multilineTagIndentFactor,multilineTagIndentPastTag:o.multilineTagIndentPastTag,allowMissingTagName:o.allowMissingTagName}),c={},u=o&&o.tags,d=o&&o.scriptTypes;if(l(t,c),u&&l(u,c),d)for(var h=d.length-1;h>=0;h--)c.script.unshift(["type",d[h].matches,d[h].mode]);function p(t,o){var l,u=i.token(t,o.htmlState),d=/\btag\b/.test(u);if(d&&!/[<>\s\/]/.test(t.current())&&(l=o.htmlState.tagName&&o.htmlState.tagName.toLowerCase())&&c.hasOwnProperty(l))o.inTag=l+" ";else if(o.inTag&&d&&/>$/.test(t.current())){var h=/^([\S]+) (.*)/.exec(o.inTag);o.inTag=null;var f=">"==t.current()&&s(c[h[1]],h[2]),m=e.getMode(r,f),v=a(h[1],!0),g=a(h[1],!1);o.token=function(e,t){return e.match(v,!1)?(t.token=p,t.localState=t.localMode=null,null):n(e,g,t.localMode.token(e,t.localState))},o.localMode=m,o.localState=e.startState(m,i.indent(o.htmlState,"",""))}else o.inTag&&(o.inTag+=t.current(),t.eol()&&(o.inTag+=" "));return u}return{startState:function(){return{token:p,inTag:null,localMode:null,localState:null,htmlState:e.startState(i)}},copyState:function(t){var n;return t.localState&&(n=e.copyState(t.localMode,t.localState)),{token:t.token,inTag:t.inTag,localMode:t.localMode,localState:n,htmlState:e.copyState(i,t.htmlState)}},token:function(e,t){return t.token(e,t)},indent:function(t,n,r){return!t.localMode||/^\s*<\//.test(n)?i.indent(t.htmlState,n,r):t.localMode.indent?t.localMode.indent(t.localState,n,r):e.Pass},innerMode:function(e){return{state:e.localState||e.htmlState,mode:e.localMode||i}}}}),"xml","javascript","css"),e.defineMIME("text/html","htmlmixed")}(n(15237),n(40576),n(16792),n(68656))},16792:(e,t,n)=>{!function(e){"use strict";e.defineMode("javascript",(function(t,n){var r,o,i=t.indentUnit,a=n.statementIndent,l=n.jsonld,s=n.json||l,c=!1!==n.trackScope,u=n.typescript,d=n.wordCharacters||/[\w$\xa1-\uffff]/,h=function(){function e(e){return{type:e,style:"keyword"}}var t=e("keyword a"),n=e("keyword b"),r=e("keyword c"),o=e("keyword d"),i=e("operator"),a={type:"atom",style:"atom"};return{if:e("if"),while:t,with:t,else:n,do:n,try:n,finally:n,return:o,break:o,continue:o,new:e("new"),delete:r,void:r,throw:r,debugger:e("debugger"),var:e("var"),const:e("var"),let:e("var"),function:e("function"),catch:e("catch"),for:e("for"),switch:e("switch"),case:e("case"),default:e("default"),in:i,typeof:i,instanceof:i,true:a,false:a,null:a,undefined:a,NaN:a,Infinity:a,this:e("this"),class:e("class"),super:e("atom"),yield:r,export:e("export"),import:e("import"),extends:r,await:r}}(),p=/[+\-*&%=<>!?|~^@]/,f=/^@(context|id|value|language|type|container|list|set|reverse|index|base|vocab|graph)"/;function m(e){for(var t,n=!1,r=!1;null!=(t=e.next());){if(!n){if("/"==t&&!r)return;"["==t?r=!0:r&&"]"==t&&(r=!1)}n=!n&&"\\"==t}}function v(e,t,n){return r=e,o=n,t}function g(e,t){var n=e.next();if('"'==n||"'"==n)return t.tokenize=w(n),t.tokenize(e,t);if("."==n&&e.match(/^\d[\d_]*(?:[eE][+\-]?[\d_]+)?/))return v("number","number");if("."==n&&e.match(".."))return v("spread","meta");if(/[\[\]{}\(\),;\:\.]/.test(n))return v(n);if("="==n&&e.eat(">"))return v("=>","operator");if("0"==n&&e.match(/^(?:x[\dA-Fa-f_]+|o[0-7_]+|b[01_]+)n?/))return v("number","number");if(/\d/.test(n))return e.match(/^[\d_]*(?:n|(?:\.[\d_]*)?(?:[eE][+\-]?[\d_]+)?)?/),v("number","number");if("/"==n)return e.eat("*")?(t.tokenize=y,y(e,t)):e.eat("/")?(e.skipToEnd(),v("comment","comment")):ot(e,t,1)?(m(e),e.match(/^\b(([gimyus])(?![gimyus]*\2))+\b/),v("regexp","string-2")):(e.eat("="),v("operator","operator",e.current()));if("`"==n)return t.tokenize=b,b(e,t);if("#"==n&&"!"==e.peek())return e.skipToEnd(),v("meta","meta");if("#"==n&&e.eatWhile(d))return v("variable","property");if("<"==n&&e.match("!--")||"-"==n&&e.match("->")&&!/\S/.test(e.string.slice(0,e.start)))return e.skipToEnd(),v("comment","comment");if(p.test(n))return">"==n&&t.lexical&&">"==t.lexical.type||(e.eat("=")?"!"!=n&&"="!=n||e.eat("="):/[<>*+\-|&?]/.test(n)&&(e.eat(n),">"==n&&e.eat(n))),"?"==n&&e.eat(".")?v("."):v("operator","operator",e.current());if(d.test(n)){e.eatWhile(d);var r=e.current();if("."!=t.lastType){if(h.propertyIsEnumerable(r)){var o=h[r];return v(o.type,o.style,r)}if("async"==r&&e.match(/^(\s|\/\*([^*]|\*(?!\/))*?\*\/)*[\[\(\w]/,!1))return v("async","keyword",r)}return v("variable","variable",r)}}function w(e){return function(t,n){var r,o=!1;if(l&&"@"==t.peek()&&t.match(f))return n.tokenize=g,v("jsonld-keyword","meta");for(;null!=(r=t.next())&&(r!=e||o);)o=!o&&"\\"==r;return o||(n.tokenize=g),v("string","string")}}function y(e,t){for(var n,r=!1;n=e.next();){if("/"==n&&r){t.tokenize=g;break}r="*"==n}return v("comment","comment")}function b(e,t){for(var n,r=!1;null!=(n=e.next());){if(!r&&("`"==n||"$"==n&&e.eat("{"))){t.tokenize=g;break}r=!r&&"\\"==n}return v("quasi","string-2",e.current())}var x="([{}])";function k(e,t){t.fatArrowAt&&(t.fatArrowAt=null);var n=e.string.indexOf("=>",e.start);if(!(n<0)){if(u){var r=/:\s*(?:\w+(?:<[^>]*>|\[\])?|\{[^}]*\})\s*$/.exec(e.string.slice(e.start,n));r&&(n=r.index)}for(var o=0,i=!1,a=n-1;a>=0;--a){var l=e.string.charAt(a),s=x.indexOf(l);if(s>=0&&s<3){if(!o){++a;break}if(0==--o){"("==l&&(i=!0);break}}else if(s>=3&&s<6)++o;else if(d.test(l))i=!0;else if(/["'\/`]/.test(l))for(;;--a){if(0==a)return;if(e.string.charAt(a-1)==l&&"\\"!=e.string.charAt(a-2)){a--;break}}else if(i&&!o){++a;break}}i&&!o&&(t.fatArrowAt=a)}}var E={atom:!0,number:!0,variable:!0,string:!0,regexp:!0,this:!0,import:!0,"jsonld-keyword":!0};function A(e,t,n,r,o,i){this.indented=e,this.column=t,this.type=n,this.prev=o,this.info=i,null!=r&&(this.align=r)}function C(e,t){if(!c)return!1;for(var n=e.localVars;n;n=n.next)if(n.name==t)return!0;for(var r=e.context;r;r=r.prev)for(n=r.vars;n;n=n.next)if(n.name==t)return!0}function B(e,t,n,r,o){var i=e.cc;for(M.state=e,M.stream=o,M.marked=null,M.cc=i,M.style=t,e.lexical.hasOwnProperty("align")||(e.lexical.align=!0);;)if((i.length?i.pop():s?U:z)(n,r)){for(;i.length&&i[i.length-1].lex;)i.pop()();return M.marked?M.marked:"variable"==n&&C(e,r)?"variable-2":t}}var M={state:null,column:null,marked:null,cc:null};function _(){for(var e=arguments.length-1;e>=0;e--)M.cc.push(arguments[e])}function S(){return _.apply(null,arguments),!0}function N(e,t){for(var n=t;n;n=n.next)if(n.name==e)return!0;return!1}function V(e){var t=M.state;if(M.marked="def",c){if(t.context)if("var"==t.lexical.info&&t.context&&t.context.block){var r=L(e,t.context);if(null!=r)return void(t.context=r)}else if(!N(e,t.localVars))return void(t.localVars=new Z(e,t.localVars));n.globalVars&&!N(e,t.globalVars)&&(t.globalVars=new Z(e,t.globalVars))}}function L(e,t){if(t){if(t.block){var n=L(e,t.prev);return n?n==t.prev?t:new I(n,t.vars,!0):null}return N(e,t.vars)?t:new I(t.prev,new Z(e,t.vars),!1)}return null}function T(e){return"public"==e||"private"==e||"protected"==e||"abstract"==e||"readonly"==e}function I(e,t,n){this.prev=e,this.vars=t,this.block=n}function Z(e,t){this.name=e,this.next=t}var O=new Z("this",new Z("arguments",null));function D(){M.state.context=new I(M.state.context,M.state.localVars,!1),M.state.localVars=O}function R(){M.state.context=new I(M.state.context,M.state.localVars,!0),M.state.localVars=null}function H(){M.state.localVars=M.state.context.vars,M.state.context=M.state.context.prev}function P(e,t){var n=function(){var n=M.state,r=n.indented;if("stat"==n.lexical.type)r=n.lexical.indented;else for(var o=n.lexical;o&&")"==o.type&&o.align;o=o.prev)r=o.indented;n.lexical=new A(r,M.stream.column(),e,null,n.lexical,t)};return n.lex=!0,n}function j(){var e=M.state;e.lexical.prev&&(")"==e.lexical.type&&(e.indented=e.lexical.indented),e.lexical=e.lexical.prev)}function F(e){function t(n){return n==e?S():";"==e||"}"==n||")"==n||"]"==n?_():S(t)}return t}function z(e,t){return"var"==e?S(P("vardef",t),_e,F(";"),j):"keyword a"==e?S(P("form"),W,z,j):"keyword b"==e?S(P("form"),z,j):"keyword d"==e?M.stream.match(/^\s*$/,!1)?S():S(P("stat"),K,F(";"),j):"debugger"==e?S(F(";")):"{"==e?S(P("}"),R,he,j,H):";"==e?S():"if"==e?("else"==M.state.lexical.info&&M.state.cc[M.state.cc.length-1]==j&&M.state.cc.pop()(),S(P("form"),W,z,j,Ie)):"function"==e?S(Re):"for"==e?S(P("form"),R,Ze,z,H,j):"class"==e||u&&"interface"==t?(M.marked="keyword",S(P("form","class"==e?e:t),ze,j)):"variable"==e?u&&"declare"==t?(M.marked="keyword",S(z)):u&&("module"==t||"enum"==t||"type"==t)&&M.stream.match(/^\s*\w/,!1)?(M.marked="keyword","enum"==t?S(tt):"type"==t?S(Pe,F("operator"),ge,F(";")):S(P("form"),Se,F("{"),P("}"),he,j,j)):u&&"namespace"==t?(M.marked="keyword",S(P("form"),U,z,j)):u&&"abstract"==t?(M.marked="keyword",S(z)):S(P("stat"),ie):"switch"==e?S(P("form"),W,F("{"),P("}","switch"),R,he,j,j,H):"case"==e?S(U,F(":")):"default"==e?S(F(":")):"catch"==e?S(P("form"),D,q,z,j,H):"export"==e?S(P("stat"),We,j):"import"==e?S(P("stat"),Ke,j):"async"==e?S(z):"@"==t?S(U,z):_(P("stat"),U,F(";"),j)}function q(e){if("("==e)return S(je,F(")"))}function U(e,t){return G(e,t,!1)}function $(e,t){return G(e,t,!0)}function W(e){return"("!=e?_():S(P(")"),K,F(")"),j)}function G(e,t,n){if(M.state.fatArrowAt==M.stream.start){var r=n?te:ee;if("("==e)return S(D,P(")"),ue(je,")"),j,F("=>"),r,H);if("variable"==e)return _(D,Se,F("=>"),r,H)}var o=n?X:Y;return E.hasOwnProperty(e)?S(o):"function"==e?S(Re,o):"class"==e||u&&"interface"==t?(M.marked="keyword",S(P("form"),Fe,j)):"keyword c"==e||"async"==e?S(n?$:U):"("==e?S(P(")"),K,F(")"),j,o):"operator"==e||"spread"==e?S(n?$:U):"["==e?S(P("]"),et,j,o):"{"==e?de(le,"}",null,o):"quasi"==e?_(J,o):"new"==e?S(ne(n)):S()}function K(e){return e.match(/[;\}\)\],]/)?_():_(U)}function Y(e,t){return","==e?S(K):X(e,t,!1)}function X(e,t,n){var r=0==n?Y:X,o=0==n?U:$;return"=>"==e?S(D,n?te:ee,H):"operator"==e?/\+\+|--/.test(t)||u&&"!"==t?S(r):u&&"<"==t&&M.stream.match(/^([^<>]|<[^<>]*>)*>\s*\(/,!1)?S(P(">"),ue(ge,">"),j,r):"?"==t?S(U,F(":"),o):S(o):"quasi"==e?_(J,r):";"!=e?"("==e?de($,")","call",r):"."==e?S(ae,r):"["==e?S(P("]"),K,F("]"),j,r):u&&"as"==t?(M.marked="keyword",S(ge,r)):"regexp"==e?(M.state.lastType=M.marked="operator",M.stream.backUp(M.stream.pos-M.stream.start-1),S(o)):void 0:void 0}function J(e,t){return"quasi"!=e?_():"${"!=t.slice(t.length-2)?S(J):S(K,Q)}function Q(e){if("}"==e)return M.marked="string-2",M.state.tokenize=b,S(J)}function ee(e){return k(M.stream,M.state),_("{"==e?z:U)}function te(e){return k(M.stream,M.state),_("{"==e?z:$)}function ne(e){return function(t){return"."==t?S(e?oe:re):"variable"==t&&u?S(Ce,e?X:Y):_(e?$:U)}}function re(e,t){if("target"==t)return M.marked="keyword",S(Y)}function oe(e,t){if("target"==t)return M.marked="keyword",S(X)}function ie(e){return":"==e?S(j,z):_(Y,F(";"),j)}function ae(e){if("variable"==e)return M.marked="property",S()}function le(e,t){return"async"==e?(M.marked="property",S(le)):"variable"==e||"keyword"==M.style?(M.marked="property","get"==t||"set"==t?S(se):(u&&M.state.fatArrowAt==M.stream.start&&(n=M.stream.match(/^\s*:\s*/,!1))&&(M.state.fatArrowAt=M.stream.pos+n[0].length),S(ce))):"number"==e||"string"==e?(M.marked=l?"property":M.style+" property",S(ce)):"jsonld-keyword"==e?S(ce):u&&T(t)?(M.marked="keyword",S(le)):"["==e?S(U,pe,F("]"),ce):"spread"==e?S($,ce):"*"==t?(M.marked="keyword",S(le)):":"==e?_(ce):void 0;var n}function se(e){return"variable"!=e?_(ce):(M.marked="property",S(Re))}function ce(e){return":"==e?S($):"("==e?_(Re):void 0}function ue(e,t,n){function r(o,i){if(n?n.indexOf(o)>-1:","==o){var a=M.state.lexical;return"call"==a.info&&(a.pos=(a.pos||0)+1),S((function(n,r){return n==t||r==t?_():_(e)}),r)}return o==t||i==t?S():n&&n.indexOf(";")>-1?_(e):S(F(t))}return function(n,o){return n==t||o==t?S():_(e,r)}}function de(e,t,n){for(var r=3;r<arguments.length;r++)M.cc.push(arguments[r]);return S(P(t,n),ue(e,t),j)}function he(e){return"}"==e?S():_(z,he)}function pe(e,t){if(u){if(":"==e)return S(ge);if("?"==t)return S(pe)}}function fe(e,t){if(u&&(":"==e||"in"==t))return S(ge)}function me(e){if(u&&":"==e)return M.stream.match(/^\s*\w+\s+is\b/,!1)?S(U,ve,ge):S(ge)}function ve(e,t){if("is"==t)return M.marked="keyword",S()}function ge(e,t){return"keyof"==t||"typeof"==t||"infer"==t||"readonly"==t?(M.marked="keyword",S("typeof"==t?$:ge)):"variable"==e||"void"==t?(M.marked="type",S(Ae)):"|"==t||"&"==t?S(ge):"string"==e||"number"==e||"atom"==e?S(Ae):"["==e?S(P("]"),ue(ge,"]",","),j,Ae):"{"==e?S(P("}"),ye,j,Ae):"("==e?S(ue(Ee,")"),we,Ae):"<"==e?S(ue(ge,">"),ge):"quasi"==e?_(xe,Ae):void 0}function we(e){if("=>"==e)return S(ge)}function ye(e){return e.match(/[\}\)\]]/)?S():","==e||";"==e?S(ye):_(be,ye)}function be(e,t){return"variable"==e||"keyword"==M.style?(M.marked="property",S(be)):"?"==t||"number"==e||"string"==e?S(be):":"==e?S(ge):"["==e?S(F("variable"),fe,F("]"),be):"("==e?_(He,be):e.match(/[;\}\)\],]/)?void 0:S()}function xe(e,t){return"quasi"!=e?_():"${"!=t.slice(t.length-2)?S(xe):S(ge,ke)}function ke(e){if("}"==e)return M.marked="string-2",M.state.tokenize=b,S(xe)}function Ee(e,t){return"variable"==e&&M.stream.match(/^\s*[?:]/,!1)||"?"==t?S(Ee):":"==e?S(ge):"spread"==e?S(Ee):_(ge)}function Ae(e,t){return"<"==t?S(P(">"),ue(ge,">"),j,Ae):"|"==t||"."==e||"&"==t?S(ge):"["==e?S(ge,F("]"),Ae):"extends"==t||"implements"==t?(M.marked="keyword",S(ge)):"?"==t?S(ge,F(":"),ge):void 0}function Ce(e,t){if("<"==t)return S(P(">"),ue(ge,">"),j,Ae)}function Be(){return _(ge,Me)}function Me(e,t){if("="==t)return S(ge)}function _e(e,t){return"enum"==t?(M.marked="keyword",S(tt)):_(Se,pe,Le,Te)}function Se(e,t){return u&&T(t)?(M.marked="keyword",S(Se)):"variable"==e?(V(t),S()):"spread"==e?S(Se):"["==e?de(Ve,"]"):"{"==e?de(Ne,"}"):void 0}function Ne(e,t){return"variable"!=e||M.stream.match(/^\s*:/,!1)?("variable"==e&&(M.marked="property"),"spread"==e?S(Se):"}"==e?_():"["==e?S(U,F("]"),F(":"),Ne):S(F(":"),Se,Le)):(V(t),S(Le))}function Ve(){return _(Se,Le)}function Le(e,t){if("="==t)return S($)}function Te(e){if(","==e)return S(_e)}function Ie(e,t){if("keyword b"==e&&"else"==t)return S(P("form","else"),z,j)}function Ze(e,t){return"await"==t?S(Ze):"("==e?S(P(")"),Oe,j):void 0}function Oe(e){return"var"==e?S(_e,De):"variable"==e?S(De):_(De)}function De(e,t){return")"==e?S():";"==e?S(De):"in"==t||"of"==t?(M.marked="keyword",S(U,De)):_(U,De)}function Re(e,t){return"*"==t?(M.marked="keyword",S(Re)):"variable"==e?(V(t),S(Re)):"("==e?S(D,P(")"),ue(je,")"),j,me,z,H):u&&"<"==t?S(P(">"),ue(Be,">"),j,Re):void 0}function He(e,t){return"*"==t?(M.marked="keyword",S(He)):"variable"==e?(V(t),S(He)):"("==e?S(D,P(")"),ue(je,")"),j,me,H):u&&"<"==t?S(P(">"),ue(Be,">"),j,He):void 0}function Pe(e,t){return"keyword"==e||"variable"==e?(M.marked="type",S(Pe)):"<"==t?S(P(">"),ue(Be,">"),j):void 0}function je(e,t){return"@"==t&&S(U,je),"spread"==e?S(je):u&&T(t)?(M.marked="keyword",S(je)):u&&"this"==e?S(pe,Le):_(Se,pe,Le)}function Fe(e,t){return"variable"==e?ze(e,t):qe(e,t)}function ze(e,t){if("variable"==e)return V(t),S(qe)}function qe(e,t){return"<"==t?S(P(">"),ue(Be,">"),j,qe):"extends"==t||"implements"==t||u&&","==e?("implements"==t&&(M.marked="keyword"),S(u?ge:U,qe)):"{"==e?S(P("}"),Ue,j):void 0}function Ue(e,t){return"async"==e||"variable"==e&&("static"==t||"get"==t||"set"==t||u&&T(t))&&M.stream.match(/^\s+#?[\w$\xa1-\uffff]/,!1)?(M.marked="keyword",S(Ue)):"variable"==e||"keyword"==M.style?(M.marked="property",S($e,Ue)):"number"==e||"string"==e?S($e,Ue):"["==e?S(U,pe,F("]"),$e,Ue):"*"==t?(M.marked="keyword",S(Ue)):u&&"("==e?_(He,Ue):";"==e||","==e?S(Ue):"}"==e?S():"@"==t?S(U,Ue):void 0}function $e(e,t){if("!"==t)return S($e);if("?"==t)return S($e);if(":"==e)return S(ge,Le);if("="==t)return S($);var n=M.state.lexical.prev;return _(n&&"interface"==n.info?He:Re)}function We(e,t){return"*"==t?(M.marked="keyword",S(Qe,F(";"))):"default"==t?(M.marked="keyword",S(U,F(";"))):"{"==e?S(ue(Ge,"}"),Qe,F(";")):_(z)}function Ge(e,t){return"as"==t?(M.marked="keyword",S(F("variable"))):"variable"==e?_($,Ge):void 0}function Ke(e){return"string"==e?S():"("==e?_(U):"."==e?_(Y):_(Ye,Xe,Qe)}function Ye(e,t){return"{"==e?de(Ye,"}"):("variable"==e&&V(t),"*"==t&&(M.marked="keyword"),S(Je))}function Xe(e){if(","==e)return S(Ye,Xe)}function Je(e,t){if("as"==t)return M.marked="keyword",S(Ye)}function Qe(e,t){if("from"==t)return M.marked="keyword",S(U)}function et(e){return"]"==e?S():_(ue($,"]"))}function tt(){return _(P("form"),Se,F("{"),P("}"),ue(nt,"}"),j,j)}function nt(){return _(Se,Le)}function rt(e,t){return"operator"==e.lastType||","==e.lastType||p.test(t.charAt(0))||/[,.]/.test(t.charAt(0))}function ot(e,t,n){return t.tokenize==g&&/^(?:operator|sof|keyword [bcd]|case|new|export|default|spread|[\[{}\(,;:]|=>)$/.test(t.lastType)||"quasi"==t.lastType&&/\{\s*$/.test(e.string.slice(0,e.pos-(n||0)))}return D.lex=R.lex=!0,H.lex=!0,j.lex=!0,{startState:function(e){var t={tokenize:g,lastType:"sof",cc:[],lexical:new A((e||0)-i,0,"block",!1),localVars:n.localVars,context:n.localVars&&new I(null,null,!1),indented:e||0};return n.globalVars&&"object"==typeof n.globalVars&&(t.globalVars=n.globalVars),t},token:function(e,t){if(e.sol()&&(t.lexical.hasOwnProperty("align")||(t.lexical.align=!1),t.indented=e.indentation(),k(e,t)),t.tokenize!=y&&e.eatSpace())return null;var n=t.tokenize(e,t);return"comment"==r?n:(t.lastType="operator"!=r||"++"!=o&&"--"!=o?r:"incdec",B(t,n,r,o,e))},indent:function(t,r){if(t.tokenize==y||t.tokenize==b)return e.Pass;if(t.tokenize!=g)return 0;var o,l=r&&r.charAt(0),s=t.lexical;if(!/^\s*else\b/.test(r))for(var c=t.cc.length-1;c>=0;--c){var u=t.cc[c];if(u==j)s=s.prev;else if(u!=Ie&&u!=H)break}for(;("stat"==s.type||"form"==s.type)&&("}"==l||(o=t.cc[t.cc.length-1])&&(o==Y||o==X)&&!/^[,\.=+\-*:?[\(]/.test(r));)s=s.prev;a&&")"==s.type&&"stat"==s.prev.type&&(s=s.prev);var d=s.type,h=l==d;return"vardef"==d?s.indented+("operator"==t.lastType||","==t.lastType?s.info.length+1:0):"form"==d&&"{"==l?s.indented:"form"==d?s.indented+i:"stat"==d?s.indented+(rt(t,r)?a||i:0):"switch"!=s.info||h||0==n.doubleIndentSwitch?s.align?s.column+(h?0:1):s.indented+(h?0:i):s.indented+(/^(?:case|default)\b/.test(r)?i:2*i)},electricInput:/^\s*(?:case .*?:|default:|\{|\})$/,blockCommentStart:s?null:"/*",blockCommentEnd:s?null:"*/",blockCommentContinue:s?null:" * ",lineComment:s?null:"//",fold:"brace",closeBrackets:"()[]{}''\"\"``",helperType:s?"json":"javascript",jsonldMode:l,jsonMode:s,expressionAllowed:ot,skipExpression:function(t){B(t,"atom","atom","true",new e.StringStream("",2,null))}}})),e.registerHelper("wordChars","javascript",/[\w$]/),e.defineMIME("text/javascript","javascript"),e.defineMIME("text/ecmascript","javascript"),e.defineMIME("application/javascript","javascript"),e.defineMIME("application/x-javascript","javascript"),e.defineMIME("application/ecmascript","javascript"),e.defineMIME("application/json",{name:"javascript",json:!0}),e.defineMIME("application/x-json",{name:"javascript",json:!0}),e.defineMIME("application/manifest+json",{name:"javascript",json:!0}),e.defineMIME("application/ld+json",{name:"javascript",jsonld:!0}),e.defineMIME("text/typescript",{name:"javascript",typescript:!0}),e.defineMIME("application/typescript",{name:"javascript",typescript:!0})}(n(15237))},47216:(e,t,n)=>{!function(e){"use strict";e.defineMode("markdown",(function(t,n){var r=e.getMode(t,"text/html"),o="null"==r.name;function i(n){if(e.findModeByName){var r=e.findModeByName(n);r&&(n=r.mime||r.mimes[0])}var o=e.getMode(t,n);return"null"==o.name?null:o}void 0===n.highlightFormatting&&(n.highlightFormatting=!1),void 0===n.maxBlockquoteDepth&&(n.maxBlockquoteDepth=0),void 0===n.taskLists&&(n.taskLists=!1),void 0===n.strikethrough&&(n.strikethrough=!1),void 0===n.emoji&&(n.emoji=!1),void 0===n.fencedCodeBlockHighlighting&&(n.fencedCodeBlockHighlighting=!0),void 0===n.fencedCodeBlockDefaultMode&&(n.fencedCodeBlockDefaultMode="text/plain"),void 0===n.xml&&(n.xml=!0),void 0===n.tokenTypeOverrides&&(n.tokenTypeOverrides={});var a={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 l in a)a.hasOwnProperty(l)&&n.tokenTypeOverrides[l]&&(a[l]=n.tokenTypeOverrides[l]);var s=/^([*\-_])(?:\s*\1){2,}\s*$/,c=/^(?:[*\-+]|^[0-9]+([.)]))\s+/,u=/^\[(x| )\](?=\s)/i,d=n.allowAtxHeaderWithoutSpace?/^(#+)/:/^(#+)(?: |$)/,h=/^ {0,3}(?:\={1,}|-{2,})\s*$/,p=/^[^#!\[\]*_\\<>` "'(~:]+/,f=/^(~~~+|```+)[ \t]*([\w\/+#-]*)[^\n`]*$/,m=/^\s*\[[^\]]+?\]:.*$/,v=/[!"#$%&'()*+,\-.\/:;<=>?@\[\\\]^_`{|}~\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]/,g="    ";function w(e,t,n){return t.f=t.inline=n,n(e,t)}function y(e,t,n){return t.f=t.block=n,n(e,t)}function b(e){return!e||!/\S/.test(e.string)}function x(t){if(t.linkTitle=!1,t.linkHref=!1,t.linkText=!1,t.em=!1,t.strong=!1,t.strikethrough=!1,t.quote=0,t.indentedCode=!1,t.f==E){var n=o;if(!n){var i=e.innerMode(r,t.htmlState);n="xml"==i.mode.name&&null===i.state.tagStart&&!i.state.context&&i.state.tokenize.isInText}n&&(t.f=M,t.block=k,t.htmlState=null)}return t.trailingSpace=0,t.trailingSpaceNewLine=!1,t.prevLine=t.thisLine,t.thisLine={stream:null},null}function k(t,r){var o=t.column()===r.indentation,l=b(r.prevLine.stream),p=r.indentedCode,v=r.prevLine.hr,g=!1!==r.list,y=(r.listStack[r.listStack.length-1]||0)+3;r.indentedCode=!1;var x=r.indentation;if(null===r.indentationDiff&&(r.indentationDiff=r.indentation,g)){for(r.list=null;x<r.listStack[r.listStack.length-1];)r.listStack.pop(),r.listStack.length?r.indentation=r.listStack[r.listStack.length-1]:r.list=!1;!1!==r.list&&(r.indentationDiff=x-r.listStack[r.listStack.length-1])}var k=!(l||v||r.prevLine.header||g&&p||r.prevLine.fencedCodeEnd),E=(!1===r.list||v||l)&&r.indentation<=y&&t.match(s),B=null;if(r.indentationDiff>=4&&(p||r.prevLine.fencedCodeEnd||r.prevLine.header||l))return t.skipToEnd(),r.indentedCode=!0,a.code;if(t.eatSpace())return null;if(o&&r.indentation<=y&&(B=t.match(d))&&B[1].length<=6)return r.quote=0,r.header=B[1].length,r.thisLine.header=!0,n.highlightFormatting&&(r.formatting="header"),r.f=r.inline,C(r);if(r.indentation<=y&&t.eat(">"))return r.quote=o?1:r.quote+1,n.highlightFormatting&&(r.formatting="quote"),t.eatSpace(),C(r);if(!E&&!r.setext&&o&&r.indentation<=y&&(B=t.match(c))){var M=B[1]?"ol":"ul";return r.indentation=x+t.current().length,r.list=!0,r.quote=0,r.listStack.push(r.indentation),r.em=!1,r.strong=!1,r.code=!1,r.strikethrough=!1,n.taskLists&&t.match(u,!1)&&(r.taskList=!0),r.f=r.inline,n.highlightFormatting&&(r.formatting=["list","list-"+M]),C(r)}return o&&r.indentation<=y&&(B=t.match(f,!0))?(r.quote=0,r.fencedEndRE=new RegExp(B[1]+"+ *$"),r.localMode=n.fencedCodeBlockHighlighting&&i(B[2]||n.fencedCodeBlockDefaultMode),r.localMode&&(r.localState=e.startState(r.localMode)),r.f=r.block=A,n.highlightFormatting&&(r.formatting="code-block"),r.code=-1,C(r)):r.setext||!(k&&g||r.quote||!1!==r.list||r.code||E||m.test(t.string))&&(B=t.lookAhead(1))&&(B=B.match(h))?(r.setext?(r.header=r.setext,r.setext=0,t.skipToEnd(),n.highlightFormatting&&(r.formatting="header")):(r.header="="==B[0].charAt(0)?1:2,r.setext=r.header),r.thisLine.header=!0,r.f=r.inline,C(r)):E?(t.skipToEnd(),r.hr=!0,r.thisLine.hr=!0,a.hr):"["===t.peek()?w(t,r,L):w(t,r,r.inline)}function E(t,n){var i=r.token(t,n.htmlState);if(!o){var a=e.innerMode(r,n.htmlState);("xml"==a.mode.name&&null===a.state.tagStart&&!a.state.context&&a.state.tokenize.isInText||n.md_inside&&t.current().indexOf(">")>-1)&&(n.f=M,n.block=k,n.htmlState=null)}return i}function A(e,t){var r,o=t.listStack[t.listStack.length-1]||0,i=t.indentation<o,l=o+3;return t.fencedEndRE&&t.indentation<=l&&(i||e.match(t.fencedEndRE))?(n.highlightFormatting&&(t.formatting="code-block"),i||(r=C(t)),t.localMode=t.localState=null,t.block=k,t.f=M,t.fencedEndRE=null,t.code=0,t.thisLine.fencedCodeEnd=!0,i?y(e,t,t.block):r):t.localMode?t.localMode.token(e,t.localState):(e.skipToEnd(),a.code)}function C(e){var t=[];if(e.formatting){t.push(a.formatting),"string"==typeof e.formatting&&(e.formatting=[e.formatting]);for(var r=0;r<e.formatting.length;r++)t.push(a.formatting+"-"+e.formatting[r]),"header"===e.formatting[r]&&t.push(a.formatting+"-"+e.formatting[r]+"-"+e.header),"quote"===e.formatting[r]&&(!n.maxBlockquoteDepth||n.maxBlockquoteDepth>=e.quote?t.push(a.formatting+"-"+e.formatting[r]+"-"+e.quote):t.push("error"))}if(e.taskOpen)return t.push("meta"),t.length?t.join(" "):null;if(e.taskClosed)return t.push("property"),t.length?t.join(" "):null;if(e.linkHref?t.push(a.linkHref,"url"):(e.strong&&t.push(a.strong),e.em&&t.push(a.em),e.strikethrough&&t.push(a.strikethrough),e.emoji&&t.push(a.emoji),e.linkText&&t.push(a.linkText),e.code&&t.push(a.code),e.image&&t.push(a.image),e.imageAltText&&t.push(a.imageAltText,"link"),e.imageMarker&&t.push(a.imageMarker)),e.header&&t.push(a.header,a.header+"-"+e.header),e.quote&&(t.push(a.quote),!n.maxBlockquoteDepth||n.maxBlockquoteDepth>=e.quote?t.push(a.quote+"-"+e.quote):t.push(a.quote+"-"+n.maxBlockquoteDepth)),!1!==e.list){var o=(e.listStack.length-1)%3;o?1===o?t.push(a.list2):t.push(a.list3):t.push(a.list1)}return e.trailingSpaceNewLine?t.push("trailing-space-new-line"):e.trailingSpace&&t.push("trailing-space-"+(e.trailingSpace%2?"a":"b")),t.length?t.join(" "):null}function B(e,t){if(e.match(p,!0))return C(t)}function M(t,o){var i=o.text(t,o);if(void 0!==i)return i;if(o.list)return o.list=null,C(o);if(o.taskList)return" "===t.match(u,!0)[1]?o.taskOpen=!0:o.taskClosed=!0,n.highlightFormatting&&(o.formatting="task"),o.taskList=!1,C(o);if(o.taskOpen=!1,o.taskClosed=!1,o.header&&t.match(/^#+$/,!0))return n.highlightFormatting&&(o.formatting="header"),C(o);var l=t.next();if(o.linkTitle){o.linkTitle=!1;var s=l;"("===l&&(s=")");var c="^\\s*(?:[^"+(s=(s+"").replace(/([.?*+^\[\]\\(){}|-])/g,"\\$1"))+"\\\\]+|\\\\\\\\|\\\\.)"+s;if(t.match(new RegExp(c),!0))return a.linkHref}if("`"===l){var d=o.formatting;n.highlightFormatting&&(o.formatting="code"),t.eatWhile("`");var h=t.current().length;if(0!=o.code||o.quote&&1!=h){if(h==o.code){var p=C(o);return o.code=0,p}return o.formatting=d,C(o)}return o.code=h,C(o)}if(o.code)return C(o);if("\\"===l&&(t.next(),n.highlightFormatting)){var f=C(o),m=a.formatting+"-escape";return f?f+" "+m:m}if("!"===l&&t.match(/\[[^\]]*\] ?(?:\(|\[)/,!1))return o.imageMarker=!0,o.image=!0,n.highlightFormatting&&(o.formatting="image"),C(o);if("["===l&&o.imageMarker&&t.match(/[^\]]*\](\(.*?\)| ?\[.*?\])/,!1))return o.imageMarker=!1,o.imageAltText=!0,n.highlightFormatting&&(o.formatting="image"),C(o);if("]"===l&&o.imageAltText){n.highlightFormatting&&(o.formatting="image");var f=C(o);return o.imageAltText=!1,o.image=!1,o.inline=o.f=S,f}if("["===l&&!o.image)return o.linkText&&t.match(/^.*?\]/)||(o.linkText=!0,n.highlightFormatting&&(o.formatting="link")),C(o);if("]"===l&&o.linkText){n.highlightFormatting&&(o.formatting="link");var f=C(o);return o.linkText=!1,o.inline=o.f=t.match(/\(.*?\)| ?\[.*?\]/,!1)?S:M,f}if("<"===l&&t.match(/^(https?|ftps?):\/\/(?:[^\\>]|\\.)+>/,!1))return o.f=o.inline=_,n.highlightFormatting&&(o.formatting="link"),(f=C(o))?f+=" ":f="",f+a.linkInline;if("<"===l&&t.match(/^[^> \\]+@(?:[^\\>]|\\.)+>/,!1))return o.f=o.inline=_,n.highlightFormatting&&(o.formatting="link"),(f=C(o))?f+=" ":f="",f+a.linkEmail;if(n.xml&&"<"===l&&t.match(/^(!--|\?|!\[CDATA\[|[a-z][a-z0-9-]*(?:\s+[a-z_:.\-]+(?:\s*=\s*[^>]+)?)*\s*(?:>|$))/i,!1)){var g=t.string.indexOf(">",t.pos);if(-1!=g){var w=t.string.substring(t.start,g);/markdown\s*=\s*('|"){0,1}1('|"){0,1}/.test(w)&&(o.md_inside=!0)}return t.backUp(1),o.htmlState=e.startState(r),y(t,o,E)}if(n.xml&&"<"===l&&t.match(/^\/\w*?>/))return o.md_inside=!1,"tag";if("*"===l||"_"===l){for(var b=1,x=1==t.pos?" ":t.string.charAt(t.pos-2);b<3&&t.eat(l);)b++;var k=t.peek()||" ",A=!/\s/.test(k)&&(!v.test(k)||/\s/.test(x)||v.test(x)),B=!/\s/.test(x)&&(!v.test(x)||/\s/.test(k)||v.test(k)),N=null,V=null;if(b%2&&(o.em||!A||"*"!==l&&B&&!v.test(x)?o.em!=l||!B||"*"!==l&&A&&!v.test(k)||(N=!1):N=!0),b>1&&(o.strong||!A||"*"!==l&&B&&!v.test(x)?o.strong!=l||!B||"*"!==l&&A&&!v.test(k)||(V=!1):V=!0),null!=V||null!=N)return n.highlightFormatting&&(o.formatting=null==N?"strong":null==V?"em":"strong em"),!0===N&&(o.em=l),!0===V&&(o.strong=l),p=C(o),!1===N&&(o.em=!1),!1===V&&(o.strong=!1),p}else if(" "===l&&(t.eat("*")||t.eat("_"))){if(" "===t.peek())return C(o);t.backUp(1)}if(n.strikethrough)if("~"===l&&t.eatWhile(l)){if(o.strikethrough)return n.highlightFormatting&&(o.formatting="strikethrough"),p=C(o),o.strikethrough=!1,p;if(t.match(/^[^\s]/,!1))return o.strikethrough=!0,n.highlightFormatting&&(o.formatting="strikethrough"),C(o)}else if(" "===l&&t.match("~~",!0)){if(" "===t.peek())return C(o);t.backUp(2)}if(n.emoji&&":"===l&&t.match(/^(?:[a-z_\d+][a-z_\d+-]*|\-[a-z_\d+][a-z_\d+-]*):/)){o.emoji=!0,n.highlightFormatting&&(o.formatting="emoji");var L=C(o);return o.emoji=!1,L}return" "===l&&(t.match(/^ +$/,!1)?o.trailingSpace++:o.trailingSpace&&(o.trailingSpaceNewLine=!0)),C(o)}function _(e,t){if(">"===e.next()){t.f=t.inline=M,n.highlightFormatting&&(t.formatting="link");var r=C(t);return r?r+=" ":r="",r+a.linkInline}return e.match(/^[^>]+/,!0),a.linkInline}function S(e,t){if(e.eatSpace())return null;var r=e.next();return"("===r||"["===r?(t.f=t.inline=V("("===r?")":"]"),n.highlightFormatting&&(t.formatting="link-string"),t.linkHref=!0,C(t)):"error"}var N={")":/^(?:[^\\\(\)]|\\.|\((?:[^\\\(\)]|\\.)*\))*?(?=\))/,"]":/^(?:[^\\\[\]]|\\.|\[(?:[^\\\[\]]|\\.)*\])*?(?=\])/};function V(e){return function(t,r){if(t.next()===e){r.f=r.inline=M,n.highlightFormatting&&(r.formatting="link-string");var o=C(r);return r.linkHref=!1,o}return t.match(N[e]),r.linkHref=!0,C(r)}}function L(e,t){return e.match(/^([^\]\\]|\\.)*\]:/,!1)?(t.f=T,e.next(),n.highlightFormatting&&(t.formatting="link"),t.linkText=!0,C(t)):w(e,t,M)}function T(e,t){if(e.match("]:",!0)){t.f=t.inline=I,n.highlightFormatting&&(t.formatting="link");var r=C(t);return t.linkText=!1,r}return e.match(/^([^\]\\]|\\.)+/,!0),a.linkText}function I(e,t){return e.eatSpace()?null:(e.match(/^[^\s]+/,!0),void 0===e.peek()?t.linkTitle=!0:e.match(/^(?:\s+(?:"(?:[^"\\]|\\.)+"|'(?:[^'\\]|\\.)+'|\((?:[^)\\]|\\.)+\)))?/,!0),t.f=t.inline=M,a.linkHref+" url")}var Z={startState:function(){return{f:k,prevLine:{stream:null},thisLine:{stream:null},block:k,htmlState:null,indentation:0,inline:M,text:B,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(t){return{f:t.f,prevLine:t.prevLine,thisLine:t.thisLine,block:t.block,htmlState:t.htmlState&&e.copyState(r,t.htmlState),indentation:t.indentation,localMode:t.localMode,localState:t.localMode?e.copyState(t.localMode,t.localState):null,inline:t.inline,text:t.text,formatting:!1,linkText:t.linkText,linkTitle:t.linkTitle,linkHref:t.linkHref,code:t.code,em:t.em,strong:t.strong,strikethrough:t.strikethrough,emoji:t.emoji,header:t.header,setext:t.setext,hr:t.hr,taskList:t.taskList,list:t.list,listStack:t.listStack.slice(0),quote:t.quote,indentedCode:t.indentedCode,trailingSpace:t.trailingSpace,trailingSpaceNewLine:t.trailingSpaceNewLine,md_inside:t.md_inside,fencedEndRE:t.fencedEndRE}},token:function(e,t){if(t.formatting=!1,e!=t.thisLine.stream){if(t.header=0,t.hr=!1,e.match(/^\s*$/,!0))return x(t),null;if(t.prevLine=t.thisLine,t.thisLine={stream:e},t.taskList=!1,t.trailingSpace=0,t.trailingSpaceNewLine=!1,!t.localState&&(t.f=t.block,t.f!=E)){var n=e.match(/^\s*/,!0)[0].replace(/\t/g,g).length;if(t.indentation=n,t.indentationDiff=null,n>0)return null}}return t.f(e,t)},innerMode:function(e){return e.block==E?{state:e.htmlState,mode:r}:e.localState?{state:e.localState,mode:e.localMode}:{state:e,mode:Z}},indent:function(t,n,o){return t.block==E&&r.indent?r.indent(t.htmlState,n,o):t.localState&&t.localMode.indent?t.localMode.indent(t.localState,n,o):e.Pass},blankLine:x,getType:C,blockCommentStart:"\x3c!--",blockCommentEnd:"--\x3e",closeBrackets:"()[]{}''\"\"``",fold:"markdown"};return Z}),"xml"),e.defineMIME("text/markdown","markdown"),e.defineMIME("text/x-markdown","markdown")}(n(15237),n(40576),n(72602))},72602:(e,t,n)=>{!function(e){"use strict";e.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 t=0;t<e.modeInfo.length;t++){var n=e.modeInfo[t];n.mimes&&(n.mime=n.mimes[0])}e.findModeByMIME=function(t){t=t.toLowerCase();for(var n=0;n<e.modeInfo.length;n++){var r=e.modeInfo[n];if(r.mime==t)return r;if(r.mimes)for(var o=0;o<r.mimes.length;o++)if(r.mimes[o]==t)return r}return/\+xml$/.test(t)?e.findModeByMIME("application/xml"):/\+json$/.test(t)?e.findModeByMIME("application/json"):void 0},e.findModeByExtension=function(t){t=t.toLowerCase();for(var n=0;n<e.modeInfo.length;n++){var r=e.modeInfo[n];if(r.ext)for(var o=0;o<r.ext.length;o++)if(r.ext[o]==t)return r}},e.findModeByFileName=function(t){for(var n=0;n<e.modeInfo.length;n++){var r=e.modeInfo[n];if(r.file&&r.file.test(t))return r}var o=t.lastIndexOf("."),i=o>-1&&t.substring(o+1,t.length);if(i)return e.findModeByExtension(i)},e.findModeByName=function(t){t=t.toLowerCase();for(var n=0;n<e.modeInfo.length;n++){var r=e.modeInfo[n];if(r.name.toLowerCase()==t)return r;if(r.alias)for(var o=0;o<r.alias.length;o++)if(r.alias[o].toLowerCase()==t)return r}}}(n(15237))},48460:(e,t,n)=>{!function(e){"use strict";e.defineMode("nginx",(function(e){function t(e){for(var t={},n=e.split(" "),r=0;r<n.length;++r)t[n[r]]=!0;return t}var n,r=t("break return rewrite set accept_mutex accept_mutex_delay access_log add_after_body add_before_body add_header addition_types aio alias allow ancient_browser ancient_browser_value auth_basic auth_basic_user_file auth_http auth_http_header auth_http_timeout autoindex autoindex_exact_size autoindex_localtime charset charset_types client_body_buffer_size client_body_in_file_only client_body_in_single_buffer client_body_temp_path client_body_timeout client_header_buffer_size client_header_timeout client_max_body_size connection_pool_size create_full_put_path daemon dav_access dav_methods debug_connection debug_points default_type degradation degrade deny devpoll_changes devpoll_events directio directio_alignment empty_gif env epoll_events error_log eventport_events expires fastcgi_bind fastcgi_buffer_size fastcgi_buffers fastcgi_busy_buffers_size fastcgi_cache fastcgi_cache_key fastcgi_cache_methods fastcgi_cache_min_uses fastcgi_cache_path fastcgi_cache_use_stale fastcgi_cache_valid fastcgi_catch_stderr fastcgi_connect_timeout fastcgi_hide_header fastcgi_ignore_client_abort fastcgi_ignore_headers fastcgi_index fastcgi_intercept_errors fastcgi_max_temp_file_size fastcgi_next_upstream fastcgi_param fastcgi_pass_header fastcgi_pass_request_body fastcgi_pass_request_headers fastcgi_read_timeout fastcgi_send_lowat fastcgi_send_timeout fastcgi_split_path_info fastcgi_store fastcgi_store_access fastcgi_temp_file_write_size fastcgi_temp_path fastcgi_upstream_fail_timeout fastcgi_upstream_max_fails flv geoip_city geoip_country google_perftools_profiles gzip gzip_buffers gzip_comp_level gzip_disable gzip_hash gzip_http_version gzip_min_length gzip_no_buffer gzip_proxied gzip_static gzip_types gzip_vary gzip_window if_modified_since ignore_invalid_headers image_filter image_filter_buffer image_filter_jpeg_quality image_filter_transparency imap_auth imap_capabilities imap_client_buffer index ip_hash keepalive_requests keepalive_timeout kqueue_changes kqueue_events large_client_header_buffers limit_conn limit_conn_log_level limit_rate limit_rate_after limit_req limit_req_log_level limit_req_zone limit_zone lingering_time lingering_timeout lock_file log_format log_not_found log_subrequest map_hash_bucket_size map_hash_max_size master_process memcached_bind memcached_buffer_size memcached_connect_timeout memcached_next_upstream memcached_read_timeout memcached_send_timeout memcached_upstream_fail_timeout memcached_upstream_max_fails merge_slashes min_delete_depth modern_browser modern_browser_value msie_padding msie_refresh multi_accept open_file_cache open_file_cache_errors open_file_cache_events open_file_cache_min_uses open_file_cache_valid open_log_file_cache output_buffers override_charset perl perl_modules perl_require perl_set pid pop3_auth pop3_capabilities port_in_redirect postpone_gzipping postpone_output protocol proxy proxy_bind proxy_buffer proxy_buffer_size proxy_buffering proxy_buffers proxy_busy_buffers_size proxy_cache proxy_cache_key proxy_cache_methods proxy_cache_min_uses proxy_cache_path proxy_cache_use_stale proxy_cache_valid proxy_connect_timeout proxy_headers_hash_bucket_size proxy_headers_hash_max_size proxy_hide_header proxy_ignore_client_abort proxy_ignore_headers proxy_intercept_errors proxy_max_temp_file_size proxy_method proxy_next_upstream proxy_pass_error_message proxy_pass_header proxy_pass_request_body proxy_pass_request_headers proxy_read_timeout proxy_redirect proxy_send_lowat proxy_send_timeout proxy_set_body proxy_set_header proxy_ssl_session_reuse proxy_store proxy_store_access proxy_temp_file_write_size proxy_temp_path proxy_timeout proxy_upstream_fail_timeout proxy_upstream_max_fails random_index read_ahead real_ip_header recursive_error_pages request_pool_size reset_timedout_connection resolver resolver_timeout rewrite_log rtsig_overflow_events rtsig_overflow_test rtsig_overflow_threshold rtsig_signo satisfy secure_link_secret send_lowat send_timeout sendfile sendfile_max_chunk server_name_in_redirect server_names_hash_bucket_size server_names_hash_max_size server_tokens set_real_ip_from smtp_auth smtp_capabilities smtp_client_buffer smtp_greeting_delay so_keepalive source_charset ssi ssi_ignore_recycled_buffers ssi_min_file_chunk ssi_silent_errors ssi_types ssi_value_length ssl ssl_certificate ssl_certificate_key ssl_ciphers ssl_client_certificate ssl_crl ssl_dhparam ssl_engine ssl_prefer_server_ciphers ssl_protocols ssl_session_cache ssl_session_timeout ssl_verify_client ssl_verify_depth starttls stub_status sub_filter sub_filter_once sub_filter_types tcp_nodelay tcp_nopush thread_stack_size timeout timer_resolution types_hash_bucket_size types_hash_max_size underscores_in_headers uninitialized_variable_warn use user userid userid_domain userid_expires userid_mark userid_name userid_p3p userid_path userid_service valid_referers variables_hash_bucket_size variables_hash_max_size worker_connections worker_cpu_affinity worker_priority worker_processes worker_rlimit_core worker_rlimit_nofile worker_rlimit_sigpending worker_threads working_directory xclient xml_entities xslt_stylesheet xslt_typesdrew@li229-23"),o=t("http mail events server types location upstream charset_map limit_except if geo map"),i=t("include root server server_name listen internal proxy_pass memcached_pass fastcgi_pass try_files"),a=e.indentUnit;function l(e,t){return n=t,e}function s(e,t){e.eatWhile(/[\w\$_]/);var n=e.current();if(r.propertyIsEnumerable(n))return"keyword";if(o.propertyIsEnumerable(n))return"variable-2";if(i.propertyIsEnumerable(n))return"string-2";var a=e.next();return"@"==a?(e.eatWhile(/[\w\\\-]/),l("meta",e.current())):"/"==a&&e.eat("*")?(t.tokenize=c,c(e,t)):"<"==a&&e.eat("!")?(t.tokenize=u,u(e,t)):"="!=a?"~"!=a&&"|"!=a||!e.eat("=")?'"'==a||"'"==a?(t.tokenize=d(a),t.tokenize(e,t)):"#"==a?(e.skipToEnd(),l("comment","comment")):"!"==a?(e.match(/^\s*\w*/),l("keyword","important")):/\d/.test(a)?(e.eatWhile(/[\w.%]/),l("number","unit")):/[,.+>*\/]/.test(a)?l(null,"select-op"):/[;{}:\[\]]/.test(a)?l(null,a):(e.eatWhile(/[\w\\\-]/),l("variable","variable")):l(null,"compare"):void l(null,"compare")}function c(e,t){for(var n,r=!1;null!=(n=e.next());){if(r&&"/"==n){t.tokenize=s;break}r="*"==n}return l("comment","comment")}function u(e,t){for(var n,r=0;null!=(n=e.next());){if(r>=2&&">"==n){t.tokenize=s;break}r="-"==n?r+1:0}return l("comment","comment")}function d(e){return function(t,n){for(var r,o=!1;null!=(r=t.next())&&(r!=e||o);)o=!o&&"\\"==r;return o||(n.tokenize=s),l("string","string")}}return{startState:function(e){return{tokenize:s,baseIndent:e||0,stack:[]}},token:function(e,t){if(e.eatSpace())return null;n=null;var r=t.tokenize(e,t),o=t.stack[t.stack.length-1];return"hash"==n&&"rule"==o?r="atom":"variable"==r&&("rule"==o?r="number":o&&"@media{"!=o||(r="tag")),"rule"==o&&/^[\{\};]$/.test(n)&&t.stack.pop(),"{"==n?"@media"==o?t.stack[t.stack.length-1]="@media{":t.stack.push("{"):"}"==n?t.stack.pop():"@media"==n?t.stack.push("@media"):"{"==o&&"comment"!=n&&t.stack.push("rule"),r},indent:function(e,t){var n=e.stack.length;return/^\}/.test(t)&&(n-="rule"==e.stack[e.stack.length-1]?2:1),e.baseIndent+n*a},electricChars:"}"}})),e.defineMIME("text/x-nginx-conf","nginx")}(n(15237))},98e3:(e,t,n)=>{!function(e){"use strict";function t(e){for(var t={},n=e.split(" "),r=0;r<n.length;++r)t[n[r]]=!0;return t}function n(e,t,o){return 0==e.length?r(t):function(i,a){for(var l=e[0],s=0;s<l.length;s++)if(i.match(l[s][0]))return a.tokenize=n(e.slice(1),t),l[s][1];return a.tokenize=r(t,o),"string"}}function r(e,t){return function(n,r){return o(n,r,e,t)}}function o(e,t,r,o){if(!1!==o&&e.match("${",!1)||e.match("{$",!1))return t.tokenize=null,"string";if(!1!==o&&e.match(/^\$[a-zA-Z_][a-zA-Z0-9_]*/))return e.match("[",!1)&&(t.tokenize=n([[["[",null]],[[/\d[\w\.]*/,"number"],[/\$[a-zA-Z_][a-zA-Z0-9_]*/,"variable-2"],[/[\w\$]+/,"variable"]],[["]",null]]],r,o)),e.match(/^->\w/,!1)&&(t.tokenize=n([[["->",null]],[[/[\w]+/,"variable"]]],r,o)),"variable-2";for(var i=!1;!e.eol()&&(i||!1===o||!e.match("{$",!1)&&!e.match(/^(\$[a-zA-Z_][a-zA-Z0-9_]*|\$\{)/,!1));){if(!i&&e.match(r)){t.tokenize=null,t.tokStack.pop(),t.tokStack.pop();break}i="\\"==e.next()&&!i}return"string"}var i="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",a="true false null TRUE FALSE NULL __CLASS__ __DIR__ __FILE__ __LINE__ __METHOD__ __FUNCTION__ __NAMESPACE__ __TRAIT__",l="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";e.registerHelper("hintWords","php",[i,a,l].join(" ").split(" ")),e.registerHelper("wordChars","php",/[\w$]/);var s={name:"clike",helperType:"php",keywords:t(i),blockKeywords:t("catch do else elseif for foreach if switch try while finally"),defKeywords:t("class enum function interface namespace trait"),atoms:t(a),builtin:t(l),multiLineStrings:!0,hooks:{$:function(e){return e.eatWhile(/[\w\$_]/),"variable-2"},"<":function(e,t){var n;if(n=e.match(/^<<\s*/)){var o=e.eat(/['"]/);e.eatWhile(/[\w\.]/);var i=e.current().slice(n[0].length+(o?2:1));if(o&&e.eat(o),i)return(t.tokStack||(t.tokStack=[])).push(i,0),t.tokenize=r(i,"'"!=o),"string"}return!1},"#":function(e){for(;!e.eol()&&!e.match("?>",!1);)e.next();return"comment"},"/":function(e){if(e.eat("/")){for(;!e.eol()&&!e.match("?>",!1);)e.next();return"comment"}return!1},'"':function(e,t){return(t.tokStack||(t.tokStack=[])).push('"',0),t.tokenize=r('"'),"string"},"{":function(e,t){return t.tokStack&&t.tokStack.length&&t.tokStack[t.tokStack.length-1]++,!1},"}":function(e,t){return t.tokStack&&t.tokStack.length>0&&! --t.tokStack[t.tokStack.length-1]&&(t.tokenize=r(t.tokStack[t.tokStack.length-2])),!1}}};e.defineMode("php",(function(t,n){var r=e.getMode(t,n&&n.htmlMode||"text/html"),o=e.getMode(t,s);function i(t,n){var i=n.curMode==o;if(t.sol()&&n.pending&&'"'!=n.pending&&"'"!=n.pending&&(n.pending=null),i)return i&&null==n.php.tokenize&&t.match("?>")?(n.curMode=r,n.curState=n.html,n.php.context.prev||(n.php=null),"meta"):o.token(t,n.curState);if(t.match(/^<\?\w*/))return n.curMode=o,n.php||(n.php=e.startState(o,r.indent(n.html,"",""))),n.curState=n.php,"meta";if('"'==n.pending||"'"==n.pending){for(;!t.eol()&&t.next()!=n.pending;);var a="string"}else n.pending&&t.pos<n.pending.end?(t.pos=n.pending.end,a=n.pending.style):a=r.token(t,n.curState);n.pending&&(n.pending=null);var l,s=t.current(),c=s.search(/<\?/);return-1!=c&&("string"==a&&(l=s.match(/[\'\"]$/))&&!/\?>/.test(s)?n.pending=l[0]:n.pending={end:t.pos,style:a},t.backUp(s.length-c)),a}return{startState:function(){var t=e.startState(r),i=n.startOpen?e.startState(o):null;return{html:t,php:i,curMode:n.startOpen?o:r,curState:n.startOpen?i:t,pending:null}},copyState:function(t){var n,i=t.html,a=e.copyState(r,i),l=t.php,s=l&&e.copyState(o,l);return n=t.curMode==r?a:s,{html:a,php:s,curMode:t.curMode,curState:n,pending:t.pending}},token:i,indent:function(e,t,n){return e.curMode!=o&&/^\s*<\//.test(t)||e.curMode==o&&/^\?>/.test(t)?r.indent(e.html,t,n):e.curMode.indent(e.curState,t,n)},blockCommentStart:"/*",blockCommentEnd:"*/",lineComment:"//",innerMode:function(e){return{state:e.curState,mode:e.curMode}}}}),"htmlmixed","clike"),e.defineMIME("application/x-httpd-php","php"),e.defineMIME("application/x-httpd-php-open",{name:"php",startOpen:!0}),e.defineMIME("text/x-php",s)}(n(15237),n(12520),n(48712))},63588:(e,t,n)=>{!function(e){"use strict";e.defineMode("pug",(function(t){var n="keyword",r="meta",o="builtin",i="qualifier",a={"{":"}","(":")","[":"]"},l=e.getMode(t,"javascript");function s(){this.javaScriptLine=!1,this.javaScriptLineExcludesColon=!1,this.javaScriptArguments=!1,this.javaScriptArgumentsDepth=0,this.isInterpolating=!1,this.interpolationNesting=0,this.jsState=e.startState(l),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}function c(e,t){if(e.sol()&&(t.javaScriptLine=!1,t.javaScriptLineExcludesColon=!1),t.javaScriptLine){if(t.javaScriptLineExcludesColon&&":"===e.peek())return t.javaScriptLine=!1,void(t.javaScriptLineExcludesColon=!1);var n=l.token(e,t.jsState);return e.eol()&&(t.javaScriptLine=!1),n||!0}}function u(e,t){if(t.javaScriptArguments)return 0===t.javaScriptArgumentsDepth&&"("!==e.peek()?void(t.javaScriptArguments=!1):("("===e.peek()?t.javaScriptArgumentsDepth++:")"===e.peek()&&t.javaScriptArgumentsDepth--,0===t.javaScriptArgumentsDepth?void(t.javaScriptArguments=!1):l.token(e,t.jsState)||!0)}function d(e){if(e.match(/^yield\b/))return"keyword"}function h(e){if(e.match(/^(?:doctype) *([^\n]+)?/))return r}function p(e,t){if(e.match("#{"))return t.isInterpolating=!0,t.interpolationNesting=0,"punctuation"}function f(e,t){if(t.isInterpolating){if("}"===e.peek()){if(t.interpolationNesting--,t.interpolationNesting<0)return e.next(),t.isInterpolating=!1,"punctuation"}else"{"===e.peek()&&t.interpolationNesting++;return l.token(e,t.jsState)||!0}}function m(e,t){if(e.match(/^case\b/))return t.javaScriptLine=!0,n}function v(e,t){if(e.match(/^when\b/))return t.javaScriptLine=!0,t.javaScriptLineExcludesColon=!0,n}function g(e){if(e.match(/^default\b/))return n}function w(e,t){if(e.match(/^extends?\b/))return t.restOfLine="string",n}function y(e,t){if(e.match(/^append\b/))return t.restOfLine="variable",n}function b(e,t){if(e.match(/^prepend\b/))return t.restOfLine="variable",n}function x(e,t){if(e.match(/^block\b *(?:(prepend|append)\b)?/))return t.restOfLine="variable",n}function k(e,t){if(e.match(/^include\b/))return t.restOfLine="string",n}function E(e,t){if(e.match(/^include:([a-zA-Z0-9\-]+)/,!1)&&e.match("include"))return t.isIncludeFiltered=!0,n}function A(e,t){if(t.isIncludeFiltered){var n=T(e,t);return t.isIncludeFiltered=!1,t.restOfLine="string",n}}function C(e,t){if(e.match(/^mixin\b/))return t.javaScriptLine=!0,n}function B(e,t){return e.match(/^\+([-\w]+)/)?(e.match(/^\( *[-\w]+ *=/,!1)||(t.javaScriptArguments=!0,t.javaScriptArgumentsDepth=0),"variable"):e.match("+#{",!1)?(e.next(),t.mixinCallAfter=!0,p(e,t)):void 0}function M(e,t){if(t.mixinCallAfter)return t.mixinCallAfter=!1,e.match(/^\( *[-\w]+ *=/,!1)||(t.javaScriptArguments=!0,t.javaScriptArgumentsDepth=0),!0}function _(e,t){if(e.match(/^(if|unless|else if|else)\b/))return t.javaScriptLine=!0,n}function S(e,t){if(e.match(/^(- *)?(each|for)\b/))return t.isEach=!0,n}function N(e,t){if(t.isEach){if(e.match(/^ in\b/))return t.javaScriptLine=!0,t.isEach=!1,n;if(e.sol()||e.eol())t.isEach=!1;else if(e.next()){for(;!e.match(/^ in\b/,!1)&&e.next(););return"variable"}}}function V(e,t){if(e.match(/^while\b/))return t.javaScriptLine=!0,n}function L(e,t){var n;if(n=e.match(/^(\w(?:[-:\w]*\w)?)\/?/))return t.lastTag=n[1].toLowerCase(),"script"===t.lastTag&&(t.scriptType="application/javascript"),"tag"}function T(n,r){var o;if(n.match(/^:([\w\-]+)/))return t&&t.innerModes&&(o=t.innerModes(n.current().substring(1))),o||(o=n.current().substring(1)),"string"==typeof o&&(o=e.getMode(t,o)),$(n,r,o),"atom"}function I(e,t){if(e.match(/^(!?=|-)/))return t.javaScriptLine=!0,"punctuation"}function Z(e){if(e.match(/^#([\w-]+)/))return o}function O(e){if(e.match(/^\.([\w-]+)/))return i}function D(e,t){if("("==e.peek())return e.next(),t.isAttrs=!0,t.attrsNest=[],t.inAttributeName=!0,t.attrValue="",t.attributeIsType=!1,"punctuation"}function R(t,n){if(n.isAttrs){if(a[t.peek()]&&n.attrsNest.push(a[t.peek()]),n.attrsNest[n.attrsNest.length-1]===t.peek())n.attrsNest.pop();else if(t.eat(")"))return n.isAttrs=!1,"punctuation";if(n.inAttributeName&&t.match(/^[^=,\)!]+/))return"="!==t.peek()&&"!"!==t.peek()||(n.inAttributeName=!1,n.jsState=e.startState(l),"script"===n.lastTag&&"type"===t.current().trim().toLowerCase()?n.attributeIsType=!0:n.attributeIsType=!1),"attribute";var r=l.token(t,n.jsState);if(n.attributeIsType&&"string"===r&&(n.scriptType=t.current().toString()),0===n.attrsNest.length&&("string"===r||"variable"===r||"keyword"===r))try{return Function("","var x "+n.attrValue.replace(/,\s*$/,"").replace(/^!/,"")),n.inAttributeName=!0,n.attrValue="",t.backUp(t.current().length),R(t,n)}catch(e){}return n.attrValue+=t.current(),r||!0}}function H(e,t){if(e.match(/^&attributes\b/))return t.javaScriptArguments=!0,t.javaScriptArgumentsDepth=0,"keyword"}function P(e){if(e.sol()&&e.eatSpace())return"indent"}function j(e,t){if(e.match(/^ *\/\/(-)?([^\n]*)/))return t.indentOf=e.indentation(),t.indentToken="comment","comment"}function F(e){if(e.match(/^: */))return"colon"}function z(e,t){return e.match(/^(?:\| ?| )([^\n]+)/)?"string":e.match(/^(<[^\n]*)/,!1)?($(e,t,"htmlmixed"),t.innerModeForLine=!0,W(e,t,!0)):void 0}function q(e,t){if(e.eat(".")){var n=null;return"script"===t.lastTag&&-1!=t.scriptType.toLowerCase().indexOf("javascript")?n=t.scriptType.toLowerCase().replace(/"|'/g,""):"style"===t.lastTag&&(n="css"),$(e,t,n),"dot"}}function U(e){return e.next(),null}function $(n,r,o){o=e.mimeModes[o]||o,o=t.innerModes&&t.innerModes(o)||o,o=e.mimeModes[o]||o,o=e.getMode(t,o),r.indentOf=n.indentation(),o&&"null"!==o.name?r.innerMode=o:r.indentToken="string"}function W(t,n,r){if(t.indentation()>n.indentOf||n.innerModeForLine&&!t.sol()||r)return n.innerMode?(n.innerState||(n.innerState=n.innerMode.startState?e.startState(n.innerMode,t.indentation()):{}),t.hideFirstChars(n.indentOf+2,(function(){return n.innerMode.token(t,n.innerState)||!0}))):(t.skipToEnd(),n.indentToken);t.sol()&&(n.indentOf=1/0,n.indentToken=null,n.innerMode=null,n.innerState=null)}function G(e,t){if(e.sol()&&(t.restOfLine=""),t.restOfLine){e.skipToEnd();var n=t.restOfLine;return t.restOfLine="",n}}function K(){return new s}function Y(e){return e.copy()}function X(e,t){var n=W(e,t)||G(e,t)||f(e,t)||A(e,t)||N(e,t)||R(e,t)||c(e,t)||u(e,t)||M(e,t)||d(e)||h(e)||p(e,t)||m(e,t)||v(e,t)||g(e)||w(e,t)||y(e,t)||b(e,t)||x(e,t)||k(e,t)||E(e,t)||C(e,t)||B(e,t)||_(e,t)||S(e,t)||V(e,t)||L(e,t)||T(e,t)||I(e,t)||Z(e)||O(e)||D(e,t)||H(e,t)||P(e)||z(e,t)||j(e,t)||F(e)||q(e,t)||U(e);return!0===n?null:n}return s.prototype.copy=function(){var t=new s;return t.javaScriptLine=this.javaScriptLine,t.javaScriptLineExcludesColon=this.javaScriptLineExcludesColon,t.javaScriptArguments=this.javaScriptArguments,t.javaScriptArgumentsDepth=this.javaScriptArgumentsDepth,t.isInterpolating=this.isInterpolating,t.interpolationNesting=this.interpolationNesting,t.jsState=e.copyState(l,this.jsState),t.innerMode=this.innerMode,this.innerMode&&this.innerState&&(t.innerState=e.copyState(this.innerMode,this.innerState)),t.restOfLine=this.restOfLine,t.isIncludeFiltered=this.isIncludeFiltered,t.isEach=this.isEach,t.lastTag=this.lastTag,t.scriptType=this.scriptType,t.isAttrs=this.isAttrs,t.attrsNest=this.attrsNest.slice(),t.inAttributeName=this.inAttributeName,t.attributeIsType=this.attributeIsType,t.attrValue=this.attrValue,t.indentOf=this.indentOf,t.indentToken=this.indentToken,t.innerModeForLine=this.innerModeForLine,t},{startState:K,copyState:Y,token:X}}),"javascript","css","htmlmixed"),e.defineMIME("text/x-pug","pug"),e.defineMIME("text/x-jade","pug")}(n(15237),n(16792),n(68656),n(12520))},10386:(e,t,n)=>{!function(e){"use strict";function t(e){for(var t={},n=0,r=e.length;n<r;++n)t[e[n]]=!0;return t}var n=["alias","and","BEGIN","begin","break","case","class","def","defined?","do","else","elsif","END","end","ensure","false","for","if","in","module","next","not","or","redo","rescue","retry","return","self","super","then","true","undef","unless","until","when","while","yield","nil","raise","throw","catch","fail","loop","callcc","caller","lambda","proc","public","protected","private","require","load","require_relative","extend","autoload","__END__","__FILE__","__LINE__","__dir__"],r=t(n),o=t(["def","class","case","for","while","until","module","catch","loop","proc","begin"]),i=t(["end","until"]),a={"[":"]","{":"}","(":")"},l={"]":"[","}":"{",")":"("};e.defineMode("ruby",(function(t){var n;function s(e,t,n){return n.tokenize.push(e),e(t,n)}function c(e,t){if(e.sol()&&e.match("=begin")&&e.eol())return t.tokenize.push(m),"comment";if(e.eatSpace())return null;var r,o=e.next();if("`"==o||"'"==o||'"'==o)return s(p(o,"string",'"'==o||"`"==o),e,t);if("/"==o)return u(e)?s(p(o,"string-2",!0),e,t):"operator";if("%"==o){var i="string",l=!0;e.eat("s")?i="atom":e.eat(/[WQ]/)?i="string":e.eat(/[r]/)?i="string-2":e.eat(/[wxq]/)&&(i="string",l=!1);var c=e.eat(/[^\w\s=]/);return c?(a.propertyIsEnumerable(c)&&(c=a[c]),s(p(c,i,l,!0),e,t)):"operator"}if("#"==o)return e.skipToEnd(),"comment";if("<"==o&&(r=e.match(/^<([-~])[\`\"\']?([a-zA-Z_?]\w*)[\`\"\']?(?:;|$)/)))return s(f(r[2],r[1]),e,t);if("0"==o)return e.eat("x")?e.eatWhile(/[\da-fA-F]/):e.eat("b")?e.eatWhile(/[01]/):e.eatWhile(/[0-7]/),"number";if(/\d/.test(o))return e.match(/^[\d_]*(?:\.[\d_]+)?(?:[eE][+\-]?[\d_]+)?/),"number";if("?"==o){for(;e.match(/^\\[CM]-/););return e.eat("\\")?e.eatWhile(/\w/):e.next(),"string"}if(":"==o)return e.eat("'")?s(p("'","atom",!1),e,t):e.eat('"')?s(p('"',"atom",!0),e,t):e.eat(/[\<\>]/)?(e.eat(/[\<\>]/),"atom"):e.eat(/[\+\-\*\/\&\|\:\!]/)?"atom":e.eat(/[a-zA-Z$@_\xa1-\uffff]/)?(e.eatWhile(/[\w$\xa1-\uffff]/),e.eat(/[\?\!\=]/),"atom"):"operator";if("@"==o&&e.match(/^@?[a-zA-Z_\xa1-\uffff]/))return e.eat("@"),e.eatWhile(/[\w\xa1-\uffff]/),"variable-2";if("$"==o)return e.eat(/[a-zA-Z_]/)?e.eatWhile(/[\w]/):e.eat(/\d/)?e.eat(/\d/):e.next(),"variable-3";if(/[a-zA-Z_\xa1-\uffff]/.test(o))return e.eatWhile(/[\w\xa1-\uffff]/),e.eat(/[\?\!]/),e.eat(":")?"atom":"ident";if("|"!=o||!t.varList&&"{"!=t.lastTok&&"do"!=t.lastTok){if(/[\(\)\[\]{}\\;]/.test(o))return n=o,null;if("-"==o&&e.eat(">"))return"arrow";if(/[=+\-\/*:\.^%<>~|]/.test(o)){var d=e.eatWhile(/[=+\-\/*:\.^%<>~|]/);return"."!=o||d||(n="."),"operator"}return null}return n="|",null}function u(e){for(var t,n=e.pos,r=0,o=!1,i=!1;null!=(t=e.next());)if(i)i=!1;else{if("[{(".indexOf(t)>-1)r++;else if("]})".indexOf(t)>-1){if(--r<0)break}else if("/"==t&&0==r){o=!0;break}i="\\"==t}return e.backUp(e.pos-n),o}function d(e){return e||(e=1),function(t,n){if("}"==t.peek()){if(1==e)return n.tokenize.pop(),n.tokenize[n.tokenize.length-1](t,n);n.tokenize[n.tokenize.length-1]=d(e-1)}else"{"==t.peek()&&(n.tokenize[n.tokenize.length-1]=d(e+1));return c(t,n)}}function h(){var e=!1;return function(t,n){return e?(n.tokenize.pop(),n.tokenize[n.tokenize.length-1](t,n)):(e=!0,c(t,n))}}function p(e,t,n,r){return function(o,i){var a,l=!1;for("read-quoted-paused"===i.context.type&&(i.context=i.context.prev,o.eat("}"));null!=(a=o.next());){if(a==e&&(r||!l)){i.tokenize.pop();break}if(n&&"#"==a&&!l){if(o.eat("{")){"}"==e&&(i.context={prev:i.context,type:"read-quoted-paused"}),i.tokenize.push(d());break}if(/[@\$]/.test(o.peek())){i.tokenize.push(h());break}}l=!l&&"\\"==a}return t}}function f(e,t){return function(n,r){return t&&n.eatSpace(),n.match(e)?r.tokenize.pop():n.skipToEnd(),"string"}}function m(e,t){return e.sol()&&e.match("=end")&&e.eol()&&t.tokenize.pop(),e.skipToEnd(),"comment"}return{startState:function(){return{tokenize:[c],indented:0,context:{type:"top",indented:-t.indentUnit},continuedLine:!1,lastTok:null,varList:!1}},token:function(e,t){n=null,e.sol()&&(t.indented=e.indentation());var a,l=t.tokenize[t.tokenize.length-1](e,t),s=n;if("ident"==l){var c=e.current();"keyword"==(l="."==t.lastTok?"property":r.propertyIsEnumerable(e.current())?"keyword":/^[A-Z]/.test(c)?"tag":"def"==t.lastTok||"class"==t.lastTok||t.varList?"def":"variable")&&(s=c,o.propertyIsEnumerable(c)?a="indent":i.propertyIsEnumerable(c)?a="dedent":"if"!=c&&"unless"!=c||e.column()!=e.indentation()?"do"==c&&t.context.indented<t.indented&&(a="indent"):a="indent")}return(n||l&&"comment"!=l)&&(t.lastTok=s),"|"==n&&(t.varList=!t.varList),"indent"==a||/[\(\[\{]/.test(n)?t.context={prev:t.context,type:n||l,indented:t.indented}:("dedent"==a||/[\)\]\}]/.test(n))&&t.context.prev&&(t.context=t.context.prev),e.eol()&&(t.continuedLine="\\"==n||"operator"==l),l},indent:function(n,r){if(n.tokenize[n.tokenize.length-1]!=c)return e.Pass;var o=r&&r.charAt(0),i=n.context,a=i.type==l[o]||"keyword"==i.type&&/^(?:end|until|else|elsif|when|rescue)\b/.test(r);return i.indented+(a?0:t.indentUnit)+(n.continuedLine?t.indentUnit:0)},electricInput:/^\s*(?:end|rescue|elsif|else|\})$/,lineComment:"#",fold:"indent"}})),e.defineMIME("text/x-ruby","ruby"),e.registerHelper("hintWords","ruby",n)}(n(15237))},17246:(e,t,n)=>{!function(e){"use strict";e.defineMode("sass",(function(t){var n=e.mimeModes["text/css"],r=n.propertyKeywords||{},o=n.colorKeywords||{},i=n.valueKeywords||{},a=n.fontProperties||{};function l(e){return new RegExp("^"+e.join("|"))}var s,c=new RegExp("^"+["true","false","null","auto"].join("|")),u=l(["\\(","\\)","=",">","<","==",">=","<=","\\+","-","\\!=","/","\\*","%","and","or","not",";","\\{","\\}",":"]),d=/^::?[a-zA-Z_][\w\-]*/;function h(e){return!e.peek()||e.match(/\s+$/,!1)}function p(e,t){var n=e.peek();return")"===n?(e.next(),t.tokenizer=y,"operator"):"("===n?(e.next(),e.eatSpace(),"operator"):"'"===n||'"'===n?(t.tokenizer=m(e.next()),"string"):(t.tokenizer=m(")",!1),"string")}function f(e,t){return function(n,r){return n.sol()&&n.indentation()<=e?(r.tokenizer=y,y(n,r)):(t&&n.skipTo("*/")?(n.next(),n.next(),r.tokenizer=y):n.skipToEnd(),"comment")}}function m(e,t){function n(r,o){var i=r.next(),a=r.peek(),l=r.string.charAt(r.pos-2);return"\\"!==i&&a===e||i===e&&"\\"!==l?(i!==e&&t&&r.next(),h(r)&&(o.cursorHalf=0),o.tokenizer=y,"string"):"#"===i&&"{"===a?(o.tokenizer=v(n),r.next(),"operator"):"string"}return null==t&&(t=!0),n}function v(e){return function(t,n){return"}"===t.peek()?(t.next(),n.tokenizer=e,"operator"):y(t,n)}}function g(e){if(0==e.indentCount){e.indentCount++;var n=e.scopes[0].offset+t.indentUnit;e.scopes.unshift({offset:n})}}function w(e){1!=e.scopes.length&&e.scopes.shift()}function y(e,t){var n=e.peek();if(e.match("/*"))return t.tokenizer=f(e.indentation(),!0),t.tokenizer(e,t);if(e.match("//"))return t.tokenizer=f(e.indentation(),!1),t.tokenizer(e,t);if(e.match("#{"))return t.tokenizer=v(y),"operator";if('"'===n||"'"===n)return e.next(),t.tokenizer=m(n),"string";if(t.cursorHalf){if("#"===n&&(e.next(),e.match(/[0-9a-fA-F]{6}|[0-9a-fA-F]{3}/)))return h(e)&&(t.cursorHalf=0),"number";if(e.match(/^-?[0-9\.]+/))return h(e)&&(t.cursorHalf=0),"number";if(e.match(/^(px|em|in)\b/))return h(e)&&(t.cursorHalf=0),"unit";if(e.match(c))return h(e)&&(t.cursorHalf=0),"keyword";if(e.match(/^url/)&&"("===e.peek())return t.tokenizer=p,h(e)&&(t.cursorHalf=0),"atom";if("$"===n)return e.next(),e.eatWhile(/[\w-]/),h(e)&&(t.cursorHalf=0),"variable-2";if("!"===n)return e.next(),t.cursorHalf=0,e.match(/^[\w]+/)?"keyword":"operator";if(e.match(u))return h(e)&&(t.cursorHalf=0),"operator";if(e.eatWhile(/[\w-]/))return h(e)&&(t.cursorHalf=0),s=e.current().toLowerCase(),i.hasOwnProperty(s)?"atom":o.hasOwnProperty(s)?"keyword":r.hasOwnProperty(s)?(t.prevProp=e.current().toLowerCase(),"property"):"tag";if(h(e))return t.cursorHalf=0,null}else{if("-"===n&&e.match(/^-\w+-/))return"meta";if("."===n){if(e.next(),e.match(/^[\w-]+/))return g(t),"qualifier";if("#"===e.peek())return g(t),"tag"}if("#"===n){if(e.next(),e.match(/^[\w-]+/))return g(t),"builtin";if("#"===e.peek())return g(t),"tag"}if("$"===n)return e.next(),e.eatWhile(/[\w-]/),"variable-2";if(e.match(/^-?[0-9\.]+/))return"number";if(e.match(/^(px|em|in)\b/))return"unit";if(e.match(c))return"keyword";if(e.match(/^url/)&&"("===e.peek())return t.tokenizer=p,"atom";if("="===n&&e.match(/^=[\w-]+/))return g(t),"meta";if("+"===n&&e.match(/^\+[\w-]+/))return"variable-3";if("@"===n&&e.match("@extend")&&(e.match(/\s*[\w]/)||w(t)),e.match(/^@(else if|if|media|else|for|each|while|mixin|function)/))return g(t),"def";if("@"===n)return e.next(),e.eatWhile(/[\w-]/),"def";if(e.eatWhile(/[\w-]/)){if(e.match(/ *: *[\w-\+\$#!\("']/,!1)){s=e.current().toLowerCase();var l=t.prevProp+"-"+s;return r.hasOwnProperty(l)?"property":r.hasOwnProperty(s)?(t.prevProp=s,"property"):a.hasOwnProperty(s)?"property":"tag"}return e.match(/ *:/,!1)?(g(t),t.cursorHalf=1,t.prevProp=e.current().toLowerCase(),"property"):(e.match(/ *,/,!1)||g(t),"tag")}if(":"===n)return e.match(d)?"variable-3":(e.next(),t.cursorHalf=1,"operator")}return e.match(u)?"operator":(e.next(),null)}function b(e,n){e.sol()&&(n.indentCount=0);var r=n.tokenizer(e,n),o=e.current();if("@return"!==o&&"}"!==o||w(n),null!==r){for(var i=e.pos-o.length+t.indentUnit*n.indentCount,a=[],l=0;l<n.scopes.length;l++){var s=n.scopes[l];s.offset<=i&&a.push(s)}n.scopes=a}return r}return{startState:function(){return{tokenizer:y,scopes:[{offset:0,type:"sass"}],indentCount:0,cursorHalf:0,definedVars:[],definedMixins:[]}},token:function(e,t){var n=b(e,t);return t.lastToken={style:n,content:e.current()},n},indent:function(e){return e.scopes[0].offset},blockCommentStart:"/*",blockCommentEnd:"*/",lineComment:"//",fold:"indent"}}),"css"),e.defineMIME("text/x-sass","sass")}(n(15237),n(68656))},13684:(e,t,n)=>{!function(e){"use strict";e.defineMode("shell",(function(){var t={};function n(e,n){for(var r=0;r<n.length;r++)t[n[r]]=e}var r=["true","false"],o=["if","then","do","else","elif","while","until","for","in","esac","fi","fin","fil","done","exit","set","unset","export","function"],i=["ab","awk","bash","beep","cat","cc","cd","chown","chmod","chroot","clear","cp","curl","cut","diff","echo","find","gawk","gcc","get","git","grep","hg","kill","killall","ln","ls","make","mkdir","openssl","mv","nc","nl","node","npm","ping","ps","restart","rm","rmdir","sed","service","sh","shopt","shred","source","sort","sleep","ssh","start","stop","su","sudo","svn","tee","telnet","top","touch","vi","vim","wall","wc","wget","who","write","yes","zsh"];function a(e,n){if(e.eatSpace())return null;var r=e.sol(),o=e.next();if("\\"===o)return e.next(),null;if("'"===o||'"'===o||"`"===o)return n.tokens.unshift(l(o,"`"===o?"quote":"string")),d(e,n);if("#"===o)return r&&e.eat("!")?(e.skipToEnd(),"meta"):(e.skipToEnd(),"comment");if("$"===o)return n.tokens.unshift(c),d(e,n);if("+"===o||"="===o)return"operator";if("-"===o)return e.eat("-"),e.eatWhile(/\w/),"attribute";if("<"==o){if(e.match("<<"))return"operator";var i=e.match(/^<-?\s*['"]?([^'"]*)['"]?/);if(i)return n.tokens.unshift(u(i[1])),"string-2"}if(/\d/.test(o)&&(e.eatWhile(/\d/),e.eol()||!/\w/.test(e.peek())))return"number";e.eatWhile(/[\w-]/);var a=e.current();return"="===e.peek()&&/\w+/.test(a)?"def":t.hasOwnProperty(a)?t[a]:null}function l(e,t){var n="("==e?")":"{"==e?"}":e;return function(r,o){for(var i,a=!1;null!=(i=r.next());){if(i===n&&!a){o.tokens.shift();break}if("$"===i&&!a&&"'"!==e&&r.peek()!=n){a=!0,r.backUp(1),o.tokens.unshift(c);break}if(!a&&e!==n&&i===e)return o.tokens.unshift(l(e,t)),d(r,o);if(!a&&/['"]/.test(i)&&!/['"]/.test(e)){o.tokens.unshift(s(i,"string")),r.backUp(1);break}a=!a&&"\\"===i}return t}}function s(e,t){return function(n,r){return r.tokens[0]=l(e,t),n.next(),d(n,r)}}e.registerHelper("hintWords","shell",r.concat(o,i)),n("atom",r),n("keyword",o),n("builtin",i);var c=function(e,t){t.tokens.length>1&&e.eat("$");var n=e.next();return/['"({]/.test(n)?(t.tokens[0]=l(n,"("==n?"quote":"{"==n?"def":"string"),d(e,t)):(/\d/.test(n)||e.eatWhile(/\w/),t.tokens.shift(),"def")};function u(e){return function(t,n){return t.sol()&&t.string==e&&n.tokens.shift(),t.skipToEnd(),"string-2"}}function d(e,t){return(t.tokens[0]||a)(e,t)}return{startState:function(){return{tokens:[]}},token:function(e,t){return d(e,t)},closeBrackets:"()[]{}''\"\"``",lineComment:"#",fold:"brace"}})),e.defineMIME("text/x-sh","shell"),e.defineMIME("application/x-sh","shell")}(n(15237))},29532:(e,t,n)=>{!function(e){"use strict";function t(e){for(var t;null!=(t=e.next());)if("`"==t&&!e.eat("`"))return"variable-2";return e.backUp(e.current().length-1),e.eatWhile(/\w/)?"variable-2":null}function n(e){for(var t;null!=(t=e.next());)if('"'==t&&!e.eat('"'))return"variable-2";return e.backUp(e.current().length-1),e.eatWhile(/\w/)?"variable-2":null}function r(e){return e.eat("@")&&(e.match("session."),e.match("local."),e.match("global.")),e.eat("'")?(e.match(/^.*'/),"variable-2"):e.eat('"')?(e.match(/^.*"/),"variable-2"):e.eat("`")?(e.match(/^.*`/),"variable-2"):e.match(/^[0-9a-zA-Z$\.\_]+/)?"variable-2":null}function o(e){return e.eat("N")?"atom":e.match(/^[a-zA-Z.#!?]/)?"variable-2":null}e.defineMode("sql",(function(t,n){var r=n.client||{},o=n.atoms||{false:!0,true:!0,null:!0},s=n.builtin||a(l),c=n.keywords||a(i),u=n.operatorChars||/^[*+\-%<>!=&|~^\/]/,d=n.support||{},h=n.hooks||{},p=n.dateSQL||{date:!0,time:!0,timestamp:!0},f=!1!==n.backslashStringEscapes,m=n.brackets||/^[\{}\(\)\[\]]/,v=n.punctuation||/^[;.,:]/;function g(e,t){var n=e.next();if(h[n]){var i=h[n](e,t);if(!1!==i)return i}if(d.hexNumber&&("0"==n&&e.match(/^[xX][0-9a-fA-F]+/)||("x"==n||"X"==n)&&e.match(/^'[0-9a-fA-F]*'/)))return"number";if(d.binaryNumber&&(("b"==n||"B"==n)&&e.match(/^'[01]*'/)||"0"==n&&e.match(/^b[01]+/)))return"number";if(n.charCodeAt(0)>47&&n.charCodeAt(0)<58)return e.match(/^[0-9]*(\.[0-9]+)?([eE][-+]?[0-9]+)?/),d.decimallessFloat&&e.match(/^\.(?!\.)/),"number";if("?"==n&&(e.eatSpace()||e.eol()||e.eat(";")))return"variable-3";if("'"==n||'"'==n&&d.doubleQuote)return t.tokenize=w(n),t.tokenize(e,t);if((d.nCharCast&&("n"==n||"N"==n)||d.charsetCast&&"_"==n&&e.match(/[a-z][a-z0-9]*/i))&&("'"==e.peek()||'"'==e.peek()))return"keyword";if(d.escapeConstant&&("e"==n||"E"==n)&&("'"==e.peek()||'"'==e.peek()&&d.doubleQuote))return t.tokenize=function(e,t){return(t.tokenize=w(e.next(),!0))(e,t)},"keyword";if(d.commentSlashSlash&&"/"==n&&e.eat("/"))return e.skipToEnd(),"comment";if(d.commentHash&&"#"==n||"-"==n&&e.eat("-")&&(!d.commentSpaceRequired||e.eat(" ")))return e.skipToEnd(),"comment";if("/"==n&&e.eat("*"))return t.tokenize=y(1),t.tokenize(e,t);if("."!=n){if(u.test(n))return e.eatWhile(u),"operator";if(m.test(n))return"bracket";if(v.test(n))return e.eatWhile(v),"punctuation";if("{"==n&&(e.match(/^( )*(d|D|t|T|ts|TS)( )*'[^']*'( )*}/)||e.match(/^( )*(d|D|t|T|ts|TS)( )*"[^"]*"( )*}/)))return"number";e.eatWhile(/^[_\w\d]/);var a=e.current().toLowerCase();return p.hasOwnProperty(a)&&(e.match(/^( )+'[^']*'/)||e.match(/^( )+"[^"]*"/))?"number":o.hasOwnProperty(a)?"atom":s.hasOwnProperty(a)?"type":c.hasOwnProperty(a)?"keyword":r.hasOwnProperty(a)?"builtin":null}return d.zerolessFloat&&e.match(/^(?:\d+(?:e[+-]?\d+)?)/i)?"number":e.match(/^\.+/)?null:e.match(/^[\w\d_$#]+/)?"variable-2":void 0}function w(e,t){return function(n,r){for(var o,i=!1;null!=(o=n.next());){if(o==e&&!i){r.tokenize=g;break}i=(f||t)&&!i&&"\\"==o}return"string"}}function y(e){return function(t,n){var r=t.match(/^.*?(\/\*|\*\/)/);return r?"/*"==r[1]?n.tokenize=y(e+1):n.tokenize=e>1?y(e-1):g:t.skipToEnd(),"comment"}}function b(e,t,n){t.context={prev:t.context,indent:e.indentation(),col:e.column(),type:n}}function x(e){e.indent=e.context.indent,e.context=e.context.prev}return{startState:function(){return{tokenize:g,context:null}},token:function(e,t){if(e.sol()&&t.context&&null==t.context.align&&(t.context.align=!1),t.tokenize==g&&e.eatSpace())return null;var n=t.tokenize(e,t);if("comment"==n)return n;t.context&&null==t.context.align&&(t.context.align=!0);var r=e.current();return"("==r?b(e,t,")"):"["==r?b(e,t,"]"):t.context&&t.context.type==r&&x(t),n},indent:function(n,r){var o=n.context;if(!o)return e.Pass;var i=r.charAt(0)==o.type;return o.align?o.col+(i?0:1):o.indent+(i?0:t.indentUnit)},blockCommentStart:"/*",blockCommentEnd:"*/",lineComment:d.commentSlashSlash?"//":d.commentHash?"#":"--",closeBrackets:"()[]{}''\"\"``",config:n}}));var i="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 a(e){for(var t={},n=e.split(" "),r=0;r<n.length;++r)t[n[r]]=!0;return t}var l="bool boolean bit blob enum 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 real date datetime year unsigned signed decimal numeric";e.defineMIME("text/x-sql",{name:"sql",keywords:a(i+"begin"),builtin:a(l),atoms:a("false true null unknown"),dateSQL:a("date time timestamp"),support:a("doubleQuote binaryNumber hexNumber")}),e.defineMIME("text/x-mssql",{name:"sql",client:a("$partition binary_checksum checksum connectionproperty context_info current_request_id error_line error_message error_number error_procedure error_severity error_state formatmessage get_filestream_transaction_context getansinull host_id host_name isnull isnumeric min_active_rowversion newid newsequentialid rowcount_big xact_state object_id"),keywords:a(i+"begin trigger proc view index for add constraint key primary foreign collate clustered nonclustered declare exec go if use index holdlock nolock nowait paglock readcommitted readcommittedlock readpast readuncommitted repeatableread rowlock serializable snapshot tablock tablockx updlock with"),builtin:a("bigint numeric bit smallint decimal smallmoney int tinyint money float real char varchar text nchar nvarchar ntext binary varbinary image cursor timestamp hierarchyid uniqueidentifier sql_variant xml table "),atoms:a("is not null like and or in left right between inner outer join all any some cross unpivot pivot exists"),operatorChars:/^[*+\-%<>!=^\&|\/]/,brackets:/^[\{}\(\)]/,punctuation:/^[;.,:/]/,backslashStringEscapes:!1,dateSQL:a("date datetimeoffset datetime2 smalldatetime datetime time"),hooks:{"@":r}}),e.defineMIME("text/x-mysql",{name:"sql",client:a("charset clear connect edit ego exit go help nopager notee nowarning pager print prompt quit rehash source status system tee"),keywords:a(i+"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:a("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:a("false true null unknown"),operatorChars:/^[*+\-%<>!=&|^]/,dateSQL:a("date time timestamp"),support:a("decimallessFloat zerolessFloat binaryNumber hexNumber doubleQuote nCharCast charsetCast commentHash commentSpaceRequired"),hooks:{"@":r,"`":t,"\\":o}}),e.defineMIME("text/x-mariadb",{name:"sql",client:a("charset clear connect edit ego exit go help nopager notee nowarning pager print prompt quit rehash source status system tee"),keywords:a(i+"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:a("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:a("false true null unknown"),operatorChars:/^[*+\-%<>!=&|^]/,dateSQL:a("date time timestamp"),support:a("decimallessFloat zerolessFloat binaryNumber hexNumber doubleQuote nCharCast charsetCast commentHash commentSpaceRequired"),hooks:{"@":r,"`":t,"\\":o}}),e.defineMIME("text/x-sqlite",{name:"sql",client:a("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:a(i+"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:a("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:a("null current_date current_time current_timestamp"),operatorChars:/^[*+\-%<>!=&|/~]/,dateSQL:a("date time timestamp datetime"),support:a("decimallessFloat zerolessFloat"),identifierQuote:'"',hooks:{"@":r,":":r,"?":r,$:r,'"':n,"`":t}}),e.defineMIME("text/x-cassandra",{name:"sql",client:{},keywords:a("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:a("ascii bigint blob boolean counter decimal double float frozen inet int list map static text timestamp timeuuid tuple uuid varchar varint"),atoms:a("false true infinity NaN"),operatorChars:/^[<>=]/,dateSQL:{},support:a("commentSlashSlash decimallessFloat"),hooks:{}}),e.defineMIME("text/x-plsql",{name:"sql",client:a("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:a("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:a("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:a("date time timestamp"),support:a("doubleQuote nCharCast zerolessFloat binaryNumber hexNumber")}),e.defineMIME("text/x-hive",{name:"sql",keywords:a("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:a("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:a("false true null unknown"),operatorChars:/^[*+\-%<>!=]/,dateSQL:a("date timestamp"),support:a("doubleQuote binaryNumber hexNumber")}),e.defineMIME("text/x-pgsql",{name:"sql",client:a("source"),keywords:a(i+"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:a("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:a("false true null unknown"),operatorChars:/^[*\/+\-%<>!=&|^\/#@?~]/,backslashStringEscapes:!1,dateSQL:a("date time timestamp"),support:a("decimallessFloat zerolessFloat binaryNumber hexNumber nCharCast charsetCast escapeConstant")}),e.defineMIME("text/x-gql",{name:"sql",keywords:a("ancestor and asc by contains desc descendant distinct from group has in is limit offset on order select superset where"),atoms:a("false true"),builtin:a("blob datetime first key __key__ string integer double boolean null"),operatorChars:/^[*+\-%<>!=]/}),e.defineMIME("text/x-gpsql",{name:"sql",client:a("source"),keywords:a("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:a("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:a("false true null unknown"),operatorChars:/^[*+\-%<>!=&|^\/#@?~]/,dateSQL:a("date time timestamp"),support:a("decimallessFloat zerolessFloat binaryNumber hexNumber nCharCast charsetCast")}),e.defineMIME("text/x-sparksql",{name:"sql",keywords:a("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:a("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:a("false true null"),operatorChars:/^[*\/+\-%<>!=~&|^]/,dateSQL:a("date time timestamp"),support:a("doubleQuote zerolessFloat")}),e.defineMIME("text/x-esper",{name:"sql",client:a("source"),keywords:a("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:a("false true null"),operatorChars:/^[*+\-%<>!=&|^\/#@?~]/,dateSQL:a("time"),support:a("decimallessFloat zerolessFloat binaryNumber hexNumber")}),e.defineMIME("text/x-trino",{name:"sql",keywords:a("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:a("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:a("false true null unknown"),operatorChars:/^[[\]|<>=!\-+*/%]/,dateSQL:a("date time timestamp zone"),support:a("decimallessFloat zerolessFloat hexNumber")})}(n(15237))},71070:(e,t,n)=>{!function(e){"use strict";e.defineMode("stylus",(function(e){for(var p,f,w,y,b=e.indentUnit,x="",k=v(t),E=/^(a|b|i|s|col|em)$/i,A=v(i),C=v(a),B=v(c),M=v(s),_=v(n),S=m(n),N=v(o),V=v(r),L=v(l),T=/^\s*([.]{2,3}|&&|\|\||\*\*|[?!=:]?=|[-+*\/%<>]=?|\?:|\~)/,I=m(u),Z=v(d),O=new RegExp(/^\-(moz|ms|o|webkit)-/i),D=v(h),R="",H={};x.length<b;)x+=" ";function P(e,t){if(R=e.string.match(/(^[\w-]+\s*=\s*$)|(^\s*[\w-]+\s*=\s*[\w-])|(^\s*(\.|#|@|\$|\&|\[|\d|\+|::?|\{|\>|~|\/)?\s*[\w-]*([a-z0-9-]|\*|\/\*)(\(|,)?)/),t.context.line.firstWord=R?R[0].replace(/^\s*/,""):"",t.context.line.indent=e.indentation(),p=e.peek(),e.match("//"))return e.skipToEnd(),["comment","comment"];if(e.match("/*"))return t.tokenize=j,j(e,t);if('"'==p||"'"==p)return e.next(),t.tokenize=F(p),t.tokenize(e,t);if("@"==p)return e.next(),e.eatWhile(/[\w\\-]/),["def",e.current()];if("#"==p){if(e.next(),e.match(/^[0-9a-f]{3}([0-9a-f]([0-9a-f]{2}){0,2})?\b(?!-)/i))return["atom","atom"];if(e.match(/^[a-z][\w-]*/i))return["builtin","hash"]}return e.match(O)?["meta","vendor-prefixes"]:e.match(/^-?[0-9]?\.?[0-9]/)?(e.eatWhile(/[a-z%]/i),["number","unit"]):"!"==p?(e.next(),[e.match(/^(important|optional)/i)?"keyword":"operator","important"]):"."==p&&e.match(/^\.[a-z][\w-]*/i)?["qualifier","qualifier"]:e.match(S)?("("==e.peek()&&(t.tokenize=z),["property","word"]):e.match(/^[a-z][\w-]*\(/i)?(e.backUp(1),["keyword","mixin"]):e.match(/^(\+|-)[a-z][\w-]*\(/i)?(e.backUp(1),["keyword","block-mixin"]):e.string.match(/^\s*&/)&&e.match(/^[-_]+[a-z][\w-]*/)?["qualifier","qualifier"]:e.match(/^(\/|&)(-|_|:|\.|#|[a-z])/)?(e.backUp(1),["variable-3","reference"]):e.match(/^&{1}\s*$/)?["variable-3","reference"]:e.match(I)?["operator","operator"]:e.match(/^\$?[-_]*[a-z0-9]+[\w-]*/i)?e.match(/^(\.|\[)[\w-\'\"\]]+/i,!1)&&!K(e.current())?(e.match("."),["variable-2","variable-name"]):["variable-2","word"]:e.match(T)?["operator",e.current()]:/[:;,{}\[\]\(\)]/.test(p)?(e.next(),[null,p]):(e.next(),[null,null])}function j(e,t){for(var n,r=!1;null!=(n=e.next());){if(r&&"/"==n){t.tokenize=null;break}r="*"==n}return["comment","comment"]}function F(e){return function(t,n){for(var r,o=!1;null!=(r=t.next());){if(r==e&&!o){")"==e&&t.backUp(1);break}o=!o&&"\\"==r}return(r==e||!o&&")"!=e)&&(n.tokenize=null),["string","string"]}}function z(e,t){return e.next(),e.match(/\s*[\"\')]/,!1)?t.tokenize=null:t.tokenize=F(")"),[null,"("]}function q(e,t,n,r){this.type=e,this.indent=t,this.prev=n,this.line=r||{firstWord:"",indent:0}}function U(e,t,n,r){return r=r>=0?r:b,e.context=new q(n,t.indentation()+r,e.context),n}function $(e,t){var n=e.context.indent-b;return t=t||!1,e.context=e.context.prev,t&&(e.context.indent=n),e.context.type}function W(e,t,n){return H[n.context.type](e,t,n)}function G(e,t,n,r){for(var o=r||1;o>0;o--)n.context=n.context.prev;return W(e,t,n)}function K(e){return e.toLowerCase()in k}function Y(e){return(e=e.toLowerCase())in A||e in L}function X(e){return e.toLowerCase()in Z}function J(e){return e.toLowerCase().match(O)}function Q(e){var t=e.toLowerCase(),n="variable-2";return K(e)?n="tag":X(e)?n="block-keyword":Y(e)?n="property":t in B||t in D?n="atom":"return"==t||t in M?n="keyword":e.match(/^[A-Z]/)&&(n="string"),n}function ee(e,t){return oe(t)&&("{"==e||"]"==e||"hash"==e||"qualifier"==e)||"block-mixin"==e}function te(e,t){return"{"==e&&t.match(/^\s*\$?[\w-]+/i,!1)}function ne(e,t){return":"==e&&t.match(/^[a-z-]+/,!1)}function re(e){return e.sol()||e.string.match(new RegExp("^\\s*"+g(e.current())))}function oe(e){return e.eol()||e.match(/^\s*$/,!1)}function ie(e){var t=/^\s*[-_]*[a-z0-9]+[\w-]*/i,n="string"==typeof e?e.match(t):e.string.match(t);return n?n[0].replace(/^\s*/,""):""}return H.block=function(e,t,n){if("comment"==e&&re(t)||","==e&&oe(t)||"mixin"==e)return U(n,t,"block",0);if(te(e,t))return U(n,t,"interpolation");if(oe(t)&&"]"==e&&!/^\s*(\.|#|:|\[|\*|&)/.test(t.string)&&!K(ie(t)))return U(n,t,"block",0);if(ee(e,t))return U(n,t,"block");if("}"==e&&oe(t))return U(n,t,"block",0);if("variable-name"==e)return t.string.match(/^\s?\$[\w-\.\[\]\'\"]+$/)||X(ie(t))?U(n,t,"variableName"):U(n,t,"variableName",0);if("="==e)return oe(t)||X(ie(t))?U(n,t,"block"):U(n,t,"block",0);if("*"==e&&(oe(t)||t.match(/\s*(,|\.|#|\[|:|{)/,!1)))return y="tag",U(n,t,"block");if(ne(e,t))return U(n,t,"pseudo");if(/@(font-face|media|supports|(-moz-)?document)/.test(e))return U(n,t,oe(t)?"block":"atBlock");if(/@(-(moz|ms|o|webkit)-)?keyframes$/.test(e))return U(n,t,"keyframes");if(/@extends?/.test(e))return U(n,t,"extend",0);if(e&&"@"==e.charAt(0))return t.indentation()>0&&Y(t.current().slice(1))?(y="variable-2","block"):/(@import|@require|@charset)/.test(e)?U(n,t,"block",0):U(n,t,"block");if("reference"==e&&oe(t))return U(n,t,"block");if("("==e)return U(n,t,"parens");if("vendor-prefixes"==e)return U(n,t,"vendorPrefixes");if("word"==e){var r=t.current();if("property"==(y=Q(r)))return re(t)?U(n,t,"block",0):(y="atom","block");if("tag"==y){if(/embed|menu|pre|progress|sub|table/.test(r)&&Y(ie(t)))return y="atom","block";if(t.string.match(new RegExp("\\[\\s*"+r+"|"+r+"\\s*\\]")))return y="atom","block";if(E.test(r)&&(re(t)&&t.string.match(/=/)||!re(t)&&!t.string.match(/^(\s*\.|#|\&|\[|\/|>|\*)/)&&!K(ie(t))))return y="variable-2",X(ie(t))?"block":U(n,t,"block",0);if(oe(t))return U(n,t,"block")}if("block-keyword"==y)return y="keyword",t.current(/(if|unless)/)&&!re(t)?"block":U(n,t,"block");if("return"==r)return U(n,t,"block",0);if("variable-2"==y&&t.string.match(/^\s?\$[\w-\.\[\]\'\"]+$/))return U(n,t,"block")}return n.context.type},H.parens=function(e,t,n){if("("==e)return U(n,t,"parens");if(")"==e)return"parens"==n.context.prev.type?$(n):t.string.match(/^[a-z][\w-]*\(/i)&&oe(t)||X(ie(t))||/(\.|#|:|\[|\*|&|>|~|\+|\/)/.test(ie(t))||!t.string.match(/^-?[a-z][\w-\.\[\]\'\"]*\s*=/)&&K(ie(t))?U(n,t,"block"):t.string.match(/^[\$-]?[a-z][\w-\.\[\]\'\"]*\s*=/)||t.string.match(/^\s*(\(|\)|[0-9])/)||t.string.match(/^\s+[a-z][\w-]*\(/i)||t.string.match(/^\s+[\$-]?[a-z]/i)?U(n,t,"block",0):oe(t)?U(n,t,"block"):U(n,t,"block",0);if(e&&"@"==e.charAt(0)&&Y(t.current().slice(1))&&(y="variable-2"),"word"==e){var r=t.current();"tag"==(y=Q(r))&&E.test(r)&&(y="variable-2"),"property"!=y&&"to"!=r||(y="atom")}return"variable-name"==e?U(n,t,"variableName"):ne(e,t)?U(n,t,"pseudo"):n.context.type},H.vendorPrefixes=function(e,t,n){return"word"==e?(y="property",U(n,t,"block",0)):$(n)},H.pseudo=function(e,t,n){return Y(ie(t.string))?G(e,t,n):(t.match(/^[a-z-]+/),y="variable-3",oe(t)?U(n,t,"block"):$(n))},H.atBlock=function(e,t,n){if("("==e)return U(n,t,"atBlock_parens");if(ee(e,t))return U(n,t,"block");if(te(e,t))return U(n,t,"interpolation");if("word"==e){var r=t.current().toLowerCase();if("tag"==(y=/^(only|not|and|or)$/.test(r)?"keyword":_.hasOwnProperty(r)?"tag":V.hasOwnProperty(r)?"attribute":N.hasOwnProperty(r)?"property":C.hasOwnProperty(r)?"string-2":Q(t.current()))&&oe(t))return U(n,t,"block")}return"operator"==e&&/^(not|and|or)$/.test(t.current())&&(y="keyword"),n.context.type},H.atBlock_parens=function(e,t,n){if("{"==e||"}"==e)return n.context.type;if(")"==e)return oe(t)?U(n,t,"block"):U(n,t,"atBlock");if("word"==e){var r=t.current().toLowerCase();return y=Q(r),/^(max|min)/.test(r)&&(y="property"),"tag"==y&&(y=E.test(r)?"variable-2":"atom"),n.context.type}return H.atBlock(e,t,n)},H.keyframes=function(e,t,n){return"0"==t.indentation()&&("}"==e&&re(t)||"]"==e||"hash"==e||"qualifier"==e||K(t.current()))?G(e,t,n):"{"==e?U(n,t,"keyframes"):"}"==e?re(t)?$(n,!0):U(n,t,"keyframes"):"unit"==e&&/^[0-9]+\%$/.test(t.current())?U(n,t,"keyframes"):"word"==e&&"block-keyword"==(y=Q(t.current()))?(y="keyword",U(n,t,"keyframes")):/@(font-face|media|supports|(-moz-)?document)/.test(e)?U(n,t,oe(t)?"block":"atBlock"):"mixin"==e?U(n,t,"block",0):n.context.type},H.interpolation=function(e,t,n){return"{"==e&&$(n)&&U(n,t,"block"),"}"==e?t.string.match(/^\s*(\.|#|:|\[|\*|&|>|~|\+|\/)/i)||t.string.match(/^\s*[a-z]/i)&&K(ie(t))?U(n,t,"block"):!t.string.match(/^(\{|\s*\&)/)||t.match(/\s*[\w-]/,!1)?U(n,t,"block",0):U(n,t,"block"):"variable-name"==e?U(n,t,"variableName",0):("word"==e&&"tag"==(y=Q(t.current()))&&(y="atom"),n.context.type)},H.extend=function(e,t,n){return"["==e||"="==e?"extend":"]"==e?$(n):"word"==e?(y=Q(t.current()),"extend"):$(n)},H.variableName=function(e,t,n){return"string"==e||"["==e||"]"==e||t.current().match(/^(\.|\$)/)?(t.current().match(/^\.[\w-]+/i)&&(y="variable-2"),"variableName"):G(e,t,n)},{startState:function(e){return{tokenize:null,state:"block",context:new q("block",e||0,null)}},token:function(e,t){return!t.tokenize&&e.eatSpace()?null:((f=(t.tokenize||P)(e,t))&&"object"==typeof f&&(w=f[1],f=f[0]),y=f,t.state=H[t.state](w,e,t),y)},indent:function(e,t,n){var r=e.context,o=t&&t.charAt(0),i=r.indent,a=ie(t),l=n.match(/^\s*/)[0].replace(/\t/g,x).length,s=e.context.prev?e.context.prev.line.firstWord:"",c=e.context.prev?e.context.prev.line.indent:l;return r.prev&&("}"==o&&("block"==r.type||"atBlock"==r.type||"keyframes"==r.type)||")"==o&&("parens"==r.type||"atBlock_parens"==r.type)||"{"==o&&"at"==r.type)?i=r.indent-b:/(\})/.test(o)||(/@|\$|\d/.test(o)||/^\{/.test(t)||/^\s*\/(\/|\*)/.test(t)||/^\s*\/\*/.test(s)||/^\s*[\w-\.\[\]\'\"]+\s*(\?|:|\+)?=/i.test(t)||/^(\+|-)?[a-z][\w-]*\(/i.test(t)||/^return/.test(t)||X(a)?i=l:/(\.|#|:|\[|\*|&|>|~|\+|\/)/.test(o)||K(a)?i=/\,\s*$/.test(s)?c:/^\s+/.test(n)&&(/(\.|#|:|\[|\*|&|>|~|\+|\/)/.test(s)||K(s))?l<=c?c:c+b:l:/,\s*$/.test(n)||!J(a)&&!Y(a)||(i=X(s)?l<=c?c:c+b:/^\{/.test(s)?l<=c?l:c+b:J(s)||Y(s)?l>=c?c:l:/^(\.|#|:|\[|\*|&|@|\+|\-|>|~|\/)/.test(s)||/=\s*$/.test(s)||K(s)||/^\$[\w-\.\[\]\'\"]/.test(s)?c+b:l)),i},electricChars:"}",blockCommentStart:"/*",blockCommentEnd:"*/",blockCommentContinue:" * ",lineComment:"//",fold:"indent"}}));var t=["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"],n=["domain","regexp","url-prefix","url"],r=["all","aural","braille","handheld","print","projection","screen","tty","tv","embossed"],o=["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"],i=["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"],a=["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"],l=["font-family","src","unicode-range","font-variant","font-feature-settings","font-stretch","font-weight","font-style"],s=["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"],c=["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"],u=["in","and","or","not","is not","is a","is","isnt","defined","if unless"],d=["for","if","else","unless","from","to"],h=["null","true","false","href","title","type","not-allowed","readonly","disabled"],p=["@font-face","@keyframes","@media","@viewport","@page","@host","@supports","@block","@css"],f=t.concat(n,r,o,i,a,s,c,l,u,d,h,p);function m(e){return e=e.sort((function(e,t){return t>e})),new RegExp("^(("+e.join(")|(")+"))\\b")}function v(e){for(var t={},n=0;n<e.length;++n)t[e[n]]=!0;return t}function g(e){return e.replace(/[-[\]{}()*+?.,\\^$|#\s]/g,"\\$&")}e.registerHelper("hintWords","stylus",f),e.defineMIME("text/x-styl","stylus")}(n(15237))},11956:(e,t,n)=>{!function(e){"use strict";e.defineMode("twig:inner",(function(){var e=["and","as","autoescape","endautoescape","block","do","endblock","else","elseif","extends","for","endfor","embed","endembed","filter","endfilter","flush","from","if","endif","in","is","include","import","not","or","set","spaceless","endspaceless","with","endwith","trans","endtrans","blocktrans","endblocktrans","macro","endmacro","use","verbatim","endverbatim"],t=/^[+\-*&%=<>!?|~^]/,n=/^[:\[\(\{]/,r=["true","false","null","empty","defined","divisibleby","divisible by","even","odd","iterable","sameas","same as"],o=/^(\d[+\-\*\/])?\d+(\.\d+)?/;function i(i,a){var l=i.peek();if(a.incomment)return i.skipTo("#}")?(i.eatWhile(/\#|}/),a.incomment=!1):i.skipToEnd(),"comment";if(a.intag){if(a.operator){if(a.operator=!1,i.match(r))return"atom";if(i.match(o))return"number"}if(a.sign){if(a.sign=!1,i.match(r))return"atom";if(i.match(o))return"number"}if(a.instring)return l==a.instring&&(a.instring=!1),i.next(),"string";if("'"==l||'"'==l)return a.instring=l,i.next(),"string";if(i.match(a.intag+"}")||i.eat("-")&&i.match(a.intag+"}"))return a.intag=!1,"tag";if(i.match(t))return a.operator=!0,"operator";if(i.match(n))a.sign=!0;else if(i.eat(" ")||i.sol()){if(i.match(e))return"keyword";if(i.match(r))return"atom";if(i.match(o))return"number";i.sol()&&i.next()}else i.next();return"variable"}if(i.eat("{")){if(i.eat("#"))return a.incomment=!0,i.skipTo("#}")?(i.eatWhile(/\#|}/),a.incomment=!1):i.skipToEnd(),"comment";if(l=i.eat(/\{|%/))return a.intag=l,"{"==l&&(a.intag="}"),i.eat("-"),"tag"}i.next()}return e=new RegExp("(("+e.join(")|(")+"))\\b"),r=new RegExp("(("+r.join(")|(")+"))\\b"),{startState:function(){return{}},token:function(e,t){return i(e,t)}}})),e.defineMode("twig",(function(t,n){var r=e.getMode(t,"twig:inner");return n&&n.base?e.multiplexingMode(e.getMode(t,n.base),{open:/\{[{#%]/,close:/[}#%]\}/,mode:r,parseDelimiters:!0}):r})),e.defineMIME("text/x-twig","twig")}(n(15237),n(97340))},73012:(e,t,n)=>{!function(){"use strict";var e,t;e=n(15237),n(32580),n(40576),n(16792),n(47936),n(68656),n(17246),n(71070),n(63588),n(8294),t={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"]]},e.defineMode("vue-template",(function(t,n){var r={token:function(e){if(e.match(/^\{\{.*?\}\}/))return"meta mustache";for(;e.next()&&!e.match("{{",!1););return null}};return e.overlayMode(e.getMode(t,n.backdrop||"text/html"),r)})),e.defineMode("vue",(function(n){return e.getMode(n,{name:"htmlmixed",tags:t})}),"htmlmixed","xml","javascript","coffeescript","css","sass","stylus","pug","handlebars"),e.defineMIME("script/x-vue","vue"),e.defineMIME("text/x-vue","vue")}()},40576:(e,t,n)=>{!function(e){"use strict";var t={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},n={autoSelfClosers:{},implicitlyClosed:{},contextGrabbers:{},doNotIndent:{},allowUnquoted:!1,allowMissing:!1,allowMissingTagName:!1,caseFold:!1};e.defineMode("xml",(function(r,o){var i,a,l=r.indentUnit,s={},c=o.htmlMode?t:n;for(var u in c)s[u]=c[u];for(var u in o)s[u]=o[u];function d(e,t){function n(n){return t.tokenize=n,n(e,t)}var r=e.next();return"<"==r?e.eat("!")?e.eat("[")?e.match("CDATA[")?n(f("atom","]]>")):null:e.match("--")?n(f("comment","--\x3e")):e.match("DOCTYPE",!0,!0)?(e.eatWhile(/[\w\._\-]/),n(m(1))):null:e.eat("?")?(e.eatWhile(/[\w\._\-]/),t.tokenize=f("meta","?>"),"meta"):(i=e.eat("/")?"closeTag":"openTag",t.tokenize=h,"tag bracket"):"&"==r?(e.eat("#")?e.eat("x")?e.eatWhile(/[a-fA-F\d]/)&&e.eat(";"):e.eatWhile(/[\d]/)&&e.eat(";"):e.eatWhile(/[\w\.\-:]/)&&e.eat(";"))?"atom":"error":(e.eatWhile(/[^&<]/),null)}function h(e,t){var n=e.next();if(">"==n||"/"==n&&e.eat(">"))return t.tokenize=d,i=">"==n?"endTag":"selfcloseTag","tag bracket";if("="==n)return i="equals",null;if("<"==n){t.tokenize=d,t.state=b,t.tagName=t.tagStart=null;var r=t.tokenize(e,t);return r?r+" tag error":"tag error"}return/[\'\"]/.test(n)?(t.tokenize=p(n),t.stringStartCol=e.column(),t.tokenize(e,t)):(e.match(/^[^\s\u00a0=<>\"\']*[^\s\u00a0=<>\"\'\/]/),"word")}function p(e){var t=function(t,n){for(;!t.eol();)if(t.next()==e){n.tokenize=h;break}return"string"};return t.isInAttribute=!0,t}function f(e,t){return function(n,r){for(;!n.eol();){if(n.match(t)){r.tokenize=d;break}n.next()}return e}}function m(e){return function(t,n){for(var r;null!=(r=t.next());){if("<"==r)return n.tokenize=m(e+1),n.tokenize(t,n);if(">"==r){if(1==e){n.tokenize=d;break}return n.tokenize=m(e-1),n.tokenize(t,n)}}return"meta"}}function v(e){return e&&e.toLowerCase()}function g(e,t,n){this.prev=e.context,this.tagName=t||"",this.indent=e.indented,this.startOfLine=n,(s.doNotIndent.hasOwnProperty(t)||e.context&&e.context.noIndent)&&(this.noIndent=!0)}function w(e){e.context&&(e.context=e.context.prev)}function y(e,t){for(var n;;){if(!e.context)return;if(n=e.context.tagName,!s.contextGrabbers.hasOwnProperty(v(n))||!s.contextGrabbers[v(n)].hasOwnProperty(v(t)))return;w(e)}}function b(e,t,n){return"openTag"==e?(n.tagStart=t.column(),x):"closeTag"==e?k:b}function x(e,t,n){return"word"==e?(n.tagName=t.current(),a="tag",C):s.allowMissingTagName&&"endTag"==e?(a="tag bracket",C(e,t,n)):(a="error",x)}function k(e,t,n){if("word"==e){var r=t.current();return n.context&&n.context.tagName!=r&&s.implicitlyClosed.hasOwnProperty(v(n.context.tagName))&&w(n),n.context&&n.context.tagName==r||!1===s.matchClosing?(a="tag",E):(a="tag error",A)}return s.allowMissingTagName&&"endTag"==e?(a="tag bracket",E(e,t,n)):(a="error",A)}function E(e,t,n){return"endTag"!=e?(a="error",E):(w(n),b)}function A(e,t,n){return a="error",E(e,t,n)}function C(e,t,n){if("word"==e)return a="attribute",B;if("endTag"==e||"selfcloseTag"==e){var r=n.tagName,o=n.tagStart;return n.tagName=n.tagStart=null,"selfcloseTag"==e||s.autoSelfClosers.hasOwnProperty(v(r))?y(n,r):(y(n,r),n.context=new g(n,r,o==n.indented)),b}return a="error",C}function B(e,t,n){return"equals"==e?M:(s.allowMissing||(a="error"),C(e,t,n))}function M(e,t,n){return"string"==e?_:"word"==e&&s.allowUnquoted?(a="string",C):(a="error",C(e,t,n))}function _(e,t,n){return"string"==e?_:C(e,t,n)}return d.isInText=!0,{startState:function(e){var t={tokenize:d,state:b,indented:e||0,tagName:null,tagStart:null,context:null};return null!=e&&(t.baseIndent=e),t},token:function(e,t){if(!t.tagName&&e.sol()&&(t.indented=e.indentation()),e.eatSpace())return null;i=null;var n=t.tokenize(e,t);return(n||i)&&"comment"!=n&&(a=null,t.state=t.state(i||n,e,t),a&&(n="error"==a?n+" error":a)),n},indent:function(t,n,r){var o=t.context;if(t.tokenize.isInAttribute)return t.tagStart==t.indented?t.stringStartCol+1:t.indented+l;if(o&&o.noIndent)return e.Pass;if(t.tokenize!=h&&t.tokenize!=d)return r?r.match(/^(\s*)/)[0].length:0;if(t.tagName)return!1!==s.multilineTagIndentPastTag?t.tagStart+t.tagName.length+2:t.tagStart+l*(s.multilineTagIndentFactor||1);if(s.alignCDATA&&/<!\[CDATA\[/.test(n))return 0;var i=n&&/^<(\/)?([\w_:\.-]*)/.exec(n);if(i&&i[1])for(;o;){if(o.tagName==i[2]){o=o.prev;break}if(!s.implicitlyClosed.hasOwnProperty(v(o.tagName)))break;o=o.prev}else if(i)for(;o;){var a=s.contextGrabbers[v(o.tagName)];if(!a||!a.hasOwnProperty(v(i[2])))break;o=o.prev}for(;o&&o.prev&&!o.startOfLine;)o=o.prev;return o?o.indent+l:t.baseIndent||0},electricInput:/<\/[\s\w:]+>$/,blockCommentStart:"\x3c!--",blockCommentEnd:"--\x3e",configuration:s.htmlMode?"html":"xml",helperType:s.htmlMode?"html":"xml",skipAttribute:function(e){e.state==M&&(e.state=C)},xmlCurrentTag:function(e){return e.tagName?{name:e.tagName,close:"closeTag"==e.type}:null},xmlCurrentContext:function(e){for(var t=[],n=e.context;n;n=n.prev)t.push(n.tagName);return t.reverse()}}})),e.defineMIME("text/xml","xml"),e.defineMIME("application/xml","xml"),e.mimeModes.hasOwnProperty("text/html")||e.defineMIME("text/html",{name:"xml",htmlMode:!0})}(n(15237))},12082:(e,t,n)=>{var r,o,i,a;r=n(15237),n(20496),o=0,i=1,a=2,r.defineMode("yaml-frontmatter",(function(e,t){var n=r.getMode(e,"yaml"),l=r.getMode(e,t&&t.base||"gfm");function s(e){return e.state==i?{mode:n,state:e.yaml}:{mode:l,state:e.inner}}return{startState:function(){return{state:o,yaml:null,inner:r.startState(l)}},copyState:function(e){return{state:e.state,yaml:e.yaml&&r.copyState(n,e.yaml),inner:r.copyState(l,e.inner)}},token:function(e,t){if(t.state==o)return e.match("---",!1)?(t.state=i,t.yaml=r.startState(n),n.token(e,t.yaml)):(t.state=a,l.token(e,t.inner));if(t.state==i){var s=e.sol()&&e.match(/(---|\.\.\.)/,!1),c=n.token(e,t.yaml);return s&&(t.state=a,t.yaml=null),c}return l.token(e,t.inner)},innerMode:s,indent:function(e,t,n){var o=s(e);return o.mode.indent?o.mode.indent(o.state,t,n):r.Pass},blankLine:function(e){var t=s(e);if(t.mode.blankLine)return t.mode.blankLine(t.state)}}}))},20496:(e,t,n)=>{!function(e){"use strict";e.defineMode("yaml",(function(){var e=new RegExp("\\b(("+["true","false","on","off","yes","no"].join(")|(")+"))$","i");return{token:function(t,n){var r=t.peek(),o=n.escaped;if(n.escaped=!1,"#"==r&&(0==t.pos||/\s/.test(t.string.charAt(t.pos-1))))return t.skipToEnd(),"comment";if(t.match(/^('([^']|\\.)*'?|"([^"]|\\.)*"?)/))return"string";if(n.literal&&t.indentation()>n.keyCol)return t.skipToEnd(),"string";if(n.literal&&(n.literal=!1),t.sol()){if(n.keyCol=0,n.pair=!1,n.pairStart=!1,t.match("---"))return"def";if(t.match("..."))return"def";if(t.match(/\s*-\s+/))return"meta"}if(t.match(/^(\{|\}|\[|\])/))return"{"==r?n.inlinePairs++:"}"==r?n.inlinePairs--:"["==r?n.inlineList++:n.inlineList--,"meta";if(n.inlineList>0&&!o&&","==r)return t.next(),"meta";if(n.inlinePairs>0&&!o&&","==r)return n.keyCol=0,n.pair=!1,n.pairStart=!1,t.next(),"meta";if(n.pairStart){if(t.match(/^\s*(\||\>)\s*/))return n.literal=!0,"meta";if(t.match(/^\s*(\&|\*)[a-z0-9\._-]+\b/i))return"variable-2";if(0==n.inlinePairs&&t.match(/^\s*-?[0-9\.\,]+\s?$/))return"number";if(n.inlinePairs>0&&t.match(/^\s*-?[0-9\.\,]+\s?(?=(,|}))/))return"number";if(t.match(e))return"keyword"}return!n.pair&&t.match(/^\s*(?:[,\[\]{}&*!|>'"%@`][^\s'":]|[^\s,\[\]{}#&*!|>'"%@`])[^#:]*(?=:($|\s))/)?(n.pair=!0,n.keyCol=t.indentation(),"atom"):n.pair&&t.match(/^:\s*/)?(n.pairStart=!0,"meta"):(n.pairStart=!1,n.escaped="\\"==r,t.next(),null)},startState:function(){return{pair:!1,pairStart:!1,keyCol:0,inlinePairs:0,inlineList:0,literal:!1,escaped:!1}},lineComment:"#",fold:"indent"}})),e.defineMIME("text/x-yaml","yaml"),e.defineMIME("text/yaml","yaml")}(n(15237))},63700:(e,t,n)=>{"use strict";n.d(t,{A:()=>i});var r=n(76314),o=n.n(r)()((function(e){return e[1]}));o.push([e.id,'.chartist-tooltip{background:#f4c63d;color:#453d3f;display:inline-block;font-family:Oxygen,Helvetica,Arial,sans-serif;font-weight:700;min-width:5em;opacity:0;padding:.5em;pointer-events:none;position:absolute;text-align:center;transition:opacity .2s linear;z-index:1}.chartist-tooltip:before{border:15px solid transparent;border-top-color:#f4c63d;content:"";height:0;left:50%;margin-left:-15px;position:absolute;top:100%;width:0}.chartist-tooltip.tooltip-show{opacity:1}.ct-area,.ct-line{pointer-events:none}',""]);const i=o},83467:(e,t,n)=>{"use strict";n.d(t,{A:()=>i});var r=n(76314),o=n.n(r)()((function(e){return e[1]}));o.push([e.id,'.ct-label{fill:rgba(0,0,0,.4);color:rgba(0,0,0,.4);font-size:.75rem;line-height:1}.ct-chart-bar .ct-label,.ct-chart-line .ct-label{display:flex}.ct-chart-donut .ct-label,.ct-chart-pie .ct-label{dominant-baseline:central}.ct-label.ct-horizontal.ct-start{align-items:flex-end;justify-content:flex-start;text-align:left}.ct-label.ct-horizontal.ct-end{align-items:flex-start;justify-content:flex-start;text-align:left}.ct-label.ct-vertical.ct-start{align-items:flex-end;justify-content:flex-end;text-align:right}.ct-label.ct-vertical.ct-end{align-items:flex-end;justify-content:flex-start;text-align:left}.ct-chart-bar .ct-label.ct-horizontal.ct-start{align-items:flex-end;justify-content:center;text-align:center}.ct-chart-bar .ct-label.ct-horizontal.ct-end{align-items:flex-start;justify-content:center;text-align:center}.ct-chart-bar.ct-horizontal-bars .ct-label.ct-horizontal.ct-start{align-items:flex-end;justify-content:flex-start;text-align:left}.ct-chart-bar.ct-horizontal-bars .ct-label.ct-horizontal.ct-end{align-items:flex-start;justify-content:flex-start;text-align:left}.ct-chart-bar.ct-horizontal-bars .ct-label.ct-vertical.ct-start{align-items:center;justify-content:flex-end;text-align:right}.ct-chart-bar.ct-horizontal-bars .ct-label.ct-vertical.ct-end{align-items:center;justify-content:flex-start;text-align:left}.ct-grid{stroke:rgba(0,0,0,.2);stroke-width:1px;stroke-dasharray:2px}.ct-grid-background{fill:none}.ct-point{stroke-width:10px;stroke-linecap:round}.ct-line{fill:none;stroke-width:4px}.ct-area{stroke:none;fill-opacity:.1}.ct-bar{fill:none;stroke-width:10px}.ct-slice-donut{fill:none;stroke-width:60px}.ct-series-a .ct-bar,.ct-series-a .ct-line,.ct-series-a .ct-point,.ct-series-a .ct-slice-donut{stroke:#d70206}.ct-series-a .ct-area,.ct-series-a .ct-slice-pie{fill:#d70206}.ct-series-b .ct-bar,.ct-series-b .ct-line,.ct-series-b .ct-point,.ct-series-b .ct-slice-donut{stroke:#f05b4f}.ct-series-b .ct-area,.ct-series-b .ct-slice-pie{fill:#f05b4f}.ct-series-c .ct-bar,.ct-series-c .ct-line,.ct-series-c .ct-point,.ct-series-c .ct-slice-donut{stroke:#f4c63d}.ct-series-c .ct-area,.ct-series-c .ct-slice-pie{fill:#f4c63d}.ct-series-d .ct-bar,.ct-series-d .ct-line,.ct-series-d .ct-point,.ct-series-d .ct-slice-donut{stroke:#d17905}.ct-series-d .ct-area,.ct-series-d .ct-slice-pie{fill:#d17905}.ct-series-e .ct-bar,.ct-series-e .ct-line,.ct-series-e .ct-point,.ct-series-e .ct-slice-donut{stroke:#453d3f}.ct-series-e .ct-area,.ct-series-e .ct-slice-pie{fill:#453d3f}.ct-series-f .ct-bar,.ct-series-f .ct-line,.ct-series-f .ct-point,.ct-series-f .ct-slice-donut{stroke:#59922b}.ct-series-f .ct-area,.ct-series-f .ct-slice-pie{fill:#59922b}.ct-series-g .ct-bar,.ct-series-g .ct-line,.ct-series-g .ct-point,.ct-series-g .ct-slice-donut{stroke:#0544d3}.ct-series-g .ct-area,.ct-series-g .ct-slice-pie{fill:#0544d3}.ct-series-h .ct-bar,.ct-series-h .ct-line,.ct-series-h .ct-point,.ct-series-h .ct-slice-donut{stroke:#6b0392}.ct-series-h .ct-area,.ct-series-h .ct-slice-pie{fill:#6b0392}.ct-series-i .ct-bar,.ct-series-i .ct-line,.ct-series-i .ct-point,.ct-series-i .ct-slice-donut{stroke:#e6805e}.ct-series-i .ct-area,.ct-series-i .ct-slice-pie{fill:#e6805e}.ct-series-j .ct-bar,.ct-series-j .ct-line,.ct-series-j .ct-point,.ct-series-j .ct-slice-donut{stroke:#dda458}.ct-series-j .ct-area,.ct-series-j .ct-slice-pie{fill:#dda458}.ct-series-k .ct-bar,.ct-series-k .ct-line,.ct-series-k .ct-point,.ct-series-k .ct-slice-donut{stroke:#eacf7d}.ct-series-k .ct-area,.ct-series-k .ct-slice-pie{fill:#eacf7d}.ct-series-l .ct-bar,.ct-series-l .ct-line,.ct-series-l .ct-point,.ct-series-l .ct-slice-donut{stroke:#86797d}.ct-series-l .ct-area,.ct-series-l .ct-slice-pie{fill:#86797d}.ct-series-m .ct-bar,.ct-series-m .ct-line,.ct-series-m .ct-point,.ct-series-m .ct-slice-donut{stroke:#b2c326}.ct-series-m .ct-area,.ct-series-m .ct-slice-pie{fill:#b2c326}.ct-series-n .ct-bar,.ct-series-n .ct-line,.ct-series-n .ct-point,.ct-series-n .ct-slice-donut{stroke:#6188e2}.ct-series-n .ct-area,.ct-series-n .ct-slice-pie{fill:#6188e2}.ct-series-o .ct-bar,.ct-series-o .ct-line,.ct-series-o .ct-point,.ct-series-o .ct-slice-donut{stroke:#a748ca}.ct-series-o .ct-area,.ct-series-o .ct-slice-pie{fill:#a748ca}.ct-square{display:block;position:relative;width:100%}.ct-square:before{content:"";display:block;float:left;height:0;padding-bottom:100%;width:0}.ct-square:after{clear:both;content:"";display:table}.ct-square>svg{display:block;left:0;position:absolute;top:0}.ct-minor-second{display:block;position:relative;width:100%}.ct-minor-second:before{content:"";display:block;float:left;height:0;padding-bottom:93.75%;width:0}.ct-minor-second:after{clear:both;content:"";display:table}.ct-minor-second>svg{display:block;left:0;position:absolute;top:0}.ct-major-second{display:block;position:relative;width:100%}.ct-major-second:before{content:"";display:block;float:left;height:0;padding-bottom:88.8888888889%;width:0}.ct-major-second:after{clear:both;content:"";display:table}.ct-major-second>svg{display:block;left:0;position:absolute;top:0}.ct-minor-third{display:block;position:relative;width:100%}.ct-minor-third:before{content:"";display:block;float:left;height:0;padding-bottom:83.3333333333%;width:0}.ct-minor-third:after{clear:both;content:"";display:table}.ct-minor-third>svg{display:block;left:0;position:absolute;top:0}.ct-major-third{display:block;position:relative;width:100%}.ct-major-third:before{content:"";display:block;float:left;height:0;padding-bottom:80%;width:0}.ct-major-third:after{clear:both;content:"";display:table}.ct-major-third>svg{display:block;left:0;position:absolute;top:0}.ct-perfect-fourth{display:block;position:relative;width:100%}.ct-perfect-fourth:before{content:"";display:block;float:left;height:0;padding-bottom:75%;width:0}.ct-perfect-fourth:after{clear:both;content:"";display:table}.ct-perfect-fourth>svg{display:block;left:0;position:absolute;top:0}.ct-perfect-fifth{display:block;position:relative;width:100%}.ct-perfect-fifth:before{content:"";display:block;float:left;height:0;padding-bottom:66.6666666667%;width:0}.ct-perfect-fifth:after{clear:both;content:"";display:table}.ct-perfect-fifth>svg{display:block;left:0;position:absolute;top:0}.ct-minor-sixth{display:block;position:relative;width:100%}.ct-minor-sixth:before{content:"";display:block;float:left;height:0;padding-bottom:62.5%;width:0}.ct-minor-sixth:after{clear:both;content:"";display:table}.ct-minor-sixth>svg{display:block;left:0;position:absolute;top:0}.ct-golden-section{display:block;position:relative;width:100%}.ct-golden-section:before{content:"";display:block;float:left;height:0;padding-bottom:61.804697157%;width:0}.ct-golden-section:after{clear:both;content:"";display:table}.ct-golden-section>svg{display:block;left:0;position:absolute;top:0}.ct-major-sixth{display:block;position:relative;width:100%}.ct-major-sixth:before{content:"";display:block;float:left;height:0;padding-bottom:60%;width:0}.ct-major-sixth:after{clear:both;content:"";display:table}.ct-major-sixth>svg{display:block;left:0;position:absolute;top:0}.ct-minor-seventh{display:block;position:relative;width:100%}.ct-minor-seventh:before{content:"";display:block;float:left;height:0;padding-bottom:56.25%;width:0}.ct-minor-seventh:after{clear:both;content:"";display:table}.ct-minor-seventh>svg{display:block;left:0;position:absolute;top:0}.ct-major-seventh{display:block;position:relative;width:100%}.ct-major-seventh:before{content:"";display:block;float:left;height:0;padding-bottom:53.3333333333%;width:0}.ct-major-seventh:after{clear:both;content:"";display:table}.ct-major-seventh>svg{display:block;left:0;position:absolute;top:0}.ct-octave{display:block;position:relative;width:100%}.ct-octave:before{content:"";display:block;float:left;height:0;padding-bottom:50%;width:0}.ct-octave:after{clear:both;content:"";display:table}.ct-octave>svg{display:block;left:0;position:absolute;top:0}.ct-major-tenth{display:block;position:relative;width:100%}.ct-major-tenth:before{content:"";display:block;float:left;height:0;padding-bottom:40%;width:0}.ct-major-tenth:after{clear:both;content:"";display:table}.ct-major-tenth>svg{display:block;left:0;position:absolute;top:0}.ct-major-eleventh{display:block;position:relative;width:100%}.ct-major-eleventh:before{content:"";display:block;float:left;height:0;padding-bottom:37.5%;width:0}.ct-major-eleventh:after{clear:both;content:"";display:table}.ct-major-eleventh>svg{display:block;left:0;position:absolute;top:0}.ct-major-twelfth{display:block;position:relative;width:100%}.ct-major-twelfth:before{content:"";display:block;float:left;height:0;padding-bottom:33.3333333333%;width:0}.ct-major-twelfth:after{clear:both;content:"";display:table}.ct-major-twelfth>svg{display:block;left:0;position:absolute;top:0}.ct-double-octave{display:block;position:relative;width:100%}.ct-double-octave:before{content:"";display:block;float:left;height:0;padding-bottom:25%;width:0}.ct-double-octave:after{clear:both;content:"";display:table}.ct-double-octave>svg{display:block;left:0;position:absolute;top:0}',""]);const i=o},53743:(e,t,n)=>{"use strict";n.d(t,{A:()=>i});var r=n(76314),o=n.n(r)()((function(e){return e[1]}));o.push([e.id,".resize-observer[data-v-b329ee4c]{background-color:transparent;border:none;opacity:0}.resize-observer[data-v-b329ee4c],.resize-observer[data-v-b329ee4c] object{display:block;height:100%;left:0;overflow:hidden;pointer-events:none;position:absolute;top:0;width:100%;z-index:-1}.v-popper__popper{left:0;outline:none;top:0;z-index:10000}.v-popper__popper.v-popper__popper--hidden{opacity:0;pointer-events:none;transition:opacity .15s,visibility .15s;visibility:hidden}.v-popper__popper.v-popper__popper--shown{opacity:1;transition:opacity .15s;visibility:visible}.v-popper__popper.v-popper__popper--skip-transition,.v-popper__popper.v-popper__popper--skip-transition>.v-popper__wrapper{transition:none!important}.v-popper__backdrop{display:none;height:100%;left:0;position:absolute;top:0;width:100%}.v-popper__inner{box-sizing:border-box;overflow-y:auto;position:relative}.v-popper__inner>div{max-height:inherit;max-width:inherit;position:relative;z-index:1}.v-popper__arrow-container{height:10px;position:absolute;width:10px}.v-popper__popper--arrow-overflow .v-popper__arrow-container,.v-popper__popper--no-positioning .v-popper__arrow-container{display:none}.v-popper__arrow-inner,.v-popper__arrow-outer{border-style:solid;height:0;left:0;position:absolute;top:0;width:0}.v-popper__arrow-inner{border-width:7px;visibility:hidden}.v-popper__arrow-outer{border-width:6px}.v-popper__popper[data-popper-placement^=bottom] .v-popper__arrow-inner,.v-popper__popper[data-popper-placement^=top] .v-popper__arrow-inner{left:-2px}.v-popper__popper[data-popper-placement^=bottom] .v-popper__arrow-outer,.v-popper__popper[data-popper-placement^=top] .v-popper__arrow-outer{left:-1px}.v-popper__popper[data-popper-placement^=top] .v-popper__arrow-inner,.v-popper__popper[data-popper-placement^=top] .v-popper__arrow-outer{border-bottom-color:transparent!important;border-bottom-width:0;border-left-color:transparent!important;border-right-color:transparent!important}.v-popper__popper[data-popper-placement^=top] .v-popper__arrow-inner{top:-2px}.v-popper__popper[data-popper-placement^=bottom] .v-popper__arrow-container{top:0}.v-popper__popper[data-popper-placement^=bottom] .v-popper__arrow-inner,.v-popper__popper[data-popper-placement^=bottom] .v-popper__arrow-outer{border-left-color:transparent!important;border-right-color:transparent!important;border-top-color:transparent!important;border-top-width:0}.v-popper__popper[data-popper-placement^=bottom] .v-popper__arrow-inner{top:-4px}.v-popper__popper[data-popper-placement^=bottom] .v-popper__arrow-outer{top:-6px}.v-popper__popper[data-popper-placement^=left] .v-popper__arrow-inner,.v-popper__popper[data-popper-placement^=right] .v-popper__arrow-inner{top:-2px}.v-popper__popper[data-popper-placement^=left] .v-popper__arrow-outer,.v-popper__popper[data-popper-placement^=right] .v-popper__arrow-outer{top:-1px}.v-popper__popper[data-popper-placement^=right] .v-popper__arrow-inner,.v-popper__popper[data-popper-placement^=right] .v-popper__arrow-outer{border-bottom-color:transparent!important;border-left-color:transparent!important;border-left-width:0;border-top-color:transparent!important}.v-popper__popper[data-popper-placement^=right] .v-popper__arrow-inner{left:-4px}.v-popper__popper[data-popper-placement^=right] .v-popper__arrow-outer{left:-6px}.v-popper__popper[data-popper-placement^=left] .v-popper__arrow-container{right:-10px}.v-popper__popper[data-popper-placement^=left] .v-popper__arrow-inner,.v-popper__popper[data-popper-placement^=left] .v-popper__arrow-outer{border-bottom-color:transparent!important;border-right-color:transparent!important;border-right-width:0;border-top-color:transparent!important}.v-popper__popper[data-popper-placement^=left] .v-popper__arrow-inner{left:-2px}.v-popper--theme-tooltip .v-popper__inner{background:rgba(0,0,0,.8);border-radius:6px;color:#fff;padding:7px 12px 6px}.v-popper--theme-tooltip .v-popper__arrow-outer{border-color:#000c}.v-popper--theme-dropdown .v-popper__inner{background:#fff;border:1px solid #ddd;border-radius:6px;box-shadow:0 6px 30px #0000001a;color:#000}.v-popper--theme-dropdown .v-popper__arrow-inner{border-color:#fff;visibility:visible}.v-popper--theme-dropdown .v-popper__arrow-outer{border-color:#ddd}",""]);const i=o},80859:(e,t,n)=>{"use strict";n.d(t,{A:()=>i});var r=n(76314),o=n.n(r)()((function(e){return e[1]}));o.push([e.id,"@charset \"UTF-8\";trix-editor{border:1px solid #bbb;border-radius:3px;margin:0;min-height:5em;outline:none;padding:.4em .6em}trix-toolbar *{box-sizing:border-box}trix-toolbar .trix-button-row{display:flex;flex-wrap:nowrap;justify-content:space-between;overflow-x:auto}trix-toolbar .trix-button-group{border-color:#ccc #bbb #888;border-radius:3px;border-style:solid;border-width:1px;display:flex;margin-bottom:10px}trix-toolbar .trix-button-group:not(:first-child){margin-left:1.5vw}@media (max-width:768px){trix-toolbar .trix-button-group:not(:first-child){margin-left:0}}trix-toolbar .trix-button-group-spacer{flex-grow:1}@media (max-width:768px){trix-toolbar .trix-button-group-spacer{display:none}}trix-toolbar .trix-button{background:transparent;border:none;border-bottom:1px solid #ddd;border-radius:0;color:rgba(0,0,0,.6);float:left;font-size:.75em;font-weight:600;margin:0;outline:none;padding:0 .5em;position:relative;white-space:nowrap}trix-toolbar .trix-button:not(:first-child){border-left:1px solid #ccc}trix-toolbar .trix-button.trix-active{background:#cbeefa;color:#000}trix-toolbar .trix-button:not(:disabled){cursor:pointer}trix-toolbar .trix-button:disabled{color:rgba(0,0,0,.125)}@media (max-width:768px){trix-toolbar .trix-button{letter-spacing:-.01em;padding:0 .3em}}trix-toolbar .trix-button--icon{font-size:inherit;height:1.6em;max-width:calc(.8em + 4vw);text-indent:-9999px;width:2.6em}@media (max-width:768px){trix-toolbar .trix-button--icon{height:2em;max-width:calc(.8em + 3.5vw)}}trix-toolbar .trix-button--icon:before{background-position:50%;background-repeat:no-repeat;background-size:contain;bottom:0;content:\"\";display:inline-block;left:0;opacity:.6;position:absolute;right:0;top:0}@media (max-width:768px){trix-toolbar .trix-button--icon:before{left:6%;right:6%}}trix-toolbar .trix-button--icon.trix-active:before{opacity:1}trix-toolbar .trix-button--icon:disabled:before{opacity:.125}trix-toolbar .trix-button--icon-attach:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath d='M10.5 18V7.5c0-2.25 3-2.25 3 0V18c0 4.125-6 4.125-6 0V7.5c0-6.375 9-6.375 9 0V18' stroke='%23000' stroke-width='2' stroke-miterlimit='10' stroke-linecap='round' stroke-linejoin='round'/%3E%3C/svg%3E\");bottom:4%;top:8%}trix-toolbar .trix-button--icon-bold:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M6.522 19.242a.5.5 0 0 1-.5-.5V5.35a.5.5 0 0 1 .5-.5h5.783c1.347 0 2.46.345 3.24.982.783.64 1.216 1.562 1.216 2.683 0 1.13-.587 2.129-1.476 2.71a.35.35 0 0 0 .049.613c1.259.56 2.101 1.742 2.101 3.22 0 1.282-.483 2.334-1.363 3.063-.876.726-2.132 1.12-3.66 1.12h-5.89ZM9.27 7.347v3.362h1.97c.766 0 1.347-.17 1.733-.464.38-.291.587-.716.587-1.27 0-.53-.183-.928-.513-1.198-.334-.273-.838-.43-1.505-.43H9.27Zm0 5.606v3.791h2.389c.832 0 1.448-.177 1.853-.497.399-.315.614-.786.614-1.423 0-.62-.22-1.077-.63-1.385-.418-.313-1.053-.486-1.905-.486H9.27Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-italic:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M9 5h6.5v2h-2.23l-2.31 10H13v2H6v-2h2.461l2.306-10H9V5Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-link:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M18.948 5.258a4.337 4.337 0 0 0-6.108 0L11.217 6.87a.993.993 0 0 0 0 1.41c.392.39 1.027.39 1.418 0l1.623-1.613a2.323 2.323 0 0 1 3.271 0 2.29 2.29 0 0 1 0 3.251l-2.393 2.38a3.021 3.021 0 0 1-4.255 0l-.05-.049a1.007 1.007 0 0 0-1.418 0 .993.993 0 0 0 0 1.41l.05.049a5.036 5.036 0 0 0 7.091 0l2.394-2.38a4.275 4.275 0 0 0 0-6.072Zm-13.683 13.6a4.337 4.337 0 0 0 6.108 0l1.262-1.255a.993.993 0 0 0 0-1.41 1.007 1.007 0 0 0-1.418 0L9.954 17.45a2.323 2.323 0 0 1-3.27 0 2.29 2.29 0 0 1 0-3.251l2.344-2.331a2.579 2.579 0 0 1 3.631 0c.392.39 1.027.39 1.419 0a.993.993 0 0 0 0-1.41 4.593 4.593 0 0 0-6.468 0l-2.345 2.33a4.275 4.275 0 0 0 0 6.072Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-strike:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M6 14.986c.088 2.647 2.246 4.258 5.635 4.258 3.496 0 5.713-1.728 5.713-4.463 0-.275-.02-.536-.062-.781h-3.461c.398.293.573.654.573 1.123 0 1.035-1.074 1.787-2.646 1.787-1.563 0-2.773-.762-2.91-1.924H6ZM6.432 10h3.763c-.632-.314-.914-.715-.914-1.273 0-1.045.977-1.739 2.432-1.739 1.475 0 2.52.723 2.617 1.914h2.764c-.05-2.548-2.11-4.238-5.39-4.238-3.145 0-5.392 1.719-5.392 4.316 0 .363.04.703.12 1.02ZM4 11a1 1 0 1 0 0 2h15a1 1 0 1 0 0-2H4Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-quote:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath d='M4.581 8.471c.44-.5 1.056-.834 1.758-.995C8.074 7.17 9.201 7.822 10 8.752c1.354 1.578 1.33 3.555.394 5.277-.941 1.731-2.788 3.163-4.988 3.56a.622.622 0 0 1-.653-.317c-.113-.205-.121-.49.16-.764.294-.286.567-.566.791-.835.222-.266.413-.54.524-.815.113-.28.156-.597.026-.908-.128-.303-.39-.524-.72-.69a3.02 3.02 0 0 1-1.674-2.7c0-.905.283-1.59.72-2.088Zm9.419 0c.44-.5 1.055-.834 1.758-.995 1.734-.306 2.862.346 3.66 1.276 1.355 1.578 1.33 3.555.395 5.277-.941 1.731-2.789 3.163-4.988 3.56a.622.622 0 0 1-.653-.317c-.113-.205-.122-.49.16-.764.294-.286.567-.566.791-.835.222-.266.412-.54.523-.815.114-.28.157-.597.026-.908-.127-.303-.39-.524-.72-.69a3.02 3.02 0 0 1-1.672-2.701c0-.905.283-1.59.72-2.088Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-heading-1:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M21.5 7.5v-3h-12v3H14v13h3v-13h4.5ZM9 13.5h3.5v-3h-10v3H6v7h3v-7Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-code:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M3.293 11.293a1 1 0 0 0 0 1.414l4 4a1 1 0 1 0 1.414-1.414L5.414 12l3.293-3.293a1 1 0 0 0-1.414-1.414l-4 4Zm13.414 5.414 4-4a1 1 0 0 0 0-1.414l-4-4a1 1 0 1 0-1.414 1.414L18.586 12l-3.293 3.293a1 1 0 0 0 1.414 1.414Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-bullet-list:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M5 7.5a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3ZM8 6a1 1 0 0 1 1-1h11a1 1 0 1 1 0 2H9a1 1 0 0 1-1-1Zm1 5a1 1 0 1 0 0 2h11a1 1 0 1 0 0-2H9Zm0 6a1 1 0 1 0 0 2h11a1 1 0 1 0 0-2H9Zm-2.5-5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0ZM5 19.5a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-number-list:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M3 4h2v4H4V5H3V4Zm5 2a1 1 0 0 1 1-1h11a1 1 0 1 1 0 2H9a1 1 0 0 1-1-1Zm1 5a1 1 0 1 0 0 2h11a1 1 0 1 0 0-2H9Zm0 6a1 1 0 1 0 0 2h11a1 1 0 1 0 0-2H9Zm-3.5-7H6v1l-1.5 2H6v1H3v-1l1.667-2H3v-1h2.5ZM3 17v-1h3v4H3v-1h2v-.5H4v-1h1V17H3Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-undo:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M3 14a1 1 0 0 0 1 1h6a1 1 0 1 0 0-2H6.257c2.247-2.764 5.151-3.668 7.579-3.264 2.589.432 4.739 2.356 5.174 5.405a1 1 0 0 0 1.98-.283c-.564-3.95-3.415-6.526-6.825-7.095C11.084 7.25 7.63 8.377 5 11.39V8a1 1 0 0 0-2 0v6Zm2-1Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-redo:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M21 14a1 1 0 0 1-1 1h-6a1 1 0 1 1 0-2h3.743c-2.247-2.764-5.151-3.668-7.579-3.264-2.589.432-4.739 2.356-5.174 5.405a1 1 0 0 1-1.98-.283c.564-3.95 3.415-6.526 6.826-7.095 3.08-.513 6.534.614 9.164 3.626V8a1 1 0 1 1 2 0v6Zm-2-1Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-decrease-nesting-level:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M5 6a1 1 0 0 1 1-1h12a1 1 0 1 1 0 2H6a1 1 0 0 1-1-1Zm4 5a1 1 0 1 0 0 2h9a1 1 0 1 0 0-2H9Zm-3 6a1 1 0 1 0 0 2h12a1 1 0 1 0 0-2H6Zm-3.707-5.707a1 1 0 0 0 0 1.414l2 2a1 1 0 1 0 1.414-1.414L4.414 12l1.293-1.293a1 1 0 0 0-1.414-1.414l-2 2Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-button--icon-increase-nesting-level:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg width='24' height='24' fill='none' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath fill-rule='evenodd' clip-rule='evenodd' d='M5 6a1 1 0 0 1 1-1h12a1 1 0 1 1 0 2H6a1 1 0 0 1-1-1Zm4 5a1 1 0 1 0 0 2h9a1 1 0 1 0 0-2H9Zm-3 6a1 1 0 1 0 0 2h12a1 1 0 1 0 0-2H6Zm-2.293-2.293 2-2a1 1 0 0 0 0-1.414l-2-2a1 1 0 1 0-1.414 1.414L3.586 12l-1.293 1.293a1 1 0 1 0 1.414 1.414Z' fill='%23000'/%3E%3C/svg%3E\")}trix-toolbar .trix-dialogs{position:relative}trix-toolbar .trix-dialog{background:#fff;border-radius:5px;border-top:2px solid #888;box-shadow:0 .3em 1em #ccc;font-size:.75em;left:0;padding:15px 10px;position:absolute;right:0;top:0;z-index:5}trix-toolbar .trix-input--dialog{-webkit-appearance:none;-moz-appearance:none;background-color:#fff;border:1px solid #bbb;border-radius:3px;box-shadow:none;font-size:inherit;font-weight:400;margin:0 10px 0 0;outline:none;padding:.5em .8em}trix-toolbar .trix-input--dialog.validate:invalid{box-shadow:0 0 1.5px 1px red}trix-toolbar .trix-button--dialog{border-bottom:none;font-size:inherit;padding:.5em}trix-toolbar .trix-dialog--link{max-width:600px}trix-toolbar .trix-dialog__link-fields{align-items:baseline;display:flex}trix-toolbar .trix-dialog__link-fields .trix-input{flex:1}trix-toolbar .trix-dialog__link-fields .trix-button-group{flex:0 0 content;margin:0}trix-editor [data-trix-mutable]:not(.attachment__caption-editor){-webkit-user-select:none;-moz-user-select:none;user-select:none}trix-editor [data-trix-cursor-target]::-moz-selection,trix-editor [data-trix-mutable] ::-moz-selection,trix-editor [data-trix-mutable]::-moz-selection{background:none}trix-editor [data-trix-cursor-target]::selection,trix-editor [data-trix-mutable] ::selection,trix-editor [data-trix-mutable]::selection{background:none}trix-editor [data-trix-mutable].attachment__caption-editor:focus::-moz-selection{background:highlight}trix-editor [data-trix-mutable].attachment__caption-editor:focus::selection{background:highlight}trix-editor [data-trix-mutable].attachment.attachment--file{border-color:transparent;box-shadow:0 0 0 2px highlight}trix-editor [data-trix-mutable].attachment img{box-shadow:0 0 0 2px highlight}trix-editor .attachment{position:relative}trix-editor .attachment:hover{cursor:default}trix-editor .attachment--preview .attachment__caption:hover{cursor:text}trix-editor .attachment__progress{height:20px;left:5%;opacity:.9;position:absolute;top:calc(50% - 10px);transition:opacity .2s ease-in;width:90%;z-index:1}trix-editor .attachment__progress[value=\"100\"]{opacity:0}trix-editor .attachment__caption-editor{-webkit-appearance:none;-moz-appearance:none;border:none;color:inherit;display:inline-block;font-family:inherit;font-size:inherit;line-height:inherit;margin:0;outline:none;padding:0;text-align:center;vertical-align:top;width:100%}trix-editor .attachment__toolbar{left:0;position:absolute;text-align:center;top:-.9em;width:100%;z-index:1}trix-editor .trix-button-group{display:inline-flex}trix-editor .trix-button{background:transparent;border:none;border-radius:0;color:#666;float:left;font-size:80%;margin:0;outline:none;padding:0 .8em;position:relative;white-space:nowrap}trix-editor .trix-button:not(:first-child){border-left:1px solid #ccc}trix-editor .trix-button.trix-active{background:#cbeefa}trix-editor .trix-button:not(:disabled){cursor:pointer}trix-editor .trix-button--remove{background-color:#fff;border:2px solid highlight;border-radius:50%;box-shadow:1px 1px 6px rgba(0,0,0,.25);display:inline-block;height:1.8em;line-height:1.8em;outline:none;padding:0;text-indent:-9999px;width:1.8em}trix-editor .trix-button--remove:before{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg height='24' width='24' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath d='M19 6.41 17.59 5 12 10.59 6.41 5 5 6.41 10.59 12 5 17.59 6.41 19 12 13.41 17.59 19 19 17.59 13.41 12z'/%3E%3Cpath d='M0 0h24v24H0z' fill='none'/%3E%3C/svg%3E\");background-position:50%;background-repeat:no-repeat;background-size:90%;bottom:0;content:\"\";display:inline-block;left:0;opacity:.7;position:absolute;right:0;top:0}trix-editor .trix-button--remove:hover{border-color:#333}trix-editor .trix-button--remove:hover:before{opacity:1}trix-editor .attachment__metadata-container{position:relative}trix-editor .attachment__metadata{background-color:rgba(0,0,0,.7);border-radius:3px;color:#fff;font-size:.8em;left:50%;max-width:90%;padding:.1em .6em;position:absolute;top:2em;transform:translate(-50%)}trix-editor .attachment__metadata .attachment__name{display:inline-block;max-width:100%;overflow:hidden;text-overflow:ellipsis;vertical-align:bottom;white-space:nowrap}trix-editor .attachment__metadata .attachment__size{margin-left:.2em;white-space:nowrap}.trix-content{line-height:1.5;overflow-wrap:break-word;word-break:break-word}.trix-content *{box-sizing:border-box;margin:0;padding:0}.trix-content h1{font-size:1.2em;line-height:1.2}.trix-content blockquote{border:solid #ccc;border-width:0 0 0 .3em;margin-left:.3em;padding-left:.6em}.trix-content [dir=rtl] blockquote,.trix-content blockquote[dir=rtl]{border-width:0 .3em 0 0;margin-right:.3em;padding-right:.6em}.trix-content li{margin-left:1em}.trix-content [dir=rtl] li{margin-right:1em}.trix-content pre{background-color:#eee;display:inline-block;font-family:monospace;font-size:.9em;overflow-x:auto;padding:.5em;vertical-align:top;white-space:pre;width:100%}.trix-content img{height:auto;max-width:100%}.trix-content .attachment{display:inline-block;max-width:100%;position:relative}.trix-content .attachment a{color:inherit;text-decoration:none}.trix-content .attachment a:hover,.trix-content .attachment a:visited:hover{color:inherit}.trix-content .attachment__caption{text-align:center}.trix-content .attachment__caption .attachment__name+.attachment__size:before{content:\" •\"}.trix-content .attachment--preview{text-align:center;width:100%}.trix-content .attachment--preview .attachment__caption{color:#666;font-size:.9em;line-height:1.2}.trix-content .attachment--file{border:1px solid #bbb;border-radius:5px;color:#333;line-height:1;margin:0 2px 2px;padding:.4em 1em}.trix-content .attachment-gallery{display:flex;flex-wrap:wrap;position:relative}.trix-content .attachment-gallery .attachment{flex:1 0 33%;max-width:33%;padding:0 .5em}.trix-content .attachment-gallery.attachment-gallery--2 .attachment,.trix-content .attachment-gallery.attachment-gallery--4 .attachment{flex-basis:50%;max-width:50%}",""]);const i=o},76314:e=>{"use strict";e.exports=function(e){var t=[];return t.toString=function(){return this.map((function(t){var n=e(t);return t[2]?"@media ".concat(t[2]," {").concat(n,"}"):n})).join("")},t.i=function(e,n,r){"string"==typeof e&&(e=[[null,e,""]]);var o={};if(r)for(var i=0;i<this.length;i++){var a=this[i][0];null!=a&&(o[a]=!0)}for(var l=0;l<e.length;l++){var s=[].concat(e[l]);r&&o[s[0]]||(n&&(s[2]?s[2]="".concat(n," and ").concat(s[2]):s[2]=n),t.push(s))}},t}},14744:e=>{"use strict";var t=function(e){return function(e){return!!e&&"object"==typeof e}(e)&&!function(e){var t=Object.prototype.toString.call(e);return"[object RegExp]"===t||"[object Date]"===t||function(e){return e.$$typeof===n}(e)}(e)};var n="function"==typeof Symbol&&Symbol.for?Symbol.for("react.element"):60103;function r(e,t){return!1!==t.clone&&t.isMergeableObject(e)?s((n=e,Array.isArray(n)?[]:{}),e,t):e;var n}function o(e,t,n){return e.concat(t).map((function(e){return r(e,n)}))}function i(e){return Object.keys(e).concat(function(e){return Object.getOwnPropertySymbols?Object.getOwnPropertySymbols(e).filter((function(t){return Object.propertyIsEnumerable.call(e,t)})):[]}(e))}function a(e,t){try{return t in e}catch(e){return!1}}function l(e,t,n){var o={};return n.isMergeableObject(e)&&i(e).forEach((function(t){o[t]=r(e[t],n)})),i(t).forEach((function(i){(function(e,t){return a(e,t)&&!(Object.hasOwnProperty.call(e,t)&&Object.propertyIsEnumerable.call(e,t))})(e,i)||(a(e,i)&&n.isMergeableObject(t[i])?o[i]=function(e,t){if(!t.customMerge)return s;var n=t.customMerge(e);return"function"==typeof n?n:s}(i,n)(e[i],t[i],n):o[i]=r(t[i],n))})),o}function s(e,n,i){(i=i||{}).arrayMerge=i.arrayMerge||o,i.isMergeableObject=i.isMergeableObject||t,i.cloneUnlessOtherwiseSpecified=r;var a=Array.isArray(n);return a===Array.isArray(e)?a?i.arrayMerge(e,n,i):l(e,n,i):r(n,i)}s.all=function(e,t){if(!Array.isArray(e))throw new Error("first argument should be an array");return e.reduce((function(e,n){return s(e,n,t)}),{})};var c=s;e.exports=c},7176:(e,t,n)=>{"use strict";var r,o=n(73126),i=n(75795);try{r=[].__proto__===Array.prototype}catch(e){if(!e||"object"!=typeof e||!("code"in e)||"ERR_PROTO_ACCESS"!==e.code)throw e}var a=!!r&&i&&i(Object.prototype,"__proto__"),l=Object,s=l.getPrototypeOf;e.exports=a&&"function"==typeof a.get?o([a.get]):"function"==typeof s&&function(e){return s(null==e?e:l(e))}},30655:e=>{"use strict";var t=Object.defineProperty||!1;if(t)try{t({},"a",{value:1})}catch(e){t=!1}e.exports=t},41237:e=>{"use strict";e.exports=EvalError},69383:e=>{"use strict";e.exports=Error},79290:e=>{"use strict";e.exports=RangeError},79538:e=>{"use strict";e.exports=ReferenceError},58068:e=>{"use strict";e.exports=SyntaxError},69675:e=>{"use strict";e.exports=TypeError},35345:e=>{"use strict";e.exports=URIError},79612:e=>{"use strict";e.exports=Object},9491:e=>{"use strict";function t(e,t){if(null==e)throw new TypeError("Cannot convert first argument to object");for(var n=Object(e),r=1;r<arguments.length;r++){var o=arguments[r];if(null!=o)for(var i=Object.keys(Object(o)),a=0,l=i.length;a<l;a++){var s=i[a],c=Object.getOwnPropertyDescriptor(o,s);void 0!==c&&c.enumerable&&(n[s]=o[s])}}return n}e.exports={assign:t,polyfill:function(){Object.assign||Object.defineProperty(Object,"assign",{enumerable:!1,configurable:!0,writable:!0,value:t})}}},89353:e=>{"use strict";var t=Object.prototype.toString,n=Math.max,r=function(e,t){for(var n=[],r=0;r<e.length;r+=1)n[r]=e[r];for(var o=0;o<t.length;o+=1)n[o+e.length]=t[o];return n};e.exports=function(e){var o=this;if("function"!=typeof o||"[object Function]"!==t.apply(o))throw new TypeError("Function.prototype.bind called on incompatible "+o);for(var i,a=function(e,t){for(var n=[],r=t||0,o=0;r<e.length;r+=1,o+=1)n[o]=e[r];return n}(arguments,1),l=n(0,o.length-a.length),s=[],c=0;c<l;c++)s[c]="$"+c;if(i=Function("binder","return function ("+function(e,t){for(var n="",r=0;r<e.length;r+=1)n+=e[r],r+1<e.length&&(n+=t);return n}(s,",")+"){ return binder.apply(this,arguments); }")((function(){if(this instanceof i){var t=o.apply(this,r(a,arguments));return Object(t)===t?t:this}return o.apply(e,r(a,arguments))})),o.prototype){var u=function(){};u.prototype=o.prototype,i.prototype=new u,u.prototype=null}return i}},66743:(e,t,n)=>{"use strict";var r=n(89353);e.exports=Function.prototype.bind||r},70453:(e,t,n)=>{"use strict";var r,o=n(79612),i=n(69383),a=n(41237),l=n(79290),s=n(79538),c=n(58068),u=n(69675),d=n(35345),h=n(71514),p=n(58968),f=n(6188),m=n(68002),v=n(75880),g=n(70414),w=n(73093),y=Function,b=function(e){try{return y('"use strict"; return ('+e+").constructor;")()}catch(e){}},x=n(75795),k=n(30655),E=function(){throw new u},A=x?function(){try{return E}catch(e){try{return x(arguments,"callee").get}catch(e){return E}}}():E,C=n(64039)(),B=n(93628),M=n(71064),_=n(48648),S=n(11002),N=n(10076),V={},L="undefined"!=typeof Uint8Array&&B?B(Uint8Array):r,T={__proto__:null,"%AggregateError%":"undefined"==typeof AggregateError?r:AggregateError,"%Array%":Array,"%ArrayBuffer%":"undefined"==typeof ArrayBuffer?r:ArrayBuffer,"%ArrayIteratorPrototype%":C&&B?B([][Symbol.iterator]()):r,"%AsyncFromSyncIteratorPrototype%":r,"%AsyncFunction%":V,"%AsyncGenerator%":V,"%AsyncGeneratorFunction%":V,"%AsyncIteratorPrototype%":V,"%Atomics%":"undefined"==typeof Atomics?r:Atomics,"%BigInt%":"undefined"==typeof BigInt?r:BigInt,"%BigInt64Array%":"undefined"==typeof BigInt64Array?r:BigInt64Array,"%BigUint64Array%":"undefined"==typeof BigUint64Array?r:BigUint64Array,"%Boolean%":Boolean,"%DataView%":"undefined"==typeof DataView?r:DataView,"%Date%":Date,"%decodeURI%":decodeURI,"%decodeURIComponent%":decodeURIComponent,"%encodeURI%":encodeURI,"%encodeURIComponent%":encodeURIComponent,"%Error%":i,"%eval%":eval,"%EvalError%":a,"%Float32Array%":"undefined"==typeof Float32Array?r:Float32Array,"%Float64Array%":"undefined"==typeof Float64Array?r:Float64Array,"%FinalizationRegistry%":"undefined"==typeof FinalizationRegistry?r:FinalizationRegistry,"%Function%":y,"%GeneratorFunction%":V,"%Int8Array%":"undefined"==typeof Int8Array?r:Int8Array,"%Int16Array%":"undefined"==typeof Int16Array?r:Int16Array,"%Int32Array%":"undefined"==typeof Int32Array?r:Int32Array,"%isFinite%":isFinite,"%isNaN%":isNaN,"%IteratorPrototype%":C&&B?B(B([][Symbol.iterator]())):r,"%JSON%":"object"==typeof JSON?JSON:r,"%Map%":"undefined"==typeof Map?r:Map,"%MapIteratorPrototype%":"undefined"!=typeof Map&&C&&B?B((new Map)[Symbol.iterator]()):r,"%Math%":Math,"%Number%":Number,"%Object%":o,"%Object.getOwnPropertyDescriptor%":x,"%parseFloat%":parseFloat,"%parseInt%":parseInt,"%Promise%":"undefined"==typeof Promise?r:Promise,"%Proxy%":"undefined"==typeof Proxy?r:Proxy,"%RangeError%":l,"%ReferenceError%":s,"%Reflect%":"undefined"==typeof Reflect?r:Reflect,"%RegExp%":RegExp,"%Set%":"undefined"==typeof Set?r:Set,"%SetIteratorPrototype%":"undefined"!=typeof Set&&C&&B?B((new Set)[Symbol.iterator]()):r,"%SharedArrayBuffer%":"undefined"==typeof SharedArrayBuffer?r:SharedArrayBuffer,"%String%":String,"%StringIteratorPrototype%":C&&B?B(""[Symbol.iterator]()):r,"%Symbol%":C?Symbol:r,"%SyntaxError%":c,"%ThrowTypeError%":A,"%TypedArray%":L,"%TypeError%":u,"%Uint8Array%":"undefined"==typeof Uint8Array?r:Uint8Array,"%Uint8ClampedArray%":"undefined"==typeof Uint8ClampedArray?r:Uint8ClampedArray,"%Uint16Array%":"undefined"==typeof Uint16Array?r:Uint16Array,"%Uint32Array%":"undefined"==typeof Uint32Array?r:Uint32Array,"%URIError%":d,"%WeakMap%":"undefined"==typeof WeakMap?r:WeakMap,"%WeakRef%":"undefined"==typeof WeakRef?r:WeakRef,"%WeakSet%":"undefined"==typeof WeakSet?r:WeakSet,"%Function.prototype.call%":N,"%Function.prototype.apply%":S,"%Object.defineProperty%":k,"%Object.getPrototypeOf%":M,"%Math.abs%":h,"%Math.floor%":p,"%Math.max%":f,"%Math.min%":m,"%Math.pow%":v,"%Math.round%":g,"%Math.sign%":w,"%Reflect.getPrototypeOf%":_};if(B)try{null.error}catch(e){var I=B(B(e));T["%Error.prototype%"]=I}var Z=function e(t){var n;if("%AsyncFunction%"===t)n=b("async function () {}");else if("%GeneratorFunction%"===t)n=b("function* () {}");else if("%AsyncGeneratorFunction%"===t)n=b("async function* () {}");else if("%AsyncGenerator%"===t){var r=e("%AsyncGeneratorFunction%");r&&(n=r.prototype)}else if("%AsyncIteratorPrototype%"===t){var o=e("%AsyncGenerator%");o&&B&&(n=B(o.prototype))}return T[t]=n,n},O={__proto__:null,"%ArrayBufferPrototype%":["ArrayBuffer","prototype"],"%ArrayPrototype%":["Array","prototype"],"%ArrayProto_entries%":["Array","prototype","entries"],"%ArrayProto_forEach%":["Array","prototype","forEach"],"%ArrayProto_keys%":["Array","prototype","keys"],"%ArrayProto_values%":["Array","prototype","values"],"%AsyncFunctionPrototype%":["AsyncFunction","prototype"],"%AsyncGenerator%":["AsyncGeneratorFunction","prototype"],"%AsyncGeneratorPrototype%":["AsyncGeneratorFunction","prototype","prototype"],"%BooleanPrototype%":["Boolean","prototype"],"%DataViewPrototype%":["DataView","prototype"],"%DatePrototype%":["Date","prototype"],"%ErrorPrototype%":["Error","prototype"],"%EvalErrorPrototype%":["EvalError","prototype"],"%Float32ArrayPrototype%":["Float32Array","prototype"],"%Float64ArrayPrototype%":["Float64Array","prototype"],"%FunctionPrototype%":["Function","prototype"],"%Generator%":["GeneratorFunction","prototype"],"%GeneratorPrototype%":["GeneratorFunction","prototype","prototype"],"%Int8ArrayPrototype%":["Int8Array","prototype"],"%Int16ArrayPrototype%":["Int16Array","prototype"],"%Int32ArrayPrototype%":["Int32Array","prototype"],"%JSONParse%":["JSON","parse"],"%JSONStringify%":["JSON","stringify"],"%MapPrototype%":["Map","prototype"],"%NumberPrototype%":["Number","prototype"],"%ObjectPrototype%":["Object","prototype"],"%ObjProto_toString%":["Object","prototype","toString"],"%ObjProto_valueOf%":["Object","prototype","valueOf"],"%PromisePrototype%":["Promise","prototype"],"%PromiseProto_then%":["Promise","prototype","then"],"%Promise_all%":["Promise","all"],"%Promise_reject%":["Promise","reject"],"%Promise_resolve%":["Promise","resolve"],"%RangeErrorPrototype%":["RangeError","prototype"],"%ReferenceErrorPrototype%":["ReferenceError","prototype"],"%RegExpPrototype%":["RegExp","prototype"],"%SetPrototype%":["Set","prototype"],"%SharedArrayBufferPrototype%":["SharedArrayBuffer","prototype"],"%StringPrototype%":["String","prototype"],"%SymbolPrototype%":["Symbol","prototype"],"%SyntaxErrorPrototype%":["SyntaxError","prototype"],"%TypedArrayPrototype%":["TypedArray","prototype"],"%TypeErrorPrototype%":["TypeError","prototype"],"%Uint8ArrayPrototype%":["Uint8Array","prototype"],"%Uint8ClampedArrayPrototype%":["Uint8ClampedArray","prototype"],"%Uint16ArrayPrototype%":["Uint16Array","prototype"],"%Uint32ArrayPrototype%":["Uint32Array","prototype"],"%URIErrorPrototype%":["URIError","prototype"],"%WeakMapPrototype%":["WeakMap","prototype"],"%WeakSetPrototype%":["WeakSet","prototype"]},D=n(66743),R=n(9957),H=D.call(N,Array.prototype.concat),P=D.call(S,Array.prototype.splice),j=D.call(N,String.prototype.replace),F=D.call(N,String.prototype.slice),z=D.call(N,RegExp.prototype.exec),q=/[^%.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|%$))/g,U=/\\(\\)?/g,$=function(e,t){var n,r=e;if(R(O,r)&&(r="%"+(n=O[r])[0]+"%"),R(T,r)){var o=T[r];if(o===V&&(o=Z(r)),void 0===o&&!t)throw new u("intrinsic "+e+" exists, but is not available. Please file an issue!");return{alias:n,name:r,value:o}}throw new c("intrinsic "+e+" does not exist!")};e.exports=function(e,t){if("string"!=typeof e||0===e.length)throw new u("intrinsic name must be a non-empty string");if(arguments.length>1&&"boolean"!=typeof t)throw new u('"allowMissing" argument must be a boolean');if(null===z(/^%?[^%]*%?$/,e))throw new c("`%` may not be present anywhere but at the beginning and end of the intrinsic name");var n=function(e){var t=F(e,0,1),n=F(e,-1);if("%"===t&&"%"!==n)throw new c("invalid intrinsic syntax, expected closing `%`");if("%"===n&&"%"!==t)throw new c("invalid intrinsic syntax, expected opening `%`");var r=[];return j(e,q,(function(e,t,n,o){r[r.length]=n?j(o,U,"$1"):t||e})),r}(e),r=n.length>0?n[0]:"",o=$("%"+r+"%",t),i=o.name,a=o.value,l=!1,s=o.alias;s&&(r=s[0],P(n,H([0,1],s)));for(var d=1,h=!0;d<n.length;d+=1){var p=n[d],f=F(p,0,1),m=F(p,-1);if(('"'===f||"'"===f||"`"===f||'"'===m||"'"===m||"`"===m)&&f!==m)throw new c("property names with quotes must have matching quotes");if("constructor"!==p&&h||(l=!0),R(T,i="%"+(r+="."+p)+"%"))a=T[i];else if(null!=a){if(!(p in a)){if(!t)throw new u("base intrinsic for "+e+" exists, but the property is not available.");return}if(x&&d+1>=n.length){var v=x(a,p);a=(h=!!v)&&"get"in v&&!("originalValue"in v.get)?v.get:a[p]}else h=R(a,p),a=a[p];h&&!l&&(T[i]=a)}}return a}},71064:(e,t,n)=>{"use strict";var r=n(79612);e.exports=r.getPrototypeOf||null},48648:e=>{"use strict";e.exports="undefined"!=typeof Reflect&&Reflect.getPrototypeOf||null},93628:(e,t,n)=>{"use strict";var r=n(48648),o=n(71064),i=n(7176);e.exports=r?function(e){return r(e)}:o?function(e){if(!e||"object"!=typeof e&&"function"!=typeof e)throw new TypeError("getProto: not an object");return o(e)}:i?function(e){return i(e)}:null},6549:e=>{"use strict";e.exports=Object.getOwnPropertyDescriptor},75795:(e,t,n)=>{"use strict";var r=n(6549);if(r)try{r([],"length")}catch(e){r=null}e.exports=r},47168:(e,t,n)=>{var r;!function(o,i,a,l){"use strict";var s,c=["","webkit","Moz","MS","ms","o"],u=i.createElement("div"),d=Math.round,h=Math.abs,p=Date.now;function f(e,t,n){return setTimeout(x(e,n),t)}function m(e,t,n){return!!Array.isArray(e)&&(v(e,n[t],n),!0)}function v(e,t,n){var r;if(e)if(e.forEach)e.forEach(t,n);else if(e.length!==l)for(r=0;r<e.length;)t.call(n,e[r],r,e),r++;else for(r in e)e.hasOwnProperty(r)&&t.call(n,e[r],r,e)}function g(e,t,n){var r="DEPRECATED METHOD: "+t+"\n"+n+" AT \n";return function(){var t=new Error("get-stack-trace"),n=t&&t.stack?t.stack.replace(/^[^\(]+?[\n$]/gm,"").replace(/^\s+at\s+/gm,"").replace(/^Object.<anonymous>\s*\(/gm,"{anonymous}()@"):"Unknown Stack Trace",i=o.console&&(o.console.warn||o.console.log);return i&&i.call(o.console,r,n),e.apply(this,arguments)}}s="function"!=typeof Object.assign?function(e){if(e===l||null===e)throw new TypeError("Cannot convert undefined or null to object");for(var t=Object(e),n=1;n<arguments.length;n++){var r=arguments[n];if(r!==l&&null!==r)for(var o in r)r.hasOwnProperty(o)&&(t[o]=r[o])}return t}:Object.assign;var w=g((function(e,t,n){for(var r=Object.keys(t),o=0;o<r.length;)(!n||n&&e[r[o]]===l)&&(e[r[o]]=t[r[o]]),o++;return e}),"extend","Use `assign`."),y=g((function(e,t){return w(e,t,!0)}),"merge","Use `assign`.");function b(e,t,n){var r,o=t.prototype;(r=e.prototype=Object.create(o)).constructor=e,r._super=o,n&&s(r,n)}function x(e,t){return function(){return e.apply(t,arguments)}}function k(e,t){return"function"==typeof e?e.apply(t&&t[0]||l,t):e}function E(e,t){return e===l?t:e}function A(e,t,n){v(_(t),(function(t){e.addEventListener(t,n,!1)}))}function C(e,t,n){v(_(t),(function(t){e.removeEventListener(t,n,!1)}))}function B(e,t){for(;e;){if(e==t)return!0;e=e.parentNode}return!1}function M(e,t){return e.indexOf(t)>-1}function _(e){return e.trim().split(/\s+/g)}function S(e,t,n){if(e.indexOf&&!n)return e.indexOf(t);for(var r=0;r<e.length;){if(n&&e[r][n]==t||!n&&e[r]===t)return r;r++}return-1}function N(e){return Array.prototype.slice.call(e,0)}function V(e,t,n){for(var r=[],o=[],i=0;i<e.length;){var a=t?e[i][t]:e[i];S(o,a)<0&&r.push(e[i]),o[i]=a,i++}return n&&(r=t?r.sort((function(e,n){return e[t]>n[t]})):r.sort()),r}function L(e,t){for(var n,r,o=t[0].toUpperCase()+t.slice(1),i=0;i<c.length;){if((r=(n=c[i])?n+o:t)in e)return r;i++}return l}var T=1;function I(e){var t=e.ownerDocument||e;return t.defaultView||t.parentWindow||o}var Z="ontouchstart"in o,O=L(o,"PointerEvent")!==l,D=Z&&/mobile|tablet|ip(ad|hone|od)|android/i.test(navigator.userAgent),R="touch",H="mouse",P=24,j=["x","y"],F=["clientX","clientY"];function z(e,t){var n=this;this.manager=e,this.callback=t,this.element=e.element,this.target=e.options.inputTarget,this.domHandler=function(t){k(e.options.enable,[e])&&n.handler(t)},this.init()}function q(e,t,n){var r=n.pointers.length,o=n.changedPointers.length,i=1&t&&r-o==0,a=12&t&&r-o==0;n.isFirst=!!i,n.isFinal=!!a,i&&(e.session={}),n.eventType=t,function(e,t){var n=e.session,r=t.pointers,o=r.length;n.firstInput||(n.firstInput=U(t));o>1&&!n.firstMultiple?n.firstMultiple=U(t):1===o&&(n.firstMultiple=!1);var i=n.firstInput,a=n.firstMultiple,s=a?a.center:i.center,c=t.center=$(r);t.timeStamp=p(),t.deltaTime=t.timeStamp-i.timeStamp,t.angle=Y(s,c),t.distance=K(s,c),function(e,t){var n=t.center,r=e.offsetDelta||{},o=e.prevDelta||{},i=e.prevInput||{};1!==t.eventType&&4!==i.eventType||(o=e.prevDelta={x:i.deltaX||0,y:i.deltaY||0},r=e.offsetDelta={x:n.x,y:n.y});t.deltaX=o.x+(n.x-r.x),t.deltaY=o.y+(n.y-r.y)}(n,t),t.offsetDirection=G(t.deltaX,t.deltaY);var u=W(t.deltaTime,t.deltaX,t.deltaY);t.overallVelocityX=u.x,t.overallVelocityY=u.y,t.overallVelocity=h(u.x)>h(u.y)?u.x:u.y,t.scale=a?(d=a.pointers,f=r,K(f[0],f[1],F)/K(d[0],d[1],F)):1,t.rotation=a?function(e,t){return Y(t[1],t[0],F)+Y(e[1],e[0],F)}(a.pointers,r):0,t.maxPointers=n.prevInput?t.pointers.length>n.prevInput.maxPointers?t.pointers.length:n.prevInput.maxPointers:t.pointers.length,function(e,t){var n,r,o,i,a=e.lastInterval||t,s=t.timeStamp-a.timeStamp;if(8!=t.eventType&&(s>25||a.velocity===l)){var c=t.deltaX-a.deltaX,u=t.deltaY-a.deltaY,d=W(s,c,u);r=d.x,o=d.y,n=h(d.x)>h(d.y)?d.x:d.y,i=G(c,u),e.lastInterval=t}else n=a.velocity,r=a.velocityX,o=a.velocityY,i=a.direction;t.velocity=n,t.velocityX=r,t.velocityY=o,t.direction=i}(n,t);var d,f;var m=e.element;B(t.srcEvent.target,m)&&(m=t.srcEvent.target);t.target=m}(e,n),e.emit("hammer.input",n),e.recognize(n),e.session.prevInput=n}function U(e){for(var t=[],n=0;n<e.pointers.length;)t[n]={clientX:d(e.pointers[n].clientX),clientY:d(e.pointers[n].clientY)},n++;return{timeStamp:p(),pointers:t,center:$(t),deltaX:e.deltaX,deltaY:e.deltaY}}function $(e){var t=e.length;if(1===t)return{x:d(e[0].clientX),y:d(e[0].clientY)};for(var n=0,r=0,o=0;o<t;)n+=e[o].clientX,r+=e[o].clientY,o++;return{x:d(n/t),y:d(r/t)}}function W(e,t,n){return{x:t/e||0,y:n/e||0}}function G(e,t){return e===t?1:h(e)>=h(t)?e<0?2:4:t<0?8:16}function K(e,t,n){n||(n=j);var r=t[n[0]]-e[n[0]],o=t[n[1]]-e[n[1]];return Math.sqrt(r*r+o*o)}function Y(e,t,n){n||(n=j);var r=t[n[0]]-e[n[0]],o=t[n[1]]-e[n[1]];return 180*Math.atan2(o,r)/Math.PI}z.prototype={handler:function(){},init:function(){this.evEl&&A(this.element,this.evEl,this.domHandler),this.evTarget&&A(this.target,this.evTarget,this.domHandler),this.evWin&&A(I(this.element),this.evWin,this.domHandler)},destroy:function(){this.evEl&&C(this.element,this.evEl,this.domHandler),this.evTarget&&C(this.target,this.evTarget,this.domHandler),this.evWin&&C(I(this.element),this.evWin,this.domHandler)}};var X={mousedown:1,mousemove:2,mouseup:4},J="mousedown",Q="mousemove mouseup";function ee(){this.evEl=J,this.evWin=Q,this.pressed=!1,z.apply(this,arguments)}b(ee,z,{handler:function(e){var t=X[e.type];1&t&&0===e.button&&(this.pressed=!0),2&t&&1!==e.which&&(t=4),this.pressed&&(4&t&&(this.pressed=!1),this.callback(this.manager,t,{pointers:[e],changedPointers:[e],pointerType:H,srcEvent:e}))}});var te={pointerdown:1,pointermove:2,pointerup:4,pointercancel:8,pointerout:8},ne={2:R,3:"pen",4:H,5:"kinect"},re="pointerdown",oe="pointermove pointerup pointercancel";function ie(){this.evEl=re,this.evWin=oe,z.apply(this,arguments),this.store=this.manager.session.pointerEvents=[]}o.MSPointerEvent&&!o.PointerEvent&&(re="MSPointerDown",oe="MSPointerMove MSPointerUp MSPointerCancel"),b(ie,z,{handler:function(e){var t=this.store,n=!1,r=e.type.toLowerCase().replace("ms",""),o=te[r],i=ne[e.pointerType]||e.pointerType,a=i==R,l=S(t,e.pointerId,"pointerId");1&o&&(0===e.button||a)?l<0&&(t.push(e),l=t.length-1):12&o&&(n=!0),l<0||(t[l]=e,this.callback(this.manager,o,{pointers:t,changedPointers:[e],pointerType:i,srcEvent:e}),n&&t.splice(l,1))}});var ae={touchstart:1,touchmove:2,touchend:4,touchcancel:8};function le(){this.evTarget="touchstart",this.evWin="touchstart touchmove touchend touchcancel",this.started=!1,z.apply(this,arguments)}function se(e,t){var n=N(e.touches),r=N(e.changedTouches);return 12&t&&(n=V(n.concat(r),"identifier",!0)),[n,r]}b(le,z,{handler:function(e){var t=ae[e.type];if(1===t&&(this.started=!0),this.started){var n=se.call(this,e,t);12&t&&n[0].length-n[1].length==0&&(this.started=!1),this.callback(this.manager,t,{pointers:n[0],changedPointers:n[1],pointerType:R,srcEvent:e})}}});var ce={touchstart:1,touchmove:2,touchend:4,touchcancel:8},ue="touchstart touchmove touchend touchcancel";function de(){this.evTarget=ue,this.targetIds={},z.apply(this,arguments)}function he(e,t){var n=N(e.touches),r=this.targetIds;if(3&t&&1===n.length)return r[n[0].identifier]=!0,[n,n];var o,i,a=N(e.changedTouches),l=[],s=this.target;if(i=n.filter((function(e){return B(e.target,s)})),1===t)for(o=0;o<i.length;)r[i[o].identifier]=!0,o++;for(o=0;o<a.length;)r[a[o].identifier]&&l.push(a[o]),12&t&&delete r[a[o].identifier],o++;return l.length?[V(i.concat(l),"identifier",!0),l]:void 0}b(de,z,{handler:function(e){var t=ce[e.type],n=he.call(this,e,t);n&&this.callback(this.manager,t,{pointers:n[0],changedPointers:n[1],pointerType:R,srcEvent:e})}});function pe(){z.apply(this,arguments);var e=x(this.handler,this);this.touch=new de(this.manager,e),this.mouse=new ee(this.manager,e),this.primaryTouch=null,this.lastTouches=[]}function fe(e,t){1&e?(this.primaryTouch=t.changedPointers[0].identifier,me.call(this,t)):12&e&&me.call(this,t)}function me(e){var t=e.changedPointers[0];if(t.identifier===this.primaryTouch){var n={x:t.clientX,y:t.clientY};this.lastTouches.push(n);var r=this.lastTouches;setTimeout((function(){var e=r.indexOf(n);e>-1&&r.splice(e,1)}),2500)}}function ve(e){for(var t=e.srcEvent.clientX,n=e.srcEvent.clientY,r=0;r<this.lastTouches.length;r++){var o=this.lastTouches[r],i=Math.abs(t-o.x),a=Math.abs(n-o.y);if(i<=25&&a<=25)return!0}return!1}b(pe,z,{handler:function(e,t,n){var r=n.pointerType==R,o=n.pointerType==H;if(!(o&&n.sourceCapabilities&&n.sourceCapabilities.firesTouchEvents)){if(r)fe.call(this,t,n);else if(o&&ve.call(this,n))return;this.callback(e,t,n)}},destroy:function(){this.touch.destroy(),this.mouse.destroy()}});var ge=L(u.style,"touchAction"),we=ge!==l,ye="compute",be="auto",xe="manipulation",ke="none",Ee="pan-x",Ae="pan-y",Ce=function(){if(!we)return!1;var e={},t=o.CSS&&o.CSS.supports;return["auto","manipulation","pan-y","pan-x","pan-x pan-y","none"].forEach((function(n){e[n]=!t||o.CSS.supports("touch-action",n)})),e}();function Be(e,t){this.manager=e,this.set(t)}Be.prototype={set:function(e){e==ye&&(e=this.compute()),we&&this.manager.element.style&&Ce[e]&&(this.manager.element.style[ge]=e),this.actions=e.toLowerCase().trim()},update:function(){this.set(this.manager.options.touchAction)},compute:function(){var e=[];return v(this.manager.recognizers,(function(t){k(t.options.enable,[t])&&(e=e.concat(t.getTouchAction()))})),function(e){if(M(e,ke))return ke;var t=M(e,Ee),n=M(e,Ae);if(t&&n)return ke;if(t||n)return t?Ee:Ae;if(M(e,xe))return xe;return be}(e.join(" "))},preventDefaults:function(e){var t=e.srcEvent,n=e.offsetDirection;if(this.manager.session.prevented)t.preventDefault();else{var r=this.actions,o=M(r,ke)&&!Ce[ke],i=M(r,Ae)&&!Ce[Ae],a=M(r,Ee)&&!Ce[Ee];if(o){var l=1===e.pointers.length,s=e.distance<2,c=e.deltaTime<250;if(l&&s&&c)return}if(!a||!i)return o||i&&6&n||a&&n&P?this.preventSrc(t):void 0}},preventSrc:function(e){this.manager.session.prevented=!0,e.preventDefault()}};var Me=32;function _e(e){this.options=s({},this.defaults,e||{}),this.id=T++,this.manager=null,this.options.enable=E(this.options.enable,!0),this.state=1,this.simultaneous={},this.requireFail=[]}function Se(e){return 16&e?"cancel":8&e?"end":4&e?"move":2&e?"start":""}function Ne(e){return 16==e?"down":8==e?"up":2==e?"left":4==e?"right":""}function Ve(e,t){var n=t.manager;return n?n.get(e):e}function Le(){_e.apply(this,arguments)}function Te(){Le.apply(this,arguments),this.pX=null,this.pY=null}function Ie(){Le.apply(this,arguments)}function Ze(){_e.apply(this,arguments),this._timer=null,this._input=null}function Oe(){Le.apply(this,arguments)}function De(){Le.apply(this,arguments)}function Re(){_e.apply(this,arguments),this.pTime=!1,this.pCenter=!1,this._timer=null,this._input=null,this.count=0}function He(e,t){return(t=t||{}).recognizers=E(t.recognizers,He.defaults.preset),new Pe(e,t)}_e.prototype={defaults:{},set:function(e){return s(this.options,e),this.manager&&this.manager.touchAction.update(),this},recognizeWith:function(e){if(m(e,"recognizeWith",this))return this;var t=this.simultaneous;return t[(e=Ve(e,this)).id]||(t[e.id]=e,e.recognizeWith(this)),this},dropRecognizeWith:function(e){return m(e,"dropRecognizeWith",this)||(e=Ve(e,this),delete this.simultaneous[e.id]),this},requireFailure:function(e){if(m(e,"requireFailure",this))return this;var t=this.requireFail;return-1===S(t,e=Ve(e,this))&&(t.push(e),e.requireFailure(this)),this},dropRequireFailure:function(e){if(m(e,"dropRequireFailure",this))return this;e=Ve(e,this);var t=S(this.requireFail,e);return t>-1&&this.requireFail.splice(t,1),this},hasRequireFailures:function(){return this.requireFail.length>0},canRecognizeWith:function(e){return!!this.simultaneous[e.id]},emit:function(e){var t=this,n=this.state;function r(n){t.manager.emit(n,e)}n<8&&r(t.options.event+Se(n)),r(t.options.event),e.additionalEvent&&r(e.additionalEvent),n>=8&&r(t.options.event+Se(n))},tryEmit:function(e){if(this.canEmit())return this.emit(e);this.state=Me},canEmit:function(){for(var e=0;e<this.requireFail.length;){if(!(33&this.requireFail[e].state))return!1;e++}return!0},recognize:function(e){var t=s({},e);if(!k(this.options.enable,[this,t]))return this.reset(),void(this.state=Me);56&this.state&&(this.state=1),this.state=this.process(t),30&this.state&&this.tryEmit(t)},process:function(e){},getTouchAction:function(){},reset:function(){}},b(Le,_e,{defaults:{pointers:1},attrTest:function(e){var t=this.options.pointers;return 0===t||e.pointers.length===t},process:function(e){var t=this.state,n=e.eventType,r=6&t,o=this.attrTest(e);return r&&(8&n||!o)?16|t:r||o?4&n?8|t:2&t?4|t:2:Me}}),b(Te,Le,{defaults:{event:"pan",threshold:10,pointers:1,direction:30},getTouchAction:function(){var e=this.options.direction,t=[];return 6&e&&t.push(Ae),e&P&&t.push(Ee),t},directionTest:function(e){var t=this.options,n=!0,r=e.distance,o=e.direction,i=e.deltaX,a=e.deltaY;return o&t.direction||(6&t.direction?(o=0===i?1:i<0?2:4,n=i!=this.pX,r=Math.abs(e.deltaX)):(o=0===a?1:a<0?8:16,n=a!=this.pY,r=Math.abs(e.deltaY))),e.direction=o,n&&r>t.threshold&&o&t.direction},attrTest:function(e){return Le.prototype.attrTest.call(this,e)&&(2&this.state||!(2&this.state)&&this.directionTest(e))},emit:function(e){this.pX=e.deltaX,this.pY=e.deltaY;var t=Ne(e.direction);t&&(e.additionalEvent=this.options.event+t),this._super.emit.call(this,e)}}),b(Ie,Le,{defaults:{event:"pinch",threshold:0,pointers:2},getTouchAction:function(){return[ke]},attrTest:function(e){return this._super.attrTest.call(this,e)&&(Math.abs(e.scale-1)>this.options.threshold||2&this.state)},emit:function(e){if(1!==e.scale){var t=e.scale<1?"in":"out";e.additionalEvent=this.options.event+t}this._super.emit.call(this,e)}}),b(Ze,_e,{defaults:{event:"press",pointers:1,time:251,threshold:9},getTouchAction:function(){return[be]},process:function(e){var t=this.options,n=e.pointers.length===t.pointers,r=e.distance<t.threshold,o=e.deltaTime>t.time;if(this._input=e,!r||!n||12&e.eventType&&!o)this.reset();else if(1&e.eventType)this.reset(),this._timer=f((function(){this.state=8,this.tryEmit()}),t.time,this);else if(4&e.eventType)return 8;return Me},reset:function(){clearTimeout(this._timer)},emit:function(e){8===this.state&&(e&&4&e.eventType?this.manager.emit(this.options.event+"up",e):(this._input.timeStamp=p(),this.manager.emit(this.options.event,this._input)))}}),b(Oe,Le,{defaults:{event:"rotate",threshold:0,pointers:2},getTouchAction:function(){return[ke]},attrTest:function(e){return this._super.attrTest.call(this,e)&&(Math.abs(e.rotation)>this.options.threshold||2&this.state)}}),b(De,Le,{defaults:{event:"swipe",threshold:10,velocity:.3,direction:30,pointers:1},getTouchAction:function(){return Te.prototype.getTouchAction.call(this)},attrTest:function(e){var t,n=this.options.direction;return 30&n?t=e.overallVelocity:6&n?t=e.overallVelocityX:n&P&&(t=e.overallVelocityY),this._super.attrTest.call(this,e)&&n&e.offsetDirection&&e.distance>this.options.threshold&&e.maxPointers==this.options.pointers&&h(t)>this.options.velocity&&4&e.eventType},emit:function(e){var t=Ne(e.offsetDirection);t&&this.manager.emit(this.options.event+t,e),this.manager.emit(this.options.event,e)}}),b(Re,_e,{defaults:{event:"tap",pointers:1,taps:1,interval:300,time:250,threshold:9,posThreshold:10},getTouchAction:function(){return[xe]},process:function(e){var t=this.options,n=e.pointers.length===t.pointers,r=e.distance<t.threshold,o=e.deltaTime<t.time;if(this.reset(),1&e.eventType&&0===this.count)return this.failTimeout();if(r&&o&&n){if(4!=e.eventType)return this.failTimeout();var i=!this.pTime||e.timeStamp-this.pTime<t.interval,a=!this.pCenter||K(this.pCenter,e.center)<t.posThreshold;if(this.pTime=e.timeStamp,this.pCenter=e.center,a&&i?this.count+=1:this.count=1,this._input=e,0===this.count%t.taps)return this.hasRequireFailures()?(this._timer=f((function(){this.state=8,this.tryEmit()}),t.interval,this),2):8}return Me},failTimeout:function(){return this._timer=f((function(){this.state=Me}),this.options.interval,this),Me},reset:function(){clearTimeout(this._timer)},emit:function(){8==this.state&&(this._input.tapCount=this.count,this.manager.emit(this.options.event,this._input))}}),He.VERSION="2.0.7",He.defaults={domEvents:!1,touchAction:ye,enable:!0,inputTarget:null,inputClass:null,preset:[[Oe,{enable:!1}],[Ie,{enable:!1},["rotate"]],[De,{direction:6}],[Te,{direction:6},["swipe"]],[Re],[Re,{event:"doubletap",taps:2},["tap"]],[Ze]],cssProps:{userSelect:"none",touchSelect:"none",touchCallout:"none",contentZooming:"none",userDrag:"none",tapHighlightColor:"rgba(0,0,0,0)"}};function Pe(e,t){var n;this.options=s({},He.defaults,t||{}),this.options.inputTarget=this.options.inputTarget||e,this.handlers={},this.session={},this.recognizers=[],this.oldCssProps={},this.element=e,this.input=new((n=this).options.inputClass||(O?ie:D?de:Z?pe:ee))(n,q),this.touchAction=new Be(this,this.options.touchAction),je(this,!0),v(this.options.recognizers,(function(e){var t=this.add(new e[0](e[1]));e[2]&&t.recognizeWith(e[2]),e[3]&&t.requireFailure(e[3])}),this)}function je(e,t){var n,r=e.element;r.style&&(v(e.options.cssProps,(function(o,i){n=L(r.style,i),t?(e.oldCssProps[n]=r.style[n],r.style[n]=o):r.style[n]=e.oldCssProps[n]||""})),t||(e.oldCssProps={}))}Pe.prototype={set:function(e){return s(this.options,e),e.touchAction&&this.touchAction.update(),e.inputTarget&&(this.input.destroy(),this.input.target=e.inputTarget,this.input.init()),this},stop:function(e){this.session.stopped=e?2:1},recognize:function(e){var t=this.session;if(!t.stopped){var n;this.touchAction.preventDefaults(e);var r=this.recognizers,o=t.curRecognizer;(!o||o&&8&o.state)&&(o=t.curRecognizer=null);for(var i=0;i<r.length;)n=r[i],2===t.stopped||o&&n!=o&&!n.canRecognizeWith(o)?n.reset():n.recognize(e),!o&&14&n.state&&(o=t.curRecognizer=n),i++}},get:function(e){if(e instanceof _e)return e;for(var t=this.recognizers,n=0;n<t.length;n++)if(t[n].options.event==e)return t[n];return null},add:function(e){if(m(e,"add",this))return this;var t=this.get(e.options.event);return t&&this.remove(t),this.recognizers.push(e),e.manager=this,this.touchAction.update(),e},remove:function(e){if(m(e,"remove",this))return this;if(e=this.get(e)){var t=this.recognizers,n=S(t,e);-1!==n&&(t.splice(n,1),this.touchAction.update())}return this},on:function(e,t){if(e!==l&&t!==l){var n=this.handlers;return v(_(e),(function(e){n[e]=n[e]||[],n[e].push(t)})),this}},off:function(e,t){if(e!==l){var n=this.handlers;return v(_(e),(function(e){t?n[e]&&n[e].splice(S(n[e],t),1):delete n[e]})),this}},emit:function(e,t){this.options.domEvents&&function(e,t){var n=i.createEvent("Event");n.initEvent(e,!0,!0),n.gesture=t,t.target.dispatchEvent(n)}(e,t);var n=this.handlers[e]&&this.handlers[e].slice();if(n&&n.length){t.type=e,t.preventDefault=function(){t.srcEvent.preventDefault()};for(var r=0;r<n.length;)n[r](t),r++}},destroy:function(){this.element&&je(this,!1),this.handlers={},this.session={},this.input.destroy(),this.element=null}},s(He,{INPUT_START:1,INPUT_MOVE:2,INPUT_END:4,INPUT_CANCEL:8,STATE_POSSIBLE:1,STATE_BEGAN:2,STATE_CHANGED:4,STATE_ENDED:8,STATE_RECOGNIZED:8,STATE_CANCELLED:16,STATE_FAILED:Me,DIRECTION_NONE:1,DIRECTION_LEFT:2,DIRECTION_RIGHT:4,DIRECTION_UP:8,DIRECTION_DOWN:16,DIRECTION_HORIZONTAL:6,DIRECTION_VERTICAL:P,DIRECTION_ALL:30,Manager:Pe,Input:z,TouchAction:Be,TouchInput:de,MouseInput:ee,PointerEventInput:ie,TouchMouseInput:pe,SingleTouchInput:le,Recognizer:_e,AttrRecognizer:Le,Tap:Re,Pan:Te,Swipe:De,Pinch:Ie,Rotate:Oe,Press:Ze,on:A,off:C,each:v,merge:y,extend:w,assign:s,inherit:b,bindFn:x,prefixed:L}),(void 0!==o?o:"undefined"!=typeof self?self:{}).Hammer=He,(r=function(){return He}.call(t,n,t,e))===l||(e.exports=r)}(window,document)},64039:(e,t,n)=>{"use strict";var r="undefined"!=typeof Symbol&&Symbol,o=n(41333);e.exports=function(){return"function"==typeof r&&("function"==typeof Symbol&&("symbol"==typeof r("foo")&&("symbol"==typeof Symbol("bar")&&o())))}},41333:e=>{"use strict";e.exports=function(){if("function"!=typeof Symbol||"function"!=typeof Object.getOwnPropertySymbols)return!1;if("symbol"==typeof Symbol.iterator)return!0;var e={},t=Symbol("test"),n=Object(t);if("string"==typeof t)return!1;if("[object Symbol]"!==Object.prototype.toString.call(t))return!1;if("[object Symbol]"!==Object.prototype.toString.call(n))return!1;for(var r in e[t]=42,e)return!1;if("function"==typeof Object.keys&&0!==Object.keys(e).length)return!1;if("function"==typeof Object.getOwnPropertyNames&&0!==Object.getOwnPropertyNames(e).length)return!1;var o=Object.getOwnPropertySymbols(e);if(1!==o.length||o[0]!==t)return!1;if(!Object.prototype.propertyIsEnumerable.call(e,t))return!1;if("function"==typeof Object.getOwnPropertyDescriptor){var i=Object.getOwnPropertyDescriptor(e,t);if(42!==i.value||!0!==i.enumerable)return!1}return!0}},9957:(e,t,n)=>{"use strict";var r=Function.prototype.call,o=Object.prototype.hasOwnProperty,i=n(66743);e.exports=i.call(r,o)},251:(e,t)=>{t.read=function(e,t,n,r,o){var i,a,l=8*o-r-1,s=(1<<l)-1,c=s>>1,u=-7,d=n?o-1:0,h=n?-1:1,p=e[t+d];for(d+=h,i=p&(1<<-u)-1,p>>=-u,u+=l;u>0;i=256*i+e[t+d],d+=h,u-=8);for(a=i&(1<<-u)-1,i>>=-u,u+=r;u>0;a=256*a+e[t+d],d+=h,u-=8);if(0===i)i=1-c;else{if(i===s)return a?NaN:1/0*(p?-1:1);a+=Math.pow(2,r),i-=c}return(p?-1:1)*a*Math.pow(2,i-r)},t.write=function(e,t,n,r,o,i){var a,l,s,c=8*i-o-1,u=(1<<c)-1,d=u>>1,h=23===o?Math.pow(2,-24)-Math.pow(2,-77):0,p=r?0:i-1,f=r?1:-1,m=t<0||0===t&&1/t<0?1:0;for(t=Math.abs(t),isNaN(t)||t===1/0?(l=isNaN(t)?1:0,a=u):(a=Math.floor(Math.log(t)/Math.LN2),t*(s=Math.pow(2,-a))<1&&(a--,s*=2),(t+=a+d>=1?h/s:h*Math.pow(2,1-d))*s>=2&&(a++,s/=2),a+d>=u?(l=0,a=u):a+d>=1?(l=(t*s-1)*Math.pow(2,o),a+=d):(l=t*Math.pow(2,d-1)*Math.pow(2,o),a=0));o>=8;e[n+p]=255&l,p+=f,l/=256,o-=8);for(a=a<<o|l,c+=o;c>0;e[n+p]=255&a,p+=f,a/=256,c-=8);e[n+p-f]|=128*m}},23727:e=>{"use strict";var t={uncountableWords:["equipment","information","rice","money","species","series","fish","sheep","moose","deer","news"],pluralRules:[[new RegExp("(m)an$","gi"),"$1en"],[new RegExp("(pe)rson$","gi"),"$1ople"],[new RegExp("(child)$","gi"),"$1ren"],[new RegExp("^(ox)$","gi"),"$1en"],[new RegExp("(ax|test)is$","gi"),"$1es"],[new RegExp("(octop|vir)us$","gi"),"$1i"],[new RegExp("(alias|status)$","gi"),"$1es"],[new RegExp("(bu)s$","gi"),"$1ses"],[new RegExp("(buffal|tomat|potat)o$","gi"),"$1oes"],[new RegExp("([ti])um$","gi"),"$1a"],[new RegExp("sis$","gi"),"ses"],[new RegExp("(?:([^f])fe|([lr])f)$","gi"),"$1$2ves"],[new RegExp("(hive)$","gi"),"$1s"],[new RegExp("([^aeiouy]|qu)y$","gi"),"$1ies"],[new RegExp("(x|ch|ss|sh)$","gi"),"$1es"],[new RegExp("(matr|vert|ind)ix|ex$","gi"),"$1ices"],[new RegExp("([m|l])ouse$","gi"),"$1ice"],[new RegExp("(quiz)$","gi"),"$1zes"],[new RegExp("s$","gi"),"s"],[new RegExp("$","gi"),"s"]],singularRules:[[new RegExp("(m)en$","gi"),"$1an"],[new RegExp("(pe)ople$","gi"),"$1rson"],[new RegExp("(child)ren$","gi"),"$1"],[new RegExp("([ti])a$","gi"),"$1um"],[new RegExp("((a)naly|(b)a|(d)iagno|(p)arenthe|(p)rogno|(s)ynop|(t)he)ses$","gi"),"$1$2sis"],[new RegExp("(hive)s$","gi"),"$1"],[new RegExp("(tive)s$","gi"),"$1"],[new RegExp("(curve)s$","gi"),"$1"],[new RegExp("([lr])ves$","gi"),"$1f"],[new RegExp("([^fo])ves$","gi"),"$1fe"],[new RegExp("([^aeiouy]|qu)ies$","gi"),"$1y"],[new RegExp("(s)eries$","gi"),"$1eries"],[new RegExp("(m)ovies$","gi"),"$1ovie"],[new RegExp("(x|ch|ss|sh)es$","gi"),"$1"],[new RegExp("([m|l])ice$","gi"),"$1ouse"],[new RegExp("(bus)es$","gi"),"$1"],[new RegExp("(o)es$","gi"),"$1"],[new RegExp("(shoe)s$","gi"),"$1"],[new RegExp("(cris|ax|test)es$","gi"),"$1is"],[new RegExp("(octop|vir)i$","gi"),"$1us"],[new RegExp("(alias|status)es$","gi"),"$1"],[new RegExp("^(ox)en","gi"),"$1"],[new RegExp("(vert|ind)ices$","gi"),"$1ex"],[new RegExp("(matr)ices$","gi"),"$1ix"],[new RegExp("(quiz)zes$","gi"),"$1"],[new RegExp("s$","gi"),""]],nonTitlecasedWords:["and","or","nor","a","an","the","so","but","to","of","at","by","from","into","on","onto","off","out","in","over","with","for"],idSuffix:new RegExp("(_ids|_id)$","g"),underbar:new RegExp("_","g"),spaceOrUnderbar:new RegExp("[ _]","g"),uppercase:new RegExp("([A-Z])","g"),underbarPrefix:new RegExp("^_"),applyRules:function(e,t,n,r){if(r)e=r;else if(!(n.indexOf(e.toLowerCase())>-1))for(var o=0;o<t.length;o++)if(e.match(t[o][0])){e=e.replace(t[o][0],t[o][1]);break}return e},pluralize:function(e,t){return this.applyRules(e,this.pluralRules,this.uncountableWords,t)},singularize:function(e,t){return this.applyRules(e,this.singularRules,this.uncountableWords,t)},camelize:function(e,t){for(var n=e.split("/"),r=0;r<n.length;r++){for(var o=n[r].split("_"),i=t&&r+1===n.length?1:0;i<o.length;i++)o[i]=o[i].charAt(0).toUpperCase()+o[i].substring(1);n[r]=o.join("")}if(e=n.join("::"),!0===t){var a=e.charAt(0).toLowerCase(),l=e.slice(1);e=a+l}return e},underscore:function(e){for(var t=e.split("::"),n=0;n<t.length;n++)t[n]=t[n].replace(this.uppercase,"_$1"),t[n]=t[n].replace(this.underbarPrefix,"");return e=t.join("/").toLowerCase()},humanize:function(e,t){return e=(e=(e=e.toLowerCase()).replace(this.idSuffix,"")).replace(this.underbar," "),t||(e=this.capitalize(e)),e},capitalize:function(e){return e=(e=e.toLowerCase()).substring(0,1).toUpperCase()+e.substring(1)},dasherize:function(e){return e=e.replace(this.spaceOrUnderbar,"-")},camel2words:function(e,t){!0===t?(e=this.camelize(e),e=this.underscore(e)):e=e.toLowerCase();for(var n=(e=e.replace(this.underbar," ")).split(" "),r=0;r<n.length;r++){for(var o=n[r].split("-"),i=0;i<o.length;i++)this.nonTitlecasedWords.indexOf(o[i].toLowerCase())<0&&(o[i]=this.capitalize(o[i]));n[r]=o.join("-")}return e=(e=n.join(" ")).substring(0,1).toUpperCase()+e.substring(1)},demodulize:function(e){var t=e.split("::");return e=t[t.length-1]},tableize:function(e){return e=this.pluralize(this.underscore(e))},classify:function(e){return e=this.singularize(this.camelize(e))},foreignKey:function(e,t){return e=this.underscore(this.demodulize(e))+(t?"":"_")+"id"},ordinalize:function(e){for(var t=e.split(" "),n=0;n<t.length;n++){if(NaN===parseInt(t[n])){var r=t[n].substring(t[n].length-2),o=t[n].substring(t[n].length-1),i="th";"11"!=r&&"12"!=r&&"13"!=r&&("1"===o?i="st":"2"===o?i="nd":"3"===o&&(i="rd")),t[n]+=i}}return e=t.join(" ")}};e.exports=t},64634:e=>{var t={}.toString;e.exports=Array.isArray||function(e){return"[object Array]"==t.call(e)}},12215:(e,t,n)=>{var r,o;!function(i){if(void 0===(o="function"==typeof(r=i)?r.call(t,n,t,e):r)||(e.exports=o),e.exports=i(),!!0){var a=window.Cookies,l=window.Cookies=i();l.noConflict=function(){return window.Cookies=a,l}}}((function(){function e(){for(var e=0,t={};e<arguments.length;e++){var n=arguments[e];for(var r in n)t[r]=n[r]}return t}function t(e){return e.replace(/(%[0-9A-Z]{2})+/g,decodeURIComponent)}return function n(r){function o(){}function i(t,n,i){if("undefined"!=typeof document){"number"==typeof(i=e({path:"/"},o.defaults,i)).expires&&(i.expires=new Date(1*new Date+864e5*i.expires)),i.expires=i.expires?i.expires.toUTCString():"";try{var a=JSON.stringify(n);/^[\{\[]/.test(a)&&(n=a)}catch(e){}n=r.write?r.write(n,t):encodeURIComponent(String(n)).replace(/%(23|24|26|2B|3A|3C|3E|3D|2F|3F|40|5B|5D|5E|60|7B|7D|7C)/g,decodeURIComponent),t=encodeURIComponent(String(t)).replace(/%(23|24|26|2B|5E|60|7C)/g,decodeURIComponent).replace(/[\(\)]/g,escape);var l="";for(var s in i)i[s]&&(l+="; "+s,!0!==i[s]&&(l+="="+i[s].split(";")[0]));return document.cookie=t+"="+n+l}}function a(e,n){if("undefined"!=typeof document){for(var o={},i=document.cookie?document.cookie.split("; "):[],a=0;a<i.length;a++){var l=i[a].split("="),s=l.slice(1).join("=");n||'"'!==s.charAt(0)||(s=s.slice(1,-1));try{var c=t(l[0]);if(s=(r.read||r)(s,c)||t(s),n)try{s=JSON.parse(s)}catch(e){}if(o[c]=s,e===c)break}catch(e){}}return e?o[e]:o}}return o.set=i,o.get=function(e){return a(e,!1)},o.getJSON=function(e){return a(e,!0)},o.remove=function(t,n){i(t,"",e(n,{expires:-1}))},o.defaults={},o.withConverter=n,o}((function(){}))}))},99300:(e,t,n)=>{var r=n(65606);var o=function(e){return e&&"object"==typeof e&&"default"in e?e:{default:e}}(n(86425));function i(){return i=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},i.apply(this,arguments)}var a=function(){try{return r.env.MIX_VAPOR_ASSET_URL?r.env.MIX_VAPOR_ASSET_URL:""}catch(e){throw console.error("Unable to automatically resolve the asset URL. Use Vapor.withBaseAssetUrl() to specify it manually."),e}},l=new(function(){function e(){}var t=e.prototype;return t.asset=function(e){return a()+"/"+e},t.withBaseAssetUrl=function(e){a=function(){return e||""}},t.store=function(e,t){void 0===t&&(t={});try{return Promise.resolve(o.default.post(t.signedStorageUrl?t.signedStorageUrl:"/vapor/signed-storage-url",i({bucket:t.bucket||"",content_type:t.contentType||e.type,expires:t.expires||"",visibility:t.visibility||""},t.data),i({baseURL:t.baseURL||null,headers:t.headers||{}},t.options))).then((function(n){var r=n.data.headers;return"Host"in r&&delete r.Host,void 0===t.progress&&(t.progress=function(){}),Promise.resolve(o.default.put(n.data.url,e,{cancelToken:t.cancelToken||"",headers:r,onUploadProgress:function(e){t.progress(e.loaded/e.total)}})).then((function(){return n.data.extension=e.name.split(".").pop(),n.data}))}))}catch(e){return Promise.reject(e)}},e}());e.exports=l},67193:(e,t,n)=>{e=n.nmd(e);var r="__lodash_hash_undefined__",o=9007199254740991,i="[object Arguments]",a="[object Boolean]",l="[object Date]",s="[object Function]",c="[object GeneratorFunction]",u="[object Map]",d="[object Number]",h="[object Object]",p="[object Promise]",f="[object RegExp]",m="[object Set]",v="[object String]",g="[object Symbol]",w="[object WeakMap]",y="[object ArrayBuffer]",b="[object DataView]",x="[object Float32Array]",k="[object Float64Array]",E="[object Int8Array]",A="[object Int16Array]",C="[object Int32Array]",B="[object Uint8Array]",M="[object Uint8ClampedArray]",_="[object Uint16Array]",S="[object Uint32Array]",N=/\w*$/,V=/^\[object .+?Constructor\]$/,L=/^(?:0|[1-9]\d*)$/,T={};T[i]=T["[object Array]"]=T[y]=T[b]=T[a]=T[l]=T[x]=T[k]=T[E]=T[A]=T[C]=T[u]=T[d]=T[h]=T[f]=T[m]=T[v]=T[g]=T[B]=T[M]=T[_]=T[S]=!0,T["[object Error]"]=T[s]=T[w]=!1;var I="object"==typeof n.g&&n.g&&n.g.Object===Object&&n.g,Z="object"==typeof self&&self&&self.Object===Object&&self,O=I||Z||Function("return this")(),D=t&&!t.nodeType&&t,R=D&&e&&!e.nodeType&&e,H=R&&R.exports===D;function P(e,t){return e.set(t[0],t[1]),e}function j(e,t){return e.add(t),e}function F(e,t,n,r){var o=-1,i=e?e.length:0;for(r&&i&&(n=e[++o]);++o<i;)n=t(n,e[o],o,e);return n}function z(e){var t=!1;if(null!=e&&"function"!=typeof e.toString)try{t=!!(e+"")}catch(e){}return t}function q(e){var t=-1,n=Array(e.size);return e.forEach((function(e,r){n[++t]=[r,e]})),n}function U(e,t){return function(n){return e(t(n))}}function $(e){var t=-1,n=Array(e.size);return e.forEach((function(e){n[++t]=e})),n}var W,G=Array.prototype,K=Function.prototype,Y=Object.prototype,X=O["__core-js_shared__"],J=(W=/[^.]+$/.exec(X&&X.keys&&X.keys.IE_PROTO||""))?"Symbol(src)_1."+W:"",Q=K.toString,ee=Y.hasOwnProperty,te=Y.toString,ne=RegExp("^"+Q.call(ee).replace(/[\\^$.*+?()[\]{}|]/g,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),re=H?O.Buffer:void 0,oe=O.Symbol,ie=O.Uint8Array,ae=U(Object.getPrototypeOf,Object),le=Object.create,se=Y.propertyIsEnumerable,ce=G.splice,ue=Object.getOwnPropertySymbols,de=re?re.isBuffer:void 0,he=U(Object.keys,Object),pe=Re(O,"DataView"),fe=Re(O,"Map"),me=Re(O,"Promise"),ve=Re(O,"Set"),ge=Re(O,"WeakMap"),we=Re(Object,"create"),ye=ze(pe),be=ze(fe),xe=ze(me),ke=ze(ve),Ee=ze(ge),Ae=oe?oe.prototype:void 0,Ce=Ae?Ae.valueOf:void 0;function Be(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function Me(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function _e(e){var t=-1,n=e?e.length:0;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function Se(e){this.__data__=new Me(e)}function Ne(e,t){var n=Ue(e)||function(e){return function(e){return function(e){return!!e&&"object"==typeof e}(e)&&$e(e)}(e)&&ee.call(e,"callee")&&(!se.call(e,"callee")||te.call(e)==i)}(e)?function(e,t){for(var n=-1,r=Array(e);++n<e;)r[n]=t(n);return r}(e.length,String):[],r=n.length,o=!!r;for(var a in e)!t&&!ee.call(e,a)||o&&("length"==a||je(a,r))||n.push(a);return n}function Ve(e,t,n){var r=e[t];ee.call(e,t)&&qe(r,n)&&(void 0!==n||t in e)||(e[t]=n)}function Le(e,t){for(var n=e.length;n--;)if(qe(e[n][0],t))return n;return-1}function Te(e,t,n,r,o,p,w){var V;if(r&&(V=p?r(e,o,p,w):r(e)),void 0!==V)return V;if(!Ke(e))return e;var L=Ue(e);if(L){if(V=function(e){var t=e.length,n=e.constructor(t);t&&"string"==typeof e[0]&&ee.call(e,"index")&&(n.index=e.index,n.input=e.input);return n}(e),!t)return function(e,t){var n=-1,r=e.length;t||(t=Array(r));for(;++n<r;)t[n]=e[n];return t}(e,V)}else{var I=Pe(e),Z=I==s||I==c;if(We(e))return function(e,t){if(t)return e.slice();var n=new e.constructor(e.length);return e.copy(n),n}(e,t);if(I==h||I==i||Z&&!p){if(z(e))return p?e:{};if(V=function(e){return"function"!=typeof e.constructor||Fe(e)?{}:(t=ae(e),Ke(t)?le(t):{});var t}(Z?{}:e),!t)return function(e,t){return Oe(e,He(e),t)}(e,function(e,t){return e&&Oe(t,Ye(t),e)}(V,e))}else{if(!T[I])return p?e:{};V=function(e,t,n,r){var o=e.constructor;switch(t){case y:return Ze(e);case a:case l:return new o(+e);case b:return function(e,t){var n=t?Ze(e.buffer):e.buffer;return new e.constructor(n,e.byteOffset,e.byteLength)}(e,r);case x:case k:case E:case A:case C:case B:case M:case _:case S:return function(e,t){var n=t?Ze(e.buffer):e.buffer;return new e.constructor(n,e.byteOffset,e.length)}(e,r);case u:return function(e,t,n){var r=t?n(q(e),!0):q(e);return F(r,P,new e.constructor)}(e,r,n);case d:case v:return new o(e);case f:return function(e){var t=new e.constructor(e.source,N.exec(e));return t.lastIndex=e.lastIndex,t}(e);case m:return function(e,t,n){var r=t?n($(e),!0):$(e);return F(r,j,new e.constructor)}(e,r,n);case g:return i=e,Ce?Object(Ce.call(i)):{}}var i}(e,I,Te,t)}}w||(w=new Se);var O=w.get(e);if(O)return O;if(w.set(e,V),!L)var D=n?function(e){return function(e,t,n){var r=t(e);return Ue(e)?r:function(e,t){for(var n=-1,r=t.length,o=e.length;++n<r;)e[o+n]=t[n];return e}(r,n(e))}(e,Ye,He)}(e):Ye(e);return function(e,t){for(var n=-1,r=e?e.length:0;++n<r&&!1!==t(e[n],n,e););}(D||e,(function(o,i){D&&(o=e[i=o]),Ve(V,i,Te(o,t,n,r,i,e,w))})),V}function Ie(e){return!(!Ke(e)||(t=e,J&&J in t))&&(Ge(e)||z(e)?ne:V).test(ze(e));var t}function Ze(e){var t=new e.constructor(e.byteLength);return new ie(t).set(new ie(e)),t}function Oe(e,t,n,r){n||(n={});for(var o=-1,i=t.length;++o<i;){var a=t[o],l=r?r(n[a],e[a],a,n,e):void 0;Ve(n,a,void 0===l?e[a]:l)}return n}function De(e,t){var n,r,o=e.__data__;return("string"==(r=typeof(n=t))||"number"==r||"symbol"==r||"boolean"==r?"__proto__"!==n:null===n)?o["string"==typeof t?"string":"hash"]:o.map}function Re(e,t){var n=function(e,t){return null==e?void 0:e[t]}(e,t);return Ie(n)?n:void 0}Be.prototype.clear=function(){this.__data__=we?we(null):{}},Be.prototype.delete=function(e){return this.has(e)&&delete this.__data__[e]},Be.prototype.get=function(e){var t=this.__data__;if(we){var n=t[e];return n===r?void 0:n}return ee.call(t,e)?t[e]:void 0},Be.prototype.has=function(e){var t=this.__data__;return we?void 0!==t[e]:ee.call(t,e)},Be.prototype.set=function(e,t){return this.__data__[e]=we&&void 0===t?r:t,this},Me.prototype.clear=function(){this.__data__=[]},Me.prototype.delete=function(e){var t=this.__data__,n=Le(t,e);return!(n<0)&&(n==t.length-1?t.pop():ce.call(t,n,1),!0)},Me.prototype.get=function(e){var t=this.__data__,n=Le(t,e);return n<0?void 0:t[n][1]},Me.prototype.has=function(e){return Le(this.__data__,e)>-1},Me.prototype.set=function(e,t){var n=this.__data__,r=Le(n,e);return r<0?n.push([e,t]):n[r][1]=t,this},_e.prototype.clear=function(){this.__data__={hash:new Be,map:new(fe||Me),string:new Be}},_e.prototype.delete=function(e){return De(this,e).delete(e)},_e.prototype.get=function(e){return De(this,e).get(e)},_e.prototype.has=function(e){return De(this,e).has(e)},_e.prototype.set=function(e,t){return De(this,e).set(e,t),this},Se.prototype.clear=function(){this.__data__=new Me},Se.prototype.delete=function(e){return this.__data__.delete(e)},Se.prototype.get=function(e){return this.__data__.get(e)},Se.prototype.has=function(e){return this.__data__.has(e)},Se.prototype.set=function(e,t){var n=this.__data__;if(n instanceof Me){var r=n.__data__;if(!fe||r.length<199)return r.push([e,t]),this;n=this.__data__=new _e(r)}return n.set(e,t),this};var He=ue?U(ue,Object):function(){return[]},Pe=function(e){return te.call(e)};function je(e,t){return!!(t=null==t?o:t)&&("number"==typeof e||L.test(e))&&e>-1&&e%1==0&&e<t}function Fe(e){var t=e&&e.constructor;return e===("function"==typeof t&&t.prototype||Y)}function ze(e){if(null!=e){try{return Q.call(e)}catch(e){}try{return e+""}catch(e){}}return""}function qe(e,t){return e===t||e!=e&&t!=t}(pe&&Pe(new pe(new ArrayBuffer(1)))!=b||fe&&Pe(new fe)!=u||me&&Pe(me.resolve())!=p||ve&&Pe(new ve)!=m||ge&&Pe(new ge)!=w)&&(Pe=function(e){var t=te.call(e),n=t==h?e.constructor:void 0,r=n?ze(n):void 0;if(r)switch(r){case ye:return b;case be:return u;case xe:return p;case ke:return m;case Ee:return w}return t});var Ue=Array.isArray;function $e(e){return null!=e&&function(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=o}(e.length)&&!Ge(e)}var We=de||function(){return!1};function Ge(e){var t=Ke(e)?te.call(e):"";return t==s||t==c}function Ke(e){var t=typeof e;return!!e&&("object"==t||"function"==t)}function Ye(e){return $e(e)?Ne(e):function(e){if(!Fe(e))return he(e);var t=[];for(var n in Object(e))ee.call(e,n)&&"constructor"!=n&&t.push(n);return t}(e)}e.exports=function(e){return Te(e,!0,!0)}},8142:(e,t,n)=>{e=n.nmd(e);var r="__lodash_hash_undefined__",o=9007199254740991,i="[object Arguments]",a="[object Array]",l="[object Boolean]",s="[object Date]",c="[object Error]",u="[object Function]",d="[object Map]",h="[object Number]",p="[object Object]",f="[object Promise]",m="[object RegExp]",v="[object Set]",g="[object String]",w="[object Symbol]",y="[object WeakMap]",b="[object ArrayBuffer]",x="[object DataView]",k=/^\[object .+?Constructor\]$/,E=/^(?:0|[1-9]\d*)$/,A={};A["[object Float32Array]"]=A["[object Float64Array]"]=A["[object Int8Array]"]=A["[object Int16Array]"]=A["[object Int32Array]"]=A["[object Uint8Array]"]=A["[object Uint8ClampedArray]"]=A["[object Uint16Array]"]=A["[object Uint32Array]"]=!0,A[i]=A[a]=A[b]=A[l]=A[x]=A[s]=A[c]=A[u]=A[d]=A[h]=A[p]=A[m]=A[v]=A[g]=A[y]=!1;var C="object"==typeof n.g&&n.g&&n.g.Object===Object&&n.g,B="object"==typeof self&&self&&self.Object===Object&&self,M=C||B||Function("return this")(),_=t&&!t.nodeType&&t,S=_&&e&&!e.nodeType&&e,N=S&&S.exports===_,V=N&&C.process,L=function(){try{return V&&V.binding&&V.binding("util")}catch(e){}}(),T=L&&L.isTypedArray;function I(e,t){for(var n=-1,r=null==e?0:e.length;++n<r;)if(t(e[n],n,e))return!0;return!1}function Z(e){var t=-1,n=Array(e.size);return e.forEach((function(e,r){n[++t]=[r,e]})),n}function O(e){var t=-1,n=Array(e.size);return e.forEach((function(e){n[++t]=e})),n}var D,R,H,P=Array.prototype,j=Function.prototype,F=Object.prototype,z=M["__core-js_shared__"],q=j.toString,U=F.hasOwnProperty,$=(D=/[^.]+$/.exec(z&&z.keys&&z.keys.IE_PROTO||""))?"Symbol(src)_1."+D:"",W=F.toString,G=RegExp("^"+q.call(U).replace(/[\\^$.*+?()[\]{}|]/g,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),K=N?M.Buffer:void 0,Y=M.Symbol,X=M.Uint8Array,J=F.propertyIsEnumerable,Q=P.splice,ee=Y?Y.toStringTag:void 0,te=Object.getOwnPropertySymbols,ne=K?K.isBuffer:void 0,re=(R=Object.keys,H=Object,function(e){return R(H(e))}),oe=Le(M,"DataView"),ie=Le(M,"Map"),ae=Le(M,"Promise"),le=Le(M,"Set"),se=Le(M,"WeakMap"),ce=Le(Object,"create"),ue=Oe(oe),de=Oe(ie),he=Oe(ae),pe=Oe(le),fe=Oe(se),me=Y?Y.prototype:void 0,ve=me?me.valueOf:void 0;function ge(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function we(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function ye(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function be(e){var t=-1,n=null==e?0:e.length;for(this.__data__=new ye;++t<n;)this.add(e[t])}function xe(e){var t=this.__data__=new we(e);this.size=t.size}function ke(e,t){var n=He(e),r=!n&&Re(e),o=!n&&!r&&Pe(e),i=!n&&!r&&!o&&Ue(e),a=n||r||o||i,l=a?function(e,t){for(var n=-1,r=Array(e);++n<e;)r[n]=t(n);return r}(e.length,String):[],s=l.length;for(var c in e)!t&&!U.call(e,c)||a&&("length"==c||o&&("offset"==c||"parent"==c)||i&&("buffer"==c||"byteLength"==c||"byteOffset"==c)||Ze(c,s))||l.push(c);return l}function Ee(e,t){for(var n=e.length;n--;)if(De(e[n][0],t))return n;return-1}function Ae(e){return null==e?void 0===e?"[object Undefined]":"[object Null]":ee&&ee in Object(e)?function(e){var t=U.call(e,ee),n=e[ee];try{e[ee]=void 0;var r=!0}catch(e){}var o=W.call(e);r&&(t?e[ee]=n:delete e[ee]);return o}(e):function(e){return W.call(e)}(e)}function Ce(e){return qe(e)&&Ae(e)==i}function Be(e,t,n,r,o){return e===t||(null==e||null==t||!qe(e)&&!qe(t)?e!=e&&t!=t:function(e,t,n,r,o,u){var f=He(e),y=He(t),k=f?a:Ie(e),E=y?a:Ie(t),A=(k=k==i?p:k)==p,C=(E=E==i?p:E)==p,B=k==E;if(B&&Pe(e)){if(!Pe(t))return!1;f=!0,A=!1}if(B&&!A)return u||(u=new xe),f||Ue(e)?Se(e,t,n,r,o,u):function(e,t,n,r,o,i,a){switch(n){case x:if(e.byteLength!=t.byteLength||e.byteOffset!=t.byteOffset)return!1;e=e.buffer,t=t.buffer;case b:return!(e.byteLength!=t.byteLength||!i(new X(e),new X(t)));case l:case s:case h:return De(+e,+t);case c:return e.name==t.name&&e.message==t.message;case m:case g:return e==t+"";case d:var u=Z;case v:var p=1&r;if(u||(u=O),e.size!=t.size&&!p)return!1;var f=a.get(e);if(f)return f==t;r|=2,a.set(e,t);var y=Se(u(e),u(t),r,o,i,a);return a.delete(e),y;case w:if(ve)return ve.call(e)==ve.call(t)}return!1}(e,t,k,n,r,o,u);if(!(1&n)){var M=A&&U.call(e,"__wrapped__"),_=C&&U.call(t,"__wrapped__");if(M||_){var S=M?e.value():e,N=_?t.value():t;return u||(u=new xe),o(S,N,n,r,u)}}if(!B)return!1;return u||(u=new xe),function(e,t,n,r,o,i){var a=1&n,l=Ne(e),s=l.length,c=Ne(t),u=c.length;if(s!=u&&!a)return!1;var d=s;for(;d--;){var h=l[d];if(!(a?h in t:U.call(t,h)))return!1}var p=i.get(e);if(p&&i.get(t))return p==t;var f=!0;i.set(e,t),i.set(t,e);var m=a;for(;++d<s;){var v=e[h=l[d]],g=t[h];if(r)var w=a?r(g,v,h,t,e,i):r(v,g,h,e,t,i);if(!(void 0===w?v===g||o(v,g,n,r,i):w)){f=!1;break}m||(m="constructor"==h)}if(f&&!m){var y=e.constructor,b=t.constructor;y==b||!("constructor"in e)||!("constructor"in t)||"function"==typeof y&&y instanceof y&&"function"==typeof b&&b instanceof b||(f=!1)}return i.delete(e),i.delete(t),f}(e,t,n,r,o,u)}(e,t,n,r,Be,o))}function Me(e){return!(!ze(e)||function(e){return!!$&&$ in e}(e))&&(je(e)?G:k).test(Oe(e))}function _e(e){if(n=(t=e)&&t.constructor,r="function"==typeof n&&n.prototype||F,t!==r)return re(e);var t,n,r,o=[];for(var i in Object(e))U.call(e,i)&&"constructor"!=i&&o.push(i);return o}function Se(e,t,n,r,o,i){var a=1&n,l=e.length,s=t.length;if(l!=s&&!(a&&s>l))return!1;var c=i.get(e);if(c&&i.get(t))return c==t;var u=-1,d=!0,h=2&n?new be:void 0;for(i.set(e,t),i.set(t,e);++u<l;){var p=e[u],f=t[u];if(r)var m=a?r(f,p,u,t,e,i):r(p,f,u,e,t,i);if(void 0!==m){if(m)continue;d=!1;break}if(h){if(!I(t,(function(e,t){if(a=t,!h.has(a)&&(p===e||o(p,e,n,r,i)))return h.push(t);var a}))){d=!1;break}}else if(p!==f&&!o(p,f,n,r,i)){d=!1;break}}return i.delete(e),i.delete(t),d}function Ne(e){return function(e,t,n){var r=t(e);return He(e)?r:function(e,t){for(var n=-1,r=t.length,o=e.length;++n<r;)e[o+n]=t[n];return e}(r,n(e))}(e,$e,Te)}function Ve(e,t){var n,r,o=e.__data__;return("string"==(r=typeof(n=t))||"number"==r||"symbol"==r||"boolean"==r?"__proto__"!==n:null===n)?o["string"==typeof t?"string":"hash"]:o.map}function Le(e,t){var n=function(e,t){return null==e?void 0:e[t]}(e,t);return Me(n)?n:void 0}ge.prototype.clear=function(){this.__data__=ce?ce(null):{},this.size=0},ge.prototype.delete=function(e){var t=this.has(e)&&delete this.__data__[e];return this.size-=t?1:0,t},ge.prototype.get=function(e){var t=this.__data__;if(ce){var n=t[e];return n===r?void 0:n}return U.call(t,e)?t[e]:void 0},ge.prototype.has=function(e){var t=this.__data__;return ce?void 0!==t[e]:U.call(t,e)},ge.prototype.set=function(e,t){var n=this.__data__;return this.size+=this.has(e)?0:1,n[e]=ce&&void 0===t?r:t,this},we.prototype.clear=function(){this.__data__=[],this.size=0},we.prototype.delete=function(e){var t=this.__data__,n=Ee(t,e);return!(n<0)&&(n==t.length-1?t.pop():Q.call(t,n,1),--this.size,!0)},we.prototype.get=function(e){var t=this.__data__,n=Ee(t,e);return n<0?void 0:t[n][1]},we.prototype.has=function(e){return Ee(this.__data__,e)>-1},we.prototype.set=function(e,t){var n=this.__data__,r=Ee(n,e);return r<0?(++this.size,n.push([e,t])):n[r][1]=t,this},ye.prototype.clear=function(){this.size=0,this.__data__={hash:new ge,map:new(ie||we),string:new ge}},ye.prototype.delete=function(e){var t=Ve(this,e).delete(e);return this.size-=t?1:0,t},ye.prototype.get=function(e){return Ve(this,e).get(e)},ye.prototype.has=function(e){return Ve(this,e).has(e)},ye.prototype.set=function(e,t){var n=Ve(this,e),r=n.size;return n.set(e,t),this.size+=n.size==r?0:1,this},be.prototype.add=be.prototype.push=function(e){return this.__data__.set(e,r),this},be.prototype.has=function(e){return this.__data__.has(e)},xe.prototype.clear=function(){this.__data__=new we,this.size=0},xe.prototype.delete=function(e){var t=this.__data__,n=t.delete(e);return this.size=t.size,n},xe.prototype.get=function(e){return this.__data__.get(e)},xe.prototype.has=function(e){return this.__data__.has(e)},xe.prototype.set=function(e,t){var n=this.__data__;if(n instanceof we){var r=n.__data__;if(!ie||r.length<199)return r.push([e,t]),this.size=++n.size,this;n=this.__data__=new ye(r)}return n.set(e,t),this.size=n.size,this};var Te=te?function(e){return null==e?[]:(e=Object(e),function(e,t){for(var n=-1,r=null==e?0:e.length,o=0,i=[];++n<r;){var a=e[n];t(a,n,e)&&(i[o++]=a)}return i}(te(e),(function(t){return J.call(e,t)})))}:function(){return[]},Ie=Ae;function Ze(e,t){return!!(t=null==t?o:t)&&("number"==typeof e||E.test(e))&&e>-1&&e%1==0&&e<t}function Oe(e){if(null!=e){try{return q.call(e)}catch(e){}try{return e+""}catch(e){}}return""}function De(e,t){return e===t||e!=e&&t!=t}(oe&&Ie(new oe(new ArrayBuffer(1)))!=x||ie&&Ie(new ie)!=d||ae&&Ie(ae.resolve())!=f||le&&Ie(new le)!=v||se&&Ie(new se)!=y)&&(Ie=function(e){var t=Ae(e),n=t==p?e.constructor:void 0,r=n?Oe(n):"";if(r)switch(r){case ue:return x;case de:return d;case he:return f;case pe:return v;case fe:return y}return t});var Re=Ce(function(){return arguments}())?Ce:function(e){return qe(e)&&U.call(e,"callee")&&!J.call(e,"callee")},He=Array.isArray;var Pe=ne||function(){return!1};function je(e){if(!ze(e))return!1;var t=Ae(e);return t==u||"[object GeneratorFunction]"==t||"[object AsyncFunction]"==t||"[object Proxy]"==t}function Fe(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=o}function ze(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}function qe(e){return null!=e&&"object"==typeof e}var Ue=T?function(e){return function(t){return e(t)}}(T):function(e){return qe(e)&&Fe(e.length)&&!!A[Ae(e)]};function $e(e){return null!=(t=e)&&Fe(t.length)&&!je(t)?ke(e):_e(e);var t}e.exports=function(e,t){return Be(e,t)}},55580:(e,t,n)=>{var r=n(56110)(n(9325),"DataView");e.exports=r},21549:(e,t,n)=>{var r=n(22032),o=n(63862),i=n(66721),a=n(12749),l=n(35749);function s(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}s.prototype.clear=r,s.prototype.delete=o,s.prototype.get=i,s.prototype.has=a,s.prototype.set=l,e.exports=s},80079:(e,t,n)=>{var r=n(63702),o=n(70080),i=n(24739),a=n(48655),l=n(31175);function s(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}s.prototype.clear=r,s.prototype.delete=o,s.prototype.get=i,s.prototype.has=a,s.prototype.set=l,e.exports=s},68223:(e,t,n)=>{var r=n(56110)(n(9325),"Map");e.exports=r},53661:(e,t,n)=>{var r=n(63040),o=n(17670),i=n(90289),a=n(4509),l=n(72949);function s(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}s.prototype.clear=r,s.prototype.delete=o,s.prototype.get=i,s.prototype.has=a,s.prototype.set=l,e.exports=s},32804:(e,t,n)=>{var r=n(56110)(n(9325),"Promise");e.exports=r},76545:(e,t,n)=>{var r=n(56110)(n(9325),"Set");e.exports=r},38859:(e,t,n)=>{var r=n(53661),o=n(31380),i=n(51459);function a(e){var t=-1,n=null==e?0:e.length;for(this.__data__=new r;++t<n;)this.add(e[t])}a.prototype.add=a.prototype.push=o,a.prototype.has=i,e.exports=a},37217:(e,t,n)=>{var r=n(80079),o=n(51420),i=n(90938),a=n(63605),l=n(29817),s=n(80945);function c(e){var t=this.__data__=new r(e);this.size=t.size}c.prototype.clear=o,c.prototype.delete=i,c.prototype.get=a,c.prototype.has=l,c.prototype.set=s,e.exports=c},51873:(e,t,n)=>{var r=n(9325).Symbol;e.exports=r},37828:(e,t,n)=>{var r=n(9325).Uint8Array;e.exports=r},28303:(e,t,n)=>{var r=n(56110)(n(9325),"WeakMap");e.exports=r},91033:e=>{e.exports=function(e,t,n){switch(n.length){case 0:return e.call(t);case 1:return e.call(t,n[0]);case 2:return e.call(t,n[0],n[1]);case 3:return e.call(t,n[0],n[1],n[2])}return e.apply(t,n)}},63945:e=>{e.exports=function(e,t,n,r){for(var o=-1,i=null==e?0:e.length;++o<i;){var a=e[o];t(r,a,n(a),e)}return r}},83729:e=>{e.exports=function(e,t){for(var n=-1,r=null==e?0:e.length;++n<r&&!1!==t(e[n],n,e););return e}},79770:e=>{e.exports=function(e,t){for(var n=-1,r=null==e?0:e.length,o=0,i=[];++n<r;){var a=e[n];t(a,n,e)&&(i[o++]=a)}return i}},15325:(e,t,n)=>{var r=n(96131);e.exports=function(e,t){return!!(null==e?0:e.length)&&r(e,t,0)>-1}},29905:e=>{e.exports=function(e,t,n){for(var r=-1,o=null==e?0:e.length;++r<o;)if(n(t,e[r]))return!0;return!1}},70695:(e,t,n)=>{var r=n(78096),o=n(72428),i=n(56449),a=n(3656),l=n(30361),s=n(37167),c=Object.prototype.hasOwnProperty;e.exports=function(e,t){var n=i(e),u=!n&&o(e),d=!n&&!u&&a(e),h=!n&&!u&&!d&&s(e),p=n||u||d||h,f=p?r(e.length,String):[],m=f.length;for(var v in e)!t&&!c.call(e,v)||p&&("length"==v||d&&("offset"==v||"parent"==v)||h&&("buffer"==v||"byteLength"==v||"byteOffset"==v)||l(v,m))||f.push(v);return f}},34932:e=>{e.exports=function(e,t){for(var n=-1,r=null==e?0:e.length,o=Array(r);++n<r;)o[n]=t(e[n],n,e);return o}},14528:e=>{e.exports=function(e,t){for(var n=-1,r=t.length,o=e.length;++n<r;)e[o+n]=t[n];return e}},40882:e=>{e.exports=function(e,t,n,r){var o=-1,i=null==e?0:e.length;for(r&&i&&(n=e[++o]);++o<i;)n=t(n,e[o],o,e);return n}},14248:e=>{e.exports=function(e,t){for(var n=-1,r=null==e?0:e.length;++n<r;)if(t(e[n],n,e))return!0;return!1}},61074:e=>{e.exports=function(e){return e.split("")}},1733:e=>{var t=/[^\x00-\x2f\x3a-\x40\x5b-\x60\x7b-\x7f]+/g;e.exports=function(e){return e.match(t)||[]}},87805:(e,t,n)=>{var r=n(43360),o=n(75288);e.exports=function(e,t,n){(void 0!==n&&!o(e[t],n)||void 0===n&&!(t in e))&&r(e,t,n)}},16547:(e,t,n)=>{var r=n(43360),o=n(75288),i=Object.prototype.hasOwnProperty;e.exports=function(e,t,n){var a=e[t];i.call(e,t)&&o(a,n)&&(void 0!==n||t in e)||r(e,t,n)}},26025:(e,t,n)=>{var r=n(75288);e.exports=function(e,t){for(var n=e.length;n--;)if(r(e[n][0],t))return n;return-1}},62429:(e,t,n)=>{var r=n(80909);e.exports=function(e,t,n,o){return r(e,(function(e,r,i){t(o,e,n(e),i)})),o}},74733:(e,t,n)=>{var r=n(21791),o=n(95950);e.exports=function(e,t){return e&&r(t,o(t),e)}},43838:(e,t,n)=>{var r=n(21791),o=n(37241);e.exports=function(e,t){return e&&r(t,o(t),e)}},43360:(e,t,n)=>{var r=n(93243);e.exports=function(e,t,n){"__proto__"==t&&r?r(e,t,{configurable:!0,enumerable:!0,value:n,writable:!0}):e[t]=n}},9999:(e,t,n)=>{var r=n(37217),o=n(83729),i=n(16547),a=n(74733),l=n(43838),s=n(93290),c=n(23007),u=n(92271),d=n(48948),h=n(50002),p=n(83349),f=n(5861),m=n(76189),v=n(77199),g=n(35529),w=n(56449),y=n(3656),b=n(87730),x=n(23805),k=n(38440),E=n(95950),A=n(37241),C="[object Arguments]",B="[object Function]",M="[object Object]",_={};_[C]=_["[object Array]"]=_["[object ArrayBuffer]"]=_["[object DataView]"]=_["[object Boolean]"]=_["[object Date]"]=_["[object Float32Array]"]=_["[object Float64Array]"]=_["[object Int8Array]"]=_["[object Int16Array]"]=_["[object Int32Array]"]=_["[object Map]"]=_["[object Number]"]=_[M]=_["[object RegExp]"]=_["[object Set]"]=_["[object String]"]=_["[object Symbol]"]=_["[object Uint8Array]"]=_["[object Uint8ClampedArray]"]=_["[object Uint16Array]"]=_["[object Uint32Array]"]=!0,_["[object Error]"]=_[B]=_["[object WeakMap]"]=!1,e.exports=function e(t,n,S,N,V,L){var T,I=1&n,Z=2&n,O=4&n;if(S&&(T=V?S(t,N,V,L):S(t)),void 0!==T)return T;if(!x(t))return t;var D=w(t);if(D){if(T=m(t),!I)return c(t,T)}else{var R=f(t),H=R==B||"[object GeneratorFunction]"==R;if(y(t))return s(t,I);if(R==M||R==C||H&&!V){if(T=Z||H?{}:g(t),!I)return Z?d(t,l(T,t)):u(t,a(T,t))}else{if(!_[R])return V?t:{};T=v(t,R,I)}}L||(L=new r);var P=L.get(t);if(P)return P;L.set(t,T),k(t)?t.forEach((function(r){T.add(e(r,n,S,r,t,L))})):b(t)&&t.forEach((function(r,o){T.set(o,e(r,n,S,o,t,L))}));var j=D?void 0:(O?Z?p:h:Z?A:E)(t);return o(j||t,(function(r,o){j&&(r=t[o=r]),i(T,o,e(r,n,S,o,t,L))})),T}},39344:(e,t,n)=>{var r=n(23805),o=Object.create,i=function(){function e(){}return function(t){if(!r(t))return{};if(o)return o(t);e.prototype=t;var n=new e;return e.prototype=void 0,n}}();e.exports=i},80909:(e,t,n)=>{var r=n(30641),o=n(38329)(r);e.exports=o},16574:(e,t,n)=>{var r=n(80909);e.exports=function(e,t){var n=[];return r(e,(function(e,r,o){t(e,r,o)&&n.push(e)})),n}},2523:e=>{e.exports=function(e,t,n,r){for(var o=e.length,i=n+(r?1:-1);r?i--:++i<o;)if(t(e[i],i,e))return i;return-1}},83120:(e,t,n)=>{var r=n(14528),o=n(45891);e.exports=function e(t,n,i,a,l){var s=-1,c=t.length;for(i||(i=o),l||(l=[]);++s<c;){var u=t[s];n>0&&i(u)?n>1?e(u,n-1,i,a,l):r(l,u):a||(l[l.length]=u)}return l}},86649:(e,t,n)=>{var r=n(83221)();e.exports=r},30641:(e,t,n)=>{var r=n(86649),o=n(95950);e.exports=function(e,t){return e&&r(e,t,o)}},47422:(e,t,n)=>{var r=n(31769),o=n(77797);e.exports=function(e,t){for(var n=0,i=(t=r(t,e)).length;null!=e&&n<i;)e=e[o(t[n++])];return n&&n==i?e:void 0}},82199:(e,t,n)=>{var r=n(14528),o=n(56449);e.exports=function(e,t,n){var i=t(e);return o(e)?i:r(i,n(e))}},72552:(e,t,n)=>{var r=n(51873),o=n(659),i=n(59350),a=r?r.toStringTag:void 0;e.exports=function(e){return null==e?void 0===e?"[object Undefined]":"[object Null]":a&&a in Object(e)?o(e):i(e)}},28077:e=>{e.exports=function(e,t){return null!=e&&t in Object(e)}},96131:(e,t,n)=>{var r=n(2523),o=n(85463),i=n(76959);e.exports=function(e,t,n){return t==t?i(e,t,n):r(e,o,n)}},27534:(e,t,n)=>{var r=n(72552),o=n(40346);e.exports=function(e){return o(e)&&"[object Arguments]"==r(e)}},60270:(e,t,n)=>{var r=n(87068),o=n(40346);e.exports=function e(t,n,i,a,l){return t===n||(null==t||null==n||!o(t)&&!o(n)?t!=t&&n!=n:r(t,n,i,a,e,l))}},87068:(e,t,n)=>{var r=n(37217),o=n(25911),i=n(21986),a=n(50689),l=n(5861),s=n(56449),c=n(3656),u=n(37167),d="[object Arguments]",h="[object Array]",p="[object Object]",f=Object.prototype.hasOwnProperty;e.exports=function(e,t,n,m,v,g){var w=s(e),y=s(t),b=w?h:l(e),x=y?h:l(t),k=(b=b==d?p:b)==p,E=(x=x==d?p:x)==p,A=b==x;if(A&&c(e)){if(!c(t))return!1;w=!0,k=!1}if(A&&!k)return g||(g=new r),w||u(e)?o(e,t,n,m,v,g):i(e,t,b,n,m,v,g);if(!(1&n)){var C=k&&f.call(e,"__wrapped__"),B=E&&f.call(t,"__wrapped__");if(C||B){var M=C?e.value():e,_=B?t.value():t;return g||(g=new r),v(M,_,n,m,g)}}return!!A&&(g||(g=new r),a(e,t,n,m,v,g))}},29172:(e,t,n)=>{var r=n(5861),o=n(40346);e.exports=function(e){return o(e)&&"[object Map]"==r(e)}},41799:(e,t,n)=>{var r=n(37217),o=n(60270);e.exports=function(e,t,n,i){var a=n.length,l=a,s=!i;if(null==e)return!l;for(e=Object(e);a--;){var c=n[a];if(s&&c[2]?c[1]!==e[c[0]]:!(c[0]in e))return!1}for(;++a<l;){var u=(c=n[a])[0],d=e[u],h=c[1];if(s&&c[2]){if(void 0===d&&!(u in e))return!1}else{var p=new r;if(i)var f=i(d,h,u,e,t,p);if(!(void 0===f?o(h,d,3,i,p):f))return!1}}return!0}},85463:e=>{e.exports=function(e){return e!=e}},45083:(e,t,n)=>{var r=n(1882),o=n(87296),i=n(23805),a=n(47473),l=/^\[object .+?Constructor\]$/,s=Function.prototype,c=Object.prototype,u=s.toString,d=c.hasOwnProperty,h=RegExp("^"+u.call(d).replace(/[\\^$.*+?()[\]{}|]/g,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$");e.exports=function(e){return!(!i(e)||o(e))&&(r(e)?h:l).test(a(e))}},16038:(e,t,n)=>{var r=n(5861),o=n(40346);e.exports=function(e){return o(e)&&"[object Set]"==r(e)}},4901:(e,t,n)=>{var r=n(72552),o=n(30294),i=n(40346),a={};a["[object Float32Array]"]=a["[object Float64Array]"]=a["[object Int8Array]"]=a["[object Int16Array]"]=a["[object Int32Array]"]=a["[object Uint8Array]"]=a["[object Uint8ClampedArray]"]=a["[object Uint16Array]"]=a["[object Uint32Array]"]=!0,a["[object Arguments]"]=a["[object Array]"]=a["[object ArrayBuffer]"]=a["[object Boolean]"]=a["[object DataView]"]=a["[object Date]"]=a["[object Error]"]=a["[object Function]"]=a["[object Map]"]=a["[object Number]"]=a["[object Object]"]=a["[object RegExp]"]=a["[object Set]"]=a["[object String]"]=a["[object WeakMap]"]=!1,e.exports=function(e){return i(e)&&o(e.length)&&!!a[r(e)]}},15389:(e,t,n)=>{var r=n(93663),o=n(87978),i=n(83488),a=n(56449),l=n(50583);e.exports=function(e){return"function"==typeof e?e:null==e?i:"object"==typeof e?a(e)?o(e[0],e[1]):r(e):l(e)}},88984:(e,t,n)=>{var r=n(55527),o=n(3650),i=Object.prototype.hasOwnProperty;e.exports=function(e){if(!r(e))return o(e);var t=[];for(var n in Object(e))i.call(e,n)&&"constructor"!=n&&t.push(n);return t}},72903:(e,t,n)=>{var r=n(23805),o=n(55527),i=n(90181),a=Object.prototype.hasOwnProperty;e.exports=function(e){if(!r(e))return i(e);var t=o(e),n=[];for(var l in e)("constructor"!=l||!t&&a.call(e,l))&&n.push(l);return n}},5128:(e,t,n)=>{var r=n(80909),o=n(64894);e.exports=function(e,t){var n=-1,i=o(e)?Array(e.length):[];return r(e,(function(e,r,o){i[++n]=t(e,r,o)})),i}},93663:(e,t,n)=>{var r=n(41799),o=n(10776),i=n(67197);e.exports=function(e){var t=o(e);return 1==t.length&&t[0][2]?i(t[0][0],t[0][1]):function(n){return n===e||r(n,e,t)}}},87978:(e,t,n)=>{var r=n(60270),o=n(58156),i=n(80631),a=n(28586),l=n(30756),s=n(67197),c=n(77797);e.exports=function(e,t){return a(e)&&l(t)?s(c(e),t):function(n){var a=o(n,e);return void 0===a&&a===t?i(n,e):r(t,a,3)}}},85250:(e,t,n)=>{var r=n(37217),o=n(87805),i=n(86649),a=n(42824),l=n(23805),s=n(37241),c=n(14974);e.exports=function e(t,n,u,d,h){t!==n&&i(n,(function(i,s){if(h||(h=new r),l(i))a(t,n,s,u,e,d,h);else{var p=d?d(c(t,s),i,s+"",t,n,h):void 0;void 0===p&&(p=i),o(t,s,p)}}),s)}},42824:(e,t,n)=>{var r=n(87805),o=n(93290),i=n(71961),a=n(23007),l=n(35529),s=n(72428),c=n(56449),u=n(83693),d=n(3656),h=n(1882),p=n(23805),f=n(11331),m=n(37167),v=n(14974),g=n(69884);e.exports=function(e,t,n,w,y,b,x){var k=v(e,n),E=v(t,n),A=x.get(E);if(A)r(e,n,A);else{var C=b?b(k,E,n+"",e,t,x):void 0,B=void 0===C;if(B){var M=c(E),_=!M&&d(E),S=!M&&!_&&m(E);C=E,M||_||S?c(k)?C=k:u(k)?C=a(k):_?(B=!1,C=o(E,!0)):S?(B=!1,C=i(E,!0)):C=[]:f(E)||s(E)?(C=k,s(k)?C=g(k):p(k)&&!h(k)||(C=l(E))):B=!1}B&&(x.set(E,C),y(C,E,w,b,x),x.delete(E)),r(e,n,C)}}},46155:(e,t,n)=>{var r=n(34932),o=n(47422),i=n(15389),a=n(5128),l=n(73937),s=n(27301),c=n(43714),u=n(83488),d=n(56449);e.exports=function(e,t,n){t=t.length?r(t,(function(e){return d(e)?function(t){return o(t,1===e.length?e[0]:e)}:e})):[u];var h=-1;t=r(t,s(i));var p=a(e,(function(e,n,o){return{criteria:r(t,(function(t){return t(e)})),index:++h,value:e}}));return l(p,(function(e,t){return c(e,t,n)}))}},76001:(e,t,n)=>{var r=n(97420),o=n(80631);e.exports=function(e,t){return r(e,t,(function(t,n){return o(e,n)}))}},97420:(e,t,n)=>{var r=n(47422),o=n(73170),i=n(31769);e.exports=function(e,t,n){for(var a=-1,l=t.length,s={};++a<l;){var c=t[a],u=r(e,c);n(u,c)&&o(s,i(c,e),u)}return s}},47237:e=>{e.exports=function(e){return function(t){return null==t?void 0:t[e]}}},17255:(e,t,n)=>{var r=n(47422);e.exports=function(e){return function(t){return r(t,e)}}},54552:e=>{e.exports=function(e){return function(t){return null==e?void 0:e[t]}}},85558:e=>{e.exports=function(e,t,n,r,o){return o(e,(function(e,o,i){n=r?(r=!1,e):t(n,e,o,i)})),n}},69302:(e,t,n)=>{var r=n(83488),o=n(56757),i=n(32865);e.exports=function(e,t){return i(o(e,t,r),e+"")}},73170:(e,t,n)=>{var r=n(16547),o=n(31769),i=n(30361),a=n(23805),l=n(77797);e.exports=function(e,t,n,s){if(!a(e))return e;for(var c=-1,u=(t=o(t,e)).length,d=u-1,h=e;null!=h&&++c<u;){var p=l(t[c]),f=n;if("__proto__"===p||"constructor"===p||"prototype"===p)return e;if(c!=d){var m=h[p];void 0===(f=s?s(m,p,h):void 0)&&(f=a(m)?m:i(t[c+1])?[]:{})}r(h,p,f),h=h[p]}return e}},19570:(e,t,n)=>{var r=n(37334),o=n(93243),i=n(83488),a=o?function(e,t){return o(e,"toString",{configurable:!0,enumerable:!1,value:r(t),writable:!0})}:i;e.exports=a},25160:e=>{e.exports=function(e,t,n){var r=-1,o=e.length;t<0&&(t=-t>o?0:o+t),(n=n>o?o:n)<0&&(n+=o),o=t>n?0:n-t>>>0,t>>>=0;for(var i=Array(o);++r<o;)i[r]=e[r+t];return i}},73937:e=>{e.exports=function(e,t){var n=e.length;for(e.sort(t);n--;)e[n]=e[n].value;return e}},17721:e=>{e.exports=function(e,t){for(var n,r=-1,o=e.length;++r<o;){var i=t(e[r]);void 0!==i&&(n=void 0===n?i:n+i)}return n}},78096:e=>{e.exports=function(e,t){for(var n=-1,r=Array(e);++n<e;)r[n]=t(n);return r}},77556:(e,t,n)=>{var r=n(51873),o=n(34932),i=n(56449),a=n(44394),l=r?r.prototype:void 0,s=l?l.toString:void 0;e.exports=function e(t){if("string"==typeof t)return t;if(i(t))return o(t,e)+"";if(a(t))return s?s.call(t):"";var n=t+"";return"0"==n&&1/t==-1/0?"-0":n}},54128:(e,t,n)=>{var r=n(31800),o=/^\s+/;e.exports=function(e){return e?e.slice(0,r(e)+1).replace(o,""):e}},27301:e=>{e.exports=function(e){return function(t){return e(t)}}},55765:(e,t,n)=>{var r=n(38859),o=n(15325),i=n(29905),a=n(19219),l=n(44517),s=n(84247);e.exports=function(e,t,n){var c=-1,u=o,d=e.length,h=!0,p=[],f=p;if(n)h=!1,u=i;else if(d>=200){var m=t?null:l(e);if(m)return s(m);h=!1,u=a,f=new r}else f=t?[]:p;e:for(;++c<d;){var v=e[c],g=t?t(v):v;if(v=n||0!==v?v:0,h&&g==g){for(var w=f.length;w--;)if(f[w]===g)continue e;t&&f.push(g),p.push(v)}else u(f,g,n)||(f!==p&&f.push(g),p.push(v))}return p}},19931:(e,t,n)=>{var r=n(31769),o=n(68090),i=n(68969),a=n(77797);e.exports=function(e,t){return t=r(t,e),null==(e=i(e,t))||delete e[a(o(t))]}},30514:(e,t,n)=>{var r=n(34932);e.exports=function(e,t){return r(t,(function(t){return e[t]}))}},19219:e=>{e.exports=function(e,t){return e.has(t)}},24066:(e,t,n)=>{var r=n(83488);e.exports=function(e){return"function"==typeof e?e:r}},31769:(e,t,n)=>{var r=n(56449),o=n(28586),i=n(61802),a=n(13222);e.exports=function(e,t){return r(e)?e:o(e,t)?[e]:i(a(e))}},28754:(e,t,n)=>{var r=n(25160);e.exports=function(e,t,n){var o=e.length;return n=void 0===n?o:n,!t&&n>=o?e:r(e,t,n)}},23875:(e,t,n)=>{var r=n(96131);e.exports=function(e,t){for(var n=e.length;n--&&r(t,e[n],0)>-1;);return n}},28380:(e,t,n)=>{var r=n(96131);e.exports=function(e,t){for(var n=-1,o=e.length;++n<o&&r(t,e[n],0)>-1;);return n}},49653:(e,t,n)=>{var r=n(37828);e.exports=function(e){var t=new e.constructor(e.byteLength);return new r(t).set(new r(e)),t}},93290:(e,t,n)=>{e=n.nmd(e);var r=n(9325),o=t&&!t.nodeType&&t,i=o&&e&&!e.nodeType&&e,a=i&&i.exports===o?r.Buffer:void 0,l=a?a.allocUnsafe:void 0;e.exports=function(e,t){if(t)return e.slice();var n=e.length,r=l?l(n):new e.constructor(n);return e.copy(r),r}},76169:(e,t,n)=>{var r=n(49653);e.exports=function(e,t){var n=t?r(e.buffer):e.buffer;return new e.constructor(n,e.byteOffset,e.byteLength)}},73201:e=>{var t=/\w*$/;e.exports=function(e){var n=new e.constructor(e.source,t.exec(e));return n.lastIndex=e.lastIndex,n}},93736:(e,t,n)=>{var r=n(51873),o=r?r.prototype:void 0,i=o?o.valueOf:void 0;e.exports=function(e){return i?Object(i.call(e)):{}}},71961:(e,t,n)=>{var r=n(49653);e.exports=function(e,t){var n=t?r(e.buffer):e.buffer;return new e.constructor(n,e.byteOffset,e.length)}},53730:(e,t,n)=>{var r=n(44394);e.exports=function(e,t){if(e!==t){var n=void 0!==e,o=null===e,i=e==e,a=r(e),l=void 0!==t,s=null===t,c=t==t,u=r(t);if(!s&&!u&&!a&&e>t||a&&l&&c&&!s&&!u||o&&l&&c||!n&&c||!i)return 1;if(!o&&!a&&!u&&e<t||u&&n&&i&&!o&&!a||s&&n&&i||!l&&i||!c)return-1}return 0}},43714:(e,t,n)=>{var r=n(53730);e.exports=function(e,t,n){for(var o=-1,i=e.criteria,a=t.criteria,l=i.length,s=n.length;++o<l;){var c=r(i[o],a[o]);if(c)return o>=s?c:c*("desc"==n[o]?-1:1)}return e.index-t.index}},23007:e=>{e.exports=function(e,t){var n=-1,r=e.length;for(t||(t=Array(r));++n<r;)t[n]=e[n];return t}},21791:(e,t,n)=>{var r=n(16547),o=n(43360);e.exports=function(e,t,n,i){var a=!n;n||(n={});for(var l=-1,s=t.length;++l<s;){var c=t[l],u=i?i(n[c],e[c],c,n,e):void 0;void 0===u&&(u=e[c]),a?o(n,c,u):r(n,c,u)}return n}},92271:(e,t,n)=>{var r=n(21791),o=n(4664);e.exports=function(e,t){return r(e,o(e),t)}},48948:(e,t,n)=>{var r=n(21791),o=n(86375);e.exports=function(e,t){return r(e,o(e),t)}},55481:(e,t,n)=>{var r=n(9325)["__core-js_shared__"];e.exports=r},42e3:(e,t,n)=>{var r=n(63945),o=n(62429),i=n(15389),a=n(56449);e.exports=function(e,t){return function(n,l){var s=a(n)?r:o,c=t?t():{};return s(n,e,i(l,2),c)}}},20999:(e,t,n)=>{var r=n(69302),o=n(36800);e.exports=function(e){return r((function(t,n){var r=-1,i=n.length,a=i>1?n[i-1]:void 0,l=i>2?n[2]:void 0;for(a=e.length>3&&"function"==typeof a?(i--,a):void 0,l&&o(n[0],n[1],l)&&(a=i<3?void 0:a,i=1),t=Object(t);++r<i;){var s=n[r];s&&e(t,s,r,a)}return t}))}},38329:(e,t,n)=>{var r=n(64894);e.exports=function(e,t){return function(n,o){if(null==n)return n;if(!r(n))return e(n,o);for(var i=n.length,a=t?i:-1,l=Object(n);(t?a--:++a<i)&&!1!==o(l[a],a,l););return n}}},83221:e=>{e.exports=function(e){return function(t,n,r){for(var o=-1,i=Object(t),a=r(t),l=a.length;l--;){var s=a[e?l:++o];if(!1===n(i[s],s,i))break}return t}}},12507:(e,t,n)=>{var r=n(28754),o=n(49698),i=n(63912),a=n(13222);e.exports=function(e){return function(t){t=a(t);var n=o(t)?i(t):void 0,l=n?n[0]:t.charAt(0),s=n?r(n,1).join(""):t.slice(1);return l[e]()+s}}},45539:(e,t,n)=>{var r=n(40882),o=n(50828),i=n(66645),a=RegExp("['’]","g");e.exports=function(e){return function(t){return r(i(o(t).replace(a,"")),e,"")}}},62006:(e,t,n)=>{var r=n(15389),o=n(64894),i=n(95950);e.exports=function(e){return function(t,n,a){var l=Object(t);if(!o(t)){var s=r(n,3);t=i(t),n=function(e){return s(l[e],e,l)}}var c=e(t,n,a);return c>-1?l[s?t[c]:c]:void 0}}},44517:(e,t,n)=>{var r=n(76545),o=n(63950),i=n(84247),a=r&&1/i(new r([,-0]))[1]==1/0?function(e){return new r(e)}:o;e.exports=a},53138:(e,t,n)=>{var r=n(11331);e.exports=function(e){return r(e)?void 0:e}},24647:(e,t,n)=>{var r=n(54552)({À:"A",Á:"A",Â:"A",Ã:"A",Ä:"A",Å:"A",à:"a",á:"a",â:"a",ã:"a",ä:"a",å:"a",Ç:"C",ç:"c",Ð:"D",ð:"d",È:"E",É:"E",Ê:"E",Ë:"E",è:"e",é:"e",ê:"e",ë:"e",Ì:"I",Í:"I",Î:"I",Ï:"I",ì:"i",í:"i",î:"i",ï:"i",Ñ:"N",ñ:"n",Ò:"O",Ó:"O",Ô:"O",Õ:"O",Ö:"O",Ø:"O",ò:"o",ó:"o",ô:"o",õ:"o",ö:"o",ø:"o",Ù:"U",Ú:"U",Û:"U",Ü:"U",ù:"u",ú:"u",û:"u",ü:"u",Ý:"Y",ý:"y",ÿ:"y",Æ:"Ae",æ:"ae",Þ:"Th",þ:"th",ß:"ss",Ā:"A",Ă:"A",Ą:"A",ā:"a",ă:"a",ą:"a",Ć:"C",Ĉ:"C",Ċ:"C",Č:"C",ć:"c",ĉ:"c",ċ:"c",č:"c",Ď:"D",Đ:"D",ď:"d",đ:"d",Ē:"E",Ĕ:"E",Ė:"E",Ę:"E",Ě:"E",ē:"e",ĕ:"e",ė:"e",ę:"e",ě:"e",Ĝ:"G",Ğ:"G",Ġ:"G",Ģ:"G",ĝ:"g",ğ:"g",ġ:"g",ģ:"g",Ĥ:"H",Ħ:"H",ĥ:"h",ħ:"h",Ĩ:"I",Ī:"I",Ĭ:"I",Į:"I",İ:"I",ĩ:"i",ī:"i",ĭ:"i",į:"i",ı:"i",Ĵ:"J",ĵ:"j",Ķ:"K",ķ:"k",ĸ:"k",Ĺ:"L",Ļ:"L",Ľ:"L",Ŀ:"L",Ł:"L",ĺ:"l",ļ:"l",ľ:"l",ŀ:"l",ł:"l",Ń:"N",Ņ:"N",Ň:"N",Ŋ:"N",ń:"n",ņ:"n",ň:"n",ŋ:"n",Ō:"O",Ŏ:"O",Ő:"O",ō:"o",ŏ:"o",ő:"o",Ŕ:"R",Ŗ:"R",Ř:"R",ŕ:"r",ŗ:"r",ř:"r",Ś:"S",Ŝ:"S",Ş:"S",Š:"S",ś:"s",ŝ:"s",ş:"s",š:"s",Ţ:"T",Ť:"T",Ŧ:"T",ţ:"t",ť:"t",ŧ:"t",Ũ:"U",Ū:"U",Ŭ:"U",Ů:"U",Ű:"U",Ų:"U",ũ:"u",ū:"u",ŭ:"u",ů:"u",ű:"u",ų:"u",Ŵ:"W",ŵ:"w",Ŷ:"Y",ŷ:"y",Ÿ:"Y",Ź:"Z",Ż:"Z",Ž:"Z",ź:"z",ż:"z",ž:"z",IJ:"IJ",ij:"ij",Œ:"Oe",œ:"oe",ʼn:"'n",ſ:"s"});e.exports=r},93243:(e,t,n)=>{var r=n(56110),o=function(){try{var e=r(Object,"defineProperty");return e({},"",{}),e}catch(e){}}();e.exports=o},25911:(e,t,n)=>{var r=n(38859),o=n(14248),i=n(19219);e.exports=function(e,t,n,a,l,s){var c=1&n,u=e.length,d=t.length;if(u!=d&&!(c&&d>u))return!1;var h=s.get(e),p=s.get(t);if(h&&p)return h==t&&p==e;var f=-1,m=!0,v=2&n?new r:void 0;for(s.set(e,t),s.set(t,e);++f<u;){var g=e[f],w=t[f];if(a)var y=c?a(w,g,f,t,e,s):a(g,w,f,e,t,s);if(void 0!==y){if(y)continue;m=!1;break}if(v){if(!o(t,(function(e,t){if(!i(v,t)&&(g===e||l(g,e,n,a,s)))return v.push(t)}))){m=!1;break}}else if(g!==w&&!l(g,w,n,a,s)){m=!1;break}}return s.delete(e),s.delete(t),m}},21986:(e,t,n)=>{var r=n(51873),o=n(37828),i=n(75288),a=n(25911),l=n(20317),s=n(84247),c=r?r.prototype:void 0,u=c?c.valueOf:void 0;e.exports=function(e,t,n,r,c,d,h){switch(n){case"[object DataView]":if(e.byteLength!=t.byteLength||e.byteOffset!=t.byteOffset)return!1;e=e.buffer,t=t.buffer;case"[object ArrayBuffer]":return!(e.byteLength!=t.byteLength||!d(new o(e),new o(t)));case"[object Boolean]":case"[object Date]":case"[object Number]":return i(+e,+t);case"[object Error]":return e.name==t.name&&e.message==t.message;case"[object RegExp]":case"[object String]":return e==t+"";case"[object Map]":var p=l;case"[object Set]":var f=1&r;if(p||(p=s),e.size!=t.size&&!f)return!1;var m=h.get(e);if(m)return m==t;r|=2,h.set(e,t);var v=a(p(e),p(t),r,c,d,h);return h.delete(e),v;case"[object Symbol]":if(u)return u.call(e)==u.call(t)}return!1}},50689:(e,t,n)=>{var r=n(50002),o=Object.prototype.hasOwnProperty;e.exports=function(e,t,n,i,a,l){var s=1&n,c=r(e),u=c.length;if(u!=r(t).length&&!s)return!1;for(var d=u;d--;){var h=c[d];if(!(s?h in t:o.call(t,h)))return!1}var p=l.get(e),f=l.get(t);if(p&&f)return p==t&&f==e;var m=!0;l.set(e,t),l.set(t,e);for(var v=s;++d<u;){var g=e[h=c[d]],w=t[h];if(i)var y=s?i(w,g,h,t,e,l):i(g,w,h,e,t,l);if(!(void 0===y?g===w||a(g,w,n,i,l):y)){m=!1;break}v||(v="constructor"==h)}if(m&&!v){var b=e.constructor,x=t.constructor;b==x||!("constructor"in e)||!("constructor"in t)||"function"==typeof b&&b instanceof b&&"function"==typeof x&&x instanceof x||(m=!1)}return l.delete(e),l.delete(t),m}},38816:(e,t,n)=>{var r=n(35970),o=n(56757),i=n(32865);e.exports=function(e){return i(o(e,void 0,r),e+"")}},34840:(e,t,n)=>{var r="object"==typeof n.g&&n.g&&n.g.Object===Object&&n.g;e.exports=r},50002:(e,t,n)=>{var r=n(82199),o=n(4664),i=n(95950);e.exports=function(e){return r(e,i,o)}},83349:(e,t,n)=>{var r=n(82199),o=n(86375),i=n(37241);e.exports=function(e){return r(e,i,o)}},12651:(e,t,n)=>{var r=n(74218);e.exports=function(e,t){var n=e.__data__;return r(t)?n["string"==typeof t?"string":"hash"]:n.map}},10776:(e,t,n)=>{var r=n(30756),o=n(95950);e.exports=function(e){for(var t=o(e),n=t.length;n--;){var i=t[n],a=e[i];t[n]=[i,a,r(a)]}return t}},56110:(e,t,n)=>{var r=n(45083),o=n(10392);e.exports=function(e,t){var n=o(e,t);return r(n)?n:void 0}},28879:(e,t,n)=>{var r=n(74335)(Object.getPrototypeOf,Object);e.exports=r},659:(e,t,n)=>{var r=n(51873),o=Object.prototype,i=o.hasOwnProperty,a=o.toString,l=r?r.toStringTag:void 0;e.exports=function(e){var t=i.call(e,l),n=e[l];try{e[l]=void 0;var r=!0}catch(e){}var o=a.call(e);return r&&(t?e[l]=n:delete e[l]),o}},4664:(e,t,n)=>{var r=n(79770),o=n(63345),i=Object.prototype.propertyIsEnumerable,a=Object.getOwnPropertySymbols,l=a?function(e){return null==e?[]:(e=Object(e),r(a(e),(function(t){return i.call(e,t)})))}:o;e.exports=l},86375:(e,t,n)=>{var r=n(14528),o=n(28879),i=n(4664),a=n(63345),l=Object.getOwnPropertySymbols?function(e){for(var t=[];e;)r(t,i(e)),e=o(e);return t}:a;e.exports=l},5861:(e,t,n)=>{var r=n(55580),o=n(68223),i=n(32804),a=n(76545),l=n(28303),s=n(72552),c=n(47473),u="[object Map]",d="[object Promise]",h="[object Set]",p="[object WeakMap]",f="[object DataView]",m=c(r),v=c(o),g=c(i),w=c(a),y=c(l),b=s;(r&&b(new r(new ArrayBuffer(1)))!=f||o&&b(new o)!=u||i&&b(i.resolve())!=d||a&&b(new a)!=h||l&&b(new l)!=p)&&(b=function(e){var t=s(e),n="[object Object]"==t?e.constructor:void 0,r=n?c(n):"";if(r)switch(r){case m:return f;case v:return u;case g:return d;case w:return h;case y:return p}return t}),e.exports=b},10392:e=>{e.exports=function(e,t){return null==e?void 0:e[t]}},49326:(e,t,n)=>{var r=n(31769),o=n(72428),i=n(56449),a=n(30361),l=n(30294),s=n(77797);e.exports=function(e,t,n){for(var c=-1,u=(t=r(t,e)).length,d=!1;++c<u;){var h=s(t[c]);if(!(d=null!=e&&n(e,h)))break;e=e[h]}return d||++c!=u?d:!!(u=null==e?0:e.length)&&l(u)&&a(h,u)&&(i(e)||o(e))}},49698:e=>{var t=RegExp("[\\u200d\\ud800-\\udfff\\u0300-\\u036f\\ufe20-\\ufe2f\\u20d0-\\u20ff\\ufe0e\\ufe0f]");e.exports=function(e){return t.test(e)}},45434:e=>{var t=/[a-z][A-Z]|[A-Z]{2}[a-z]|[0-9][a-zA-Z]|[a-zA-Z][0-9]|[^a-zA-Z0-9 ]/;e.exports=function(e){return t.test(e)}},22032:(e,t,n)=>{var r=n(81042);e.exports=function(){this.__data__=r?r(null):{},this.size=0}},63862:e=>{e.exports=function(e){var t=this.has(e)&&delete this.__data__[e];return this.size-=t?1:0,t}},66721:(e,t,n)=>{var r=n(81042),o=Object.prototype.hasOwnProperty;e.exports=function(e){var t=this.__data__;if(r){var n=t[e];return"__lodash_hash_undefined__"===n?void 0:n}return o.call(t,e)?t[e]:void 0}},12749:(e,t,n)=>{var r=n(81042),o=Object.prototype.hasOwnProperty;e.exports=function(e){var t=this.__data__;return r?void 0!==t[e]:o.call(t,e)}},35749:(e,t,n)=>{var r=n(81042);e.exports=function(e,t){var n=this.__data__;return this.size+=this.has(e)?0:1,n[e]=r&&void 0===t?"__lodash_hash_undefined__":t,this}},76189:e=>{var t=Object.prototype.hasOwnProperty;e.exports=function(e){var n=e.length,r=new e.constructor(n);return n&&"string"==typeof e[0]&&t.call(e,"index")&&(r.index=e.index,r.input=e.input),r}},77199:(e,t,n)=>{var r=n(49653),o=n(76169),i=n(73201),a=n(93736),l=n(71961);e.exports=function(e,t,n){var s=e.constructor;switch(t){case"[object ArrayBuffer]":return r(e);case"[object Boolean]":case"[object Date]":return new s(+e);case"[object DataView]":return o(e,n);case"[object Float32Array]":case"[object Float64Array]":case"[object Int8Array]":case"[object Int16Array]":case"[object Int32Array]":case"[object Uint8Array]":case"[object Uint8ClampedArray]":case"[object Uint16Array]":case"[object Uint32Array]":return l(e,n);case"[object Map]":case"[object Set]":return new s;case"[object Number]":case"[object String]":return new s(e);case"[object RegExp]":return i(e);case"[object Symbol]":return a(e)}}},35529:(e,t,n)=>{var r=n(39344),o=n(28879),i=n(55527);e.exports=function(e){return"function"!=typeof e.constructor||i(e)?{}:r(o(e))}},45891:(e,t,n)=>{var r=n(51873),o=n(72428),i=n(56449),a=r?r.isConcatSpreadable:void 0;e.exports=function(e){return i(e)||o(e)||!!(a&&e&&e[a])}},30361:e=>{var t=/^(?:0|[1-9]\d*)$/;e.exports=function(e,n){var r=typeof e;return!!(n=null==n?9007199254740991:n)&&("number"==r||"symbol"!=r&&t.test(e))&&e>-1&&e%1==0&&e<n}},36800:(e,t,n)=>{var r=n(75288),o=n(64894),i=n(30361),a=n(23805);e.exports=function(e,t,n){if(!a(n))return!1;var l=typeof t;return!!("number"==l?o(n)&&i(t,n.length):"string"==l&&t in n)&&r(n[t],e)}},28586:(e,t,n)=>{var r=n(56449),o=n(44394),i=/\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,a=/^\w*$/;e.exports=function(e,t){if(r(e))return!1;var n=typeof e;return!("number"!=n&&"symbol"!=n&&"boolean"!=n&&null!=e&&!o(e))||(a.test(e)||!i.test(e)||null!=t&&e in Object(t))}},74218:e=>{e.exports=function(e){var t=typeof e;return"string"==t||"number"==t||"symbol"==t||"boolean"==t?"__proto__"!==e:null===e}},87296:(e,t,n)=>{var r,o=n(55481),i=(r=/[^.]+$/.exec(o&&o.keys&&o.keys.IE_PROTO||""))?"Symbol(src)_1."+r:"";e.exports=function(e){return!!i&&i in e}},55527:e=>{var t=Object.prototype;e.exports=function(e){var n=e&&e.constructor;return e===("function"==typeof n&&n.prototype||t)}},30756:(e,t,n)=>{var r=n(23805);e.exports=function(e){return e==e&&!r(e)}},63702:e=>{e.exports=function(){this.__data__=[],this.size=0}},70080:(e,t,n)=>{var r=n(26025),o=Array.prototype.splice;e.exports=function(e){var t=this.__data__,n=r(t,e);return!(n<0)&&(n==t.length-1?t.pop():o.call(t,n,1),--this.size,!0)}},24739:(e,t,n)=>{var r=n(26025);e.exports=function(e){var t=this.__data__,n=r(t,e);return n<0?void 0:t[n][1]}},48655:(e,t,n)=>{var r=n(26025);e.exports=function(e){return r(this.__data__,e)>-1}},31175:(e,t,n)=>{var r=n(26025);e.exports=function(e,t){var n=this.__data__,o=r(n,e);return o<0?(++this.size,n.push([e,t])):n[o][1]=t,this}},63040:(e,t,n)=>{var r=n(21549),o=n(80079),i=n(68223);e.exports=function(){this.size=0,this.__data__={hash:new r,map:new(i||o),string:new r}}},17670:(e,t,n)=>{var r=n(12651);e.exports=function(e){var t=r(this,e).delete(e);return this.size-=t?1:0,t}},90289:(e,t,n)=>{var r=n(12651);e.exports=function(e){return r(this,e).get(e)}},4509:(e,t,n)=>{var r=n(12651);e.exports=function(e){return r(this,e).has(e)}},72949:(e,t,n)=>{var r=n(12651);e.exports=function(e,t){var n=r(this,e),o=n.size;return n.set(e,t),this.size+=n.size==o?0:1,this}},20317:e=>{e.exports=function(e){var t=-1,n=Array(e.size);return e.forEach((function(e,r){n[++t]=[r,e]})),n}},67197:e=>{e.exports=function(e,t){return function(n){return null!=n&&(n[e]===t&&(void 0!==t||e in Object(n)))}}},62224:(e,t,n)=>{var r=n(50104);e.exports=function(e){var t=r(e,(function(e){return 500===n.size&&n.clear(),e})),n=t.cache;return t}},81042:(e,t,n)=>{var r=n(56110)(Object,"create");e.exports=r},3650:(e,t,n)=>{var r=n(74335)(Object.keys,Object);e.exports=r},90181:e=>{e.exports=function(e){var t=[];if(null!=e)for(var n in Object(e))t.push(n);return t}},86009:(e,t,n)=>{e=n.nmd(e);var r=n(34840),o=t&&!t.nodeType&&t,i=o&&e&&!e.nodeType&&e,a=i&&i.exports===o&&r.process,l=function(){try{var e=i&&i.require&&i.require("util").types;return e||a&&a.binding&&a.binding("util")}catch(e){}}();e.exports=l},59350:e=>{var t=Object.prototype.toString;e.exports=function(e){return t.call(e)}},74335:e=>{e.exports=function(e,t){return function(n){return e(t(n))}}},56757:(e,t,n)=>{var r=n(91033),o=Math.max;e.exports=function(e,t,n){return t=o(void 0===t?e.length-1:t,0),function(){for(var i=arguments,a=-1,l=o(i.length-t,0),s=Array(l);++a<l;)s[a]=i[t+a];a=-1;for(var c=Array(t+1);++a<t;)c[a]=i[a];return c[t]=n(s),r(e,this,c)}}},68969:(e,t,n)=>{var r=n(47422),o=n(25160);e.exports=function(e,t){return t.length<2?e:r(e,o(t,0,-1))}},9325:(e,t,n)=>{var r=n(34840),o="object"==typeof self&&self&&self.Object===Object&&self,i=r||o||Function("return this")();e.exports=i},14974:e=>{e.exports=function(e,t){if(("constructor"!==t||"function"!=typeof e[t])&&"__proto__"!=t)return e[t]}},31380:e=>{e.exports=function(e){return this.__data__.set(e,"__lodash_hash_undefined__"),this}},51459:e=>{e.exports=function(e){return this.__data__.has(e)}},84247:e=>{e.exports=function(e){var t=-1,n=Array(e.size);return e.forEach((function(e){n[++t]=e})),n}},32865:(e,t,n)=>{var r=n(19570),o=n(51811)(r);e.exports=o},51811:e=>{var t=Date.now;e.exports=function(e){var n=0,r=0;return function(){var o=t(),i=16-(o-r);if(r=o,i>0){if(++n>=800)return arguments[0]}else n=0;return e.apply(void 0,arguments)}}},51420:(e,t,n)=>{var r=n(80079);e.exports=function(){this.__data__=new r,this.size=0}},90938:e=>{e.exports=function(e){var t=this.__data__,n=t.delete(e);return this.size=t.size,n}},63605:e=>{e.exports=function(e){return this.__data__.get(e)}},29817:e=>{e.exports=function(e){return this.__data__.has(e)}},80945:(e,t,n)=>{var r=n(80079),o=n(68223),i=n(53661);e.exports=function(e,t){var n=this.__data__;if(n instanceof r){var a=n.__data__;if(!o||a.length<199)return a.push([e,t]),this.size=++n.size,this;n=this.__data__=new i(a)}return n.set(e,t),this.size=n.size,this}},76959:e=>{e.exports=function(e,t,n){for(var r=n-1,o=e.length;++r<o;)if(e[r]===t)return r;return-1}},63912:(e,t,n)=>{var r=n(61074),o=n(49698),i=n(42054);e.exports=function(e){return o(e)?i(e):r(e)}},61802:(e,t,n)=>{var r=n(62224),o=/[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g,i=/\\(\\)?/g,a=r((function(e){var t=[];return 46===e.charCodeAt(0)&&t.push(""),e.replace(o,(function(e,n,r,o){t.push(r?o.replace(i,"$1"):n||e)})),t}));e.exports=a},77797:(e,t,n)=>{var r=n(44394);e.exports=function(e){if("string"==typeof e||r(e))return e;var t=e+"";return"0"==t&&1/e==-1/0?"-0":t}},47473:e=>{var t=Function.prototype.toString;e.exports=function(e){if(null!=e){try{return t.call(e)}catch(e){}try{return e+""}catch(e){}}return""}},31800:e=>{var t=/\s/;e.exports=function(e){for(var n=e.length;n--&&t.test(e.charAt(n)););return n}},42054:e=>{var t="\\ud800-\\udfff",n="["+t+"]",r="[\\u0300-\\u036f\\ufe20-\\ufe2f\\u20d0-\\u20ff]",o="\\ud83c[\\udffb-\\udfff]",i="[^"+t+"]",a="(?:\\ud83c[\\udde6-\\uddff]){2}",l="[\\ud800-\\udbff][\\udc00-\\udfff]",s="(?:"+r+"|"+o+")"+"?",c="[\\ufe0e\\ufe0f]?",u=c+s+("(?:\\u200d(?:"+[i,a,l].join("|")+")"+c+s+")*"),d="(?:"+[i+r+"?",r,a,l,n].join("|")+")",h=RegExp(o+"(?="+o+")|"+d+u,"g");e.exports=function(e){return e.match(h)||[]}},22225:e=>{var t="\\ud800-\\udfff",n="\\u2700-\\u27bf",r="a-z\\xdf-\\xf6\\xf8-\\xff",o="A-Z\\xc0-\\xd6\\xd8-\\xde",i="\\xac\\xb1\\xd7\\xf7\\x00-\\x2f\\x3a-\\x40\\x5b-\\x60\\x7b-\\xbf\\u2000-\\u206f \\t\\x0b\\f\\xa0\\ufeff\\n\\r\\u2028\\u2029\\u1680\\u180e\\u2000\\u2001\\u2002\\u2003\\u2004\\u2005\\u2006\\u2007\\u2008\\u2009\\u200a\\u202f\\u205f\\u3000",a="["+i+"]",l="\\d+",s="["+n+"]",c="["+r+"]",u="[^"+t+i+l+n+r+o+"]",d="(?:\\ud83c[\\udde6-\\uddff]){2}",h="[\\ud800-\\udbff][\\udc00-\\udfff]",p="["+o+"]",f="(?:"+c+"|"+u+")",m="(?:"+p+"|"+u+")",v="(?:['’](?:d|ll|m|re|s|t|ve))?",g="(?:['’](?:D|LL|M|RE|S|T|VE))?",w="(?:[\\u0300-\\u036f\\ufe20-\\ufe2f\\u20d0-\\u20ff]|\\ud83c[\\udffb-\\udfff])?",y="[\\ufe0e\\ufe0f]?",b=y+w+("(?:\\u200d(?:"+["[^"+t+"]",d,h].join("|")+")"+y+w+")*"),x="(?:"+[s,d,h].join("|")+")"+b,k=RegExp([p+"?"+c+"+"+v+"(?="+[a,p,"$"].join("|")+")",m+"+"+g+"(?="+[a,p+f,"$"].join("|")+")",p+"?"+f+"+"+v,p+"+"+g,"\\d*(?:1ST|2ND|3RD|(?![123])\\dTH)(?=\\b|[a-z_])","\\d*(?:1st|2nd|3rd|(?![123])\\dth)(?=\\b|[A-Z_])",l,x].join("|"),"g");e.exports=function(e){return e.match(k)||[]}},12177:(e,t,n)=>{var r=n(61489);e.exports=function(e,t){var n;if("function"!=typeof t)throw new TypeError("Expected a function");return e=r(e),function(){return--e>0&&(n=t.apply(this,arguments)),e<=1&&(t=void 0),n}}},84058:(e,t,n)=>{var r=n(14792),o=n(45539)((function(e,t,n){return t=t.toLowerCase(),e+(n?r(t):t)}));e.exports=o},14792:(e,t,n)=>{var r=n(13222),o=n(55808);e.exports=function(e){return o(r(e).toLowerCase())}},88055:(e,t,n)=>{var r=n(9999);e.exports=function(e){return r(e,5)}},37334:e=>{e.exports=function(e){return function(){return e}}},38221:(e,t,n)=>{var r=n(23805),o=n(10124),i=n(99374),a=Math.max,l=Math.min;e.exports=function(e,t,n){var s,c,u,d,h,p,f=0,m=!1,v=!1,g=!0;if("function"!=typeof e)throw new TypeError("Expected a function");function w(t){var n=s,r=c;return s=c=void 0,f=t,d=e.apply(r,n)}function y(e){var n=e-p;return void 0===p||n>=t||n<0||v&&e-f>=u}function b(){var e=o();if(y(e))return x(e);h=setTimeout(b,function(e){var n=t-(e-p);return v?l(n,u-(e-f)):n}(e))}function x(e){return h=void 0,g&&s?w(e):(s=c=void 0,d)}function k(){var e=o(),n=y(e);if(s=arguments,c=this,p=e,n){if(void 0===h)return function(e){return f=e,h=setTimeout(b,t),m?w(e):d}(p);if(v)return clearTimeout(h),h=setTimeout(b,t),w(p)}return void 0===h&&(h=setTimeout(b,t)),d}return t=i(t)||0,r(n)&&(m=!!n.leading,u=(v="maxWait"in n)?a(i(n.maxWait)||0,t):u,g="trailing"in n?!!n.trailing:g),k.cancel=function(){void 0!==h&&clearTimeout(h),f=0,s=p=c=h=void 0},k.flush=function(){return void 0===h?d:x(o())},k}},50828:(e,t,n)=>{var r=n(24647),o=n(13222),i=/[\xc0-\xd6\xd8-\xf6\xf8-\xff\u0100-\u017f]/g,a=RegExp("[\\u0300-\\u036f\\ufe20-\\ufe2f\\u20d0-\\u20ff]","g");e.exports=function(e){return(e=o(e))&&e.replace(i,r).replace(a,"")}},76135:(e,t,n)=>{e.exports=n(39754)},75288:e=>{e.exports=function(e,t){return e===t||e!=e&&t!=t}},87612:(e,t,n)=>{var r=n(79770),o=n(16574),i=n(15389),a=n(56449);e.exports=function(e,t){return(a(e)?r:o)(e,i(t,3))}},7309:(e,t,n)=>{var r=n(62006)(n(24713));e.exports=r},24713:(e,t,n)=>{var r=n(2523),o=n(15389),i=n(61489),a=Math.max;e.exports=function(e,t,n){var l=null==e?0:e.length;if(!l)return-1;var s=null==n?0:i(n);return s<0&&(s=a(l+s,0)),r(e,o(t,3),s)}},56170:(e,t,n)=>{e.exports=n(912)},35970:(e,t,n)=>{var r=n(83120);e.exports=function(e){return(null==e?0:e.length)?r(e,1):[]}},39754:(e,t,n)=>{var r=n(83729),o=n(80909),i=n(24066),a=n(56449);e.exports=function(e,t){return(a(e)?r:o)(e,i(t))}},52420:(e,t,n)=>{var r=n(86649),o=n(24066),i=n(37241);e.exports=function(e,t){return null==e?e:r(e,o(t),i)}},44377:e=>{e.exports=function(e){for(var t=-1,n=null==e?0:e.length,r={};++t<n;){var o=e[t];r[o[0]]=o[1]}return r}},58156:(e,t,n)=>{var r=n(47422);e.exports=function(e,t,n){var o=null==e?void 0:r(e,t);return void 0===o?n:o}},94394:(e,t,n)=>{var r=n(43360),o=n(42e3),i=Object.prototype.hasOwnProperty,a=o((function(e,t,n){i.call(e,n)?e[n].push(t):r(e,n,[t])}));e.exports=a},80631:(e,t,n)=>{var r=n(28077),o=n(49326);e.exports=function(e,t){return null!=e&&o(e,t,r)}},912:e=>{e.exports=function(e){return e&&e.length?e[0]:void 0}},83488:e=>{e.exports=function(e){return e}},79859:(e,t,n)=>{var r=n(96131),o=n(64894),i=n(85015),a=n(61489),l=n(35880),s=Math.max;e.exports=function(e,t,n,c){e=o(e)?e:l(e),n=n&&!c?a(n):0;var u=e.length;return n<0&&(n=s(u+n,0)),i(e)?n<=u&&e.indexOf(t,n)>-1:!!u&&r(e,t,n)>-1}},72428:(e,t,n)=>{var r=n(27534),o=n(40346),i=Object.prototype,a=i.hasOwnProperty,l=i.propertyIsEnumerable,s=r(function(){return arguments}())?r:function(e){return o(e)&&a.call(e,"callee")&&!l.call(e,"callee")};e.exports=s},56449:e=>{var t=Array.isArray;e.exports=t},64894:(e,t,n)=>{var r=n(1882),o=n(30294);e.exports=function(e){return null!=e&&o(e.length)&&!r(e)}},83693:(e,t,n)=>{var r=n(64894),o=n(40346);e.exports=function(e){return o(e)&&r(e)}},3656:(e,t,n)=>{e=n.nmd(e);var r=n(9325),o=n(89935),i=t&&!t.nodeType&&t,a=i&&e&&!e.nodeType&&e,l=a&&a.exports===i?r.Buffer:void 0,s=(l?l.isBuffer:void 0)||o;e.exports=s},62193:(e,t,n)=>{var r=n(88984),o=n(5861),i=n(72428),a=n(56449),l=n(64894),s=n(3656),c=n(55527),u=n(37167),d=Object.prototype.hasOwnProperty;e.exports=function(e){if(null==e)return!0;if(l(e)&&(a(e)||"string"==typeof e||"function"==typeof e.splice||s(e)||u(e)||i(e)))return!e.length;var t=o(e);if("[object Map]"==t||"[object Set]"==t)return!e.size;if(c(e))return!r(e).length;for(var n in e)if(d.call(e,n))return!1;return!0}},1882:(e,t,n)=>{var r=n(72552),o=n(23805);e.exports=function(e){if(!o(e))return!1;var t=r(e);return"[object Function]"==t||"[object GeneratorFunction]"==t||"[object AsyncFunction]"==t||"[object Proxy]"==t}},30294:e=>{e.exports=function(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=9007199254740991}},87730:(e,t,n)=>{var r=n(29172),o=n(27301),i=n(86009),a=i&&i.isMap,l=a?o(a):r;e.exports=l},5187:e=>{e.exports=function(e){return null===e}},23805:e=>{e.exports=function(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}},40346:e=>{e.exports=function(e){return null!=e&&"object"==typeof e}},11331:(e,t,n)=>{var r=n(72552),o=n(28879),i=n(40346),a=Function.prototype,l=Object.prototype,s=a.toString,c=l.hasOwnProperty,u=s.call(Object);e.exports=function(e){if(!i(e)||"[object Object]"!=r(e))return!1;var t=o(e);if(null===t)return!0;var n=c.call(t,"constructor")&&t.constructor;return"function"==typeof n&&n instanceof n&&s.call(n)==u}},38440:(e,t,n)=>{var r=n(16038),o=n(27301),i=n(86009),a=i&&i.isSet,l=a?o(a):r;e.exports=l},85015:(e,t,n)=>{var r=n(72552),o=n(56449),i=n(40346);e.exports=function(e){return"string"==typeof e||!o(e)&&i(e)&&"[object String]"==r(e)}},44394:(e,t,n)=>{var r=n(72552),o=n(40346);e.exports=function(e){return"symbol"==typeof e||o(e)&&"[object Symbol]"==r(e)}},37167:(e,t,n)=>{var r=n(4901),o=n(27301),i=n(86009),a=i&&i.isTypedArray,l=a?o(a):r;e.exports=l},95950:(e,t,n)=>{var r=n(70695),o=n(88984),i=n(64894);e.exports=function(e){return i(e)?r(e):o(e)}},37241:(e,t,n)=>{var r=n(70695),o=n(72903),i=n(64894);e.exports=function(e){return i(e)?r(e,!0):o(e)}},68090:e=>{e.exports=function(e){var t=null==e?0:e.length;return t?e[t-1]:void 0}},55378:(e,t,n)=>{var r=n(34932),o=n(15389),i=n(5128),a=n(56449);e.exports=function(e,t){return(a(e)?r:i)(e,o(t,3))}},50104:(e,t,n)=>{var r=n(53661);function o(e,t){if("function"!=typeof e||null!=t&&"function"!=typeof t)throw new TypeError("Expected a function");var n=function(){var r=arguments,o=t?t.apply(this,r):r[0],i=n.cache;if(i.has(o))return i.get(o);var a=e.apply(this,r);return n.cache=i.set(o,a)||i,a};return n.cache=new(o.Cache||r),n}o.Cache=r,e.exports=o},55364:(e,t,n)=>{var r=n(85250),o=n(20999)((function(e,t,n){r(e,t,n)}));e.exports=o},6048:e=>{e.exports=function(e){if("function"!=typeof e)throw new TypeError("Expected a function");return function(){var t=arguments;switch(t.length){case 0:return!e.call(this);case 1:return!e.call(this,t[0]);case 2:return!e.call(this,t[0],t[1]);case 3:return!e.call(this,t[0],t[1],t[2])}return!e.apply(this,t)}}},63950:e=>{e.exports=function(){}},10124:(e,t,n)=>{var r=n(9325);e.exports=function(){return r.Date.now()}},90179:(e,t,n)=>{var r=n(34932),o=n(9999),i=n(19931),a=n(31769),l=n(21791),s=n(53138),c=n(38816),u=n(83349),d=c((function(e,t){var n={};if(null==e)return n;var c=!1;t=r(t,(function(t){return t=a(t,e),c||(c=t.length>1),t})),l(e,u(e),n),c&&(n=o(n,7,s));for(var d=t.length;d--;)i(n,t[d]);return n}));e.exports=d},42194:(e,t,n)=>{var r=n(15389),o=n(6048),i=n(71086);e.exports=function(e,t){return i(e,o(r(t)))}},58059:(e,t,n)=>{var r=n(12177);e.exports=function(e){return r(2,e)}},42877:(e,t,n)=>{var r=n(46155),o=n(56449);e.exports=function(e,t,n,i){return null==e?[]:(o(t)||(t=null==t?[]:[t]),o(n=i?void 0:n)||(n=null==n?[]:[n]),r(e,t,n))}},44383:(e,t,n)=>{var r=n(76001),o=n(38816)((function(e,t){return null==e?{}:r(e,t)}));e.exports=o},71086:(e,t,n)=>{var r=n(34932),o=n(15389),i=n(97420),a=n(83349);e.exports=function(e,t){if(null==e)return{};var n=r(a(e),(function(e){return[e]}));return t=o(t),i(e,n,(function(e,n){return t(e,n[0])}))}},50583:(e,t,n)=>{var r=n(47237),o=n(17255),i=n(28586),a=n(77797);e.exports=function(e){return i(e)?r(a(e)):o(e)}},40860:(e,t,n)=>{var r=n(40882),o=n(80909),i=n(15389),a=n(85558),l=n(56449);e.exports=function(e,t,n){var s=l(e)?r:a,c=arguments.length<3;return s(e,i(t,4),n,c,o)}},48081:(e,t,n)=>{var r=n(79770),o=n(16574),i=n(15389),a=n(56449),l=n(6048);e.exports=function(e,t){return(a(e)?r:o)(e,l(i(t,3)))}},90128:(e,t,n)=>{var r=n(45539),o=n(55808),i=r((function(e,t,n){return e+(n?" ":"")+o(t)}));e.exports=i},63345:e=>{e.exports=function(){return[]}},89935:e=>{e.exports=function(){return!1}},31126:(e,t,n)=>{var r=n(15389),o=n(17721);e.exports=function(e,t){return e&&e.length?o(e,r(t,2)):0}},15101:e=>{e.exports=function(e,t){return t(e),e}},17400:(e,t,n)=>{var r=n(99374),o=1/0;e.exports=function(e){return e?(e=r(e))===o||e===-1/0?17976931348623157e292*(e<0?-1:1):e==e?e:0:0===e?e:0}},61489:(e,t,n)=>{var r=n(17400);e.exports=function(e){var t=r(e),n=t%1;return t==t?n?t-n:t:0}},99374:(e,t,n)=>{var r=n(54128),o=n(23805),i=n(44394),a=/^[-+]0x[0-9a-f]+$/i,l=/^0b[01]+$/i,s=/^0o[0-7]+$/i,c=parseInt;e.exports=function(e){if("number"==typeof e)return e;if(i(e))return NaN;if(o(e)){var t="function"==typeof e.valueOf?e.valueOf():e;e=o(t)?t+"":t}if("string"!=typeof e)return 0===e?e:+e;e=r(e);var n=l.test(e);return n||s.test(e)?c(e.slice(2),n?2:8):a.test(e)?NaN:+e}},69884:(e,t,n)=>{var r=n(21791),o=n(37241);e.exports=function(e){return r(e,o(e))}},13222:(e,t,n)=>{var r=n(77556);e.exports=function(e){return null==e?"":r(e)}},44826:(e,t,n)=>{var r=n(77556),o=n(54128),i=n(28754),a=n(23875),l=n(28380),s=n(63912),c=n(13222);e.exports=function(e,t,n){if((e=c(e))&&(n||void 0===t))return o(e);if(!e||!(t=r(t)))return e;var u=s(e),d=s(t),h=l(u,d),p=a(u,d)+1;return i(u,h,p).join("")}},50014:(e,t,n)=>{var r=n(15389),o=n(55765);e.exports=function(e,t){return e&&e.length?o(e,r(t,2)):[]}},55808:(e,t,n)=>{var r=n(12507)("toUpperCase");e.exports=r},35880:(e,t,n)=>{var r=n(30514),o=n(95950);e.exports=function(e){return null==e?[]:r(e,o(e))}},66645:(e,t,n)=>{var r=n(1733),o=n(45434),i=n(13222),a=n(22225);e.exports=function(e,t,n){return e=i(e),void 0===(t=n?void 0:t)?o(e)?a(e):r(e):e.match(t)||[]}},91272:(e,t)=>{"use strict";function n(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}function r(e,t,r){return t&&n(e.prototype,t),r&&n(e,r),e}function o(e,t){e.prototype=Object.create(t.prototype),e.prototype.constructor=e,e.__proto__=t}function i(e){return i=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)},i(e)}function a(e,t){return a=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e},a(e,t)}function l(e,t,n){return l=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Date.prototype.toString.call(Reflect.construct(Date,[],(function(){}))),!0}catch(e){return!1}}()?Reflect.construct:function(e,t,n){var r=[null];r.push.apply(r,t);var o=new(Function.bind.apply(e,r));return n&&a(o,n.prototype),o},l.apply(null,arguments)}function s(e){var t="function"==typeof Map?new Map:void 0;return s=function(e){if(null===e||(n=e,-1===Function.toString.call(n).indexOf("[native code]")))return e;var n;if("function"!=typeof e)throw new TypeError("Super expression must either be null or a function");if(void 0!==t){if(t.has(e))return t.get(e);t.set(e,r)}function r(){return l(e,arguments,i(this).constructor)}return r.prototype=Object.create(e.prototype,{constructor:{value:r,enumerable:!1,writable:!0,configurable:!0}}),a(r,e)},s(e)}function c(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=new Array(t);n<t;n++)r[n]=e[n];return r}function u(e){var t=0;if("undefined"==typeof Symbol||null==e[Symbol.iterator]){if(Array.isArray(e)||(e=function(e,t){if(e){if("string"==typeof e)return c(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(n):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?c(e,t):void 0}}(e)))return function(){return t>=e.length?{done:!0}:{done:!1,value:e[t++]}};throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}return(t=e[Symbol.iterator]()).next.bind(t)}var d=function(e){function t(){return e.apply(this,arguments)||this}return o(t,e),t}(s(Error)),h=function(e){function t(t){return e.call(this,"Invalid DateTime: "+t.toMessage())||this}return o(t,e),t}(d),p=function(e){function t(t){return e.call(this,"Invalid Interval: "+t.toMessage())||this}return o(t,e),t}(d),f=function(e){function t(t){return e.call(this,"Invalid Duration: "+t.toMessage())||this}return o(t,e),t}(d),m=function(e){function t(){return e.apply(this,arguments)||this}return o(t,e),t}(d),v=function(e){function t(t){return e.call(this,"Invalid unit "+t)||this}return o(t,e),t}(d),g=function(e){function t(){return e.apply(this,arguments)||this}return o(t,e),t}(d),w=function(e){function t(){return e.call(this,"Zone is an abstract class")||this}return o(t,e),t}(d),y="numeric",b="short",x="long",k={year:y,month:y,day:y},E={year:y,month:b,day:y},A={year:y,month:b,day:y,weekday:b},C={year:y,month:x,day:y},B={year:y,month:x,day:y,weekday:x},M={hour:y,minute:y},_={hour:y,minute:y,second:y},S={hour:y,minute:y,second:y,timeZoneName:b},N={hour:y,minute:y,second:y,timeZoneName:x},V={hour:y,minute:y,hour12:!1},L={hour:y,minute:y,second:y,hour12:!1},T={hour:y,minute:y,second:y,hour12:!1,timeZoneName:b},I={hour:y,minute:y,second:y,hour12:!1,timeZoneName:x},Z={year:y,month:y,day:y,hour:y,minute:y},O={year:y,month:y,day:y,hour:y,minute:y,second:y},D={year:y,month:b,day:y,hour:y,minute:y},R={year:y,month:b,day:y,hour:y,minute:y,second:y},H={year:y,month:b,day:y,weekday:b,hour:y,minute:y},P={year:y,month:x,day:y,hour:y,minute:y,timeZoneName:b},j={year:y,month:x,day:y,hour:y,minute:y,second:y,timeZoneName:b},F={year:y,month:x,day:y,weekday:x,hour:y,minute:y,timeZoneName:x},z={year:y,month:x,day:y,weekday:x,hour:y,minute:y,second:y,timeZoneName:x};function q(e){return void 0===e}function U(e){return"number"==typeof e}function $(e){return"number"==typeof e&&e%1==0}function W(){try{return"undefined"!=typeof Intl&&Intl.DateTimeFormat}catch(e){return!1}}function G(){return!q(Intl.DateTimeFormat.prototype.formatToParts)}function K(){try{return"undefined"!=typeof Intl&&!!Intl.RelativeTimeFormat}catch(e){return!1}}function Y(e,t,n){if(0!==e.length)return e.reduce((function(e,r){var o=[t(r),r];return e&&n(e[0],o[0])===e[0]?e:o}),null)[1]}function X(e,t){return t.reduce((function(t,n){return t[n]=e[n],t}),{})}function J(e,t){return Object.prototype.hasOwnProperty.call(e,t)}function Q(e,t,n){return $(e)&&e>=t&&e<=n}function ee(e,t){void 0===t&&(t=2);var n=e<0?"-":"",r=n?-1*e:e;return""+n+(r.toString().length<t?("0".repeat(t)+r).slice(-t):r.toString())}function te(e){return q(e)||null===e||""===e?void 0:parseInt(e,10)}function ne(e){if(!q(e)&&null!==e&&""!==e){var t=1e3*parseFloat("0."+e);return Math.floor(t)}}function re(e,t,n){void 0===n&&(n=!1);var r=Math.pow(10,t);return(n?Math.trunc:Math.round)(e*r)/r}function oe(e){return e%4==0&&(e%100!=0||e%400==0)}function ie(e){return oe(e)?366:365}function ae(e,t){var n=function(e,t){return e-t*Math.floor(e/t)}(t-1,12)+1;return 2===n?oe(e+(t-n)/12)?29:28:[31,null,31,30,31,30,31,31,30,31,30,31][n-1]}function le(e){var t=Date.UTC(e.year,e.month-1,e.day,e.hour,e.minute,e.second,e.millisecond);return e.year<100&&e.year>=0&&(t=new Date(t)).setUTCFullYear(t.getUTCFullYear()-1900),+t}function se(e){var t=(e+Math.floor(e/4)-Math.floor(e/100)+Math.floor(e/400))%7,n=e-1,r=(n+Math.floor(n/4)-Math.floor(n/100)+Math.floor(n/400))%7;return 4===t||3===r?53:52}function ce(e){return e>99?e:e>60?1900+e:2e3+e}function ue(e,t,n,r){void 0===r&&(r=null);var o=new Date(e),i={hour12:!1,year:"numeric",month:"2-digit",day:"2-digit",hour:"2-digit",minute:"2-digit"};r&&(i.timeZone=r);var a=Object.assign({timeZoneName:t},i),l=W();if(l&&G()){var s=new Intl.DateTimeFormat(n,a).formatToParts(o).find((function(e){return"timezonename"===e.type.toLowerCase()}));return s?s.value:null}if(l){var c=new Intl.DateTimeFormat(n,i).format(o);return new Intl.DateTimeFormat(n,a).format(o).substring(c.length).replace(/^[, \u200e]+/,"")}return null}function de(e,t){var n=parseInt(e,10);Number.isNaN(n)&&(n=0);var r=parseInt(t,10)||0;return 60*n+(n<0||Object.is(n,-0)?-r:r)}function he(e){var t=Number(e);if("boolean"==typeof e||""===e||Number.isNaN(t))throw new g("Invalid unit value "+e);return t}function pe(e,t,n){var r={};for(var o in e)if(J(e,o)){if(n.indexOf(o)>=0)continue;var i=e[o];if(null==i)continue;r[t(o)]=he(i)}return r}function fe(e,t){var n=Math.trunc(Math.abs(e/60)),r=Math.trunc(Math.abs(e%60)),o=e>=0?"+":"-";switch(t){case"short":return""+o+ee(n,2)+":"+ee(r,2);case"narrow":return""+o+n+(r>0?":"+r:"");case"techie":return""+o+ee(n,2)+ee(r,2);default:throw new RangeError("Value format "+t+" is out of range for property format")}}function me(e){return X(e,["hour","minute","second","millisecond"])}var ve=/[A-Za-z_+-]{1,256}(:?\/[A-Za-z_+-]{1,256}(\/[A-Za-z_+-]{1,256})?)?/;function ge(e){return JSON.stringify(e,Object.keys(e).sort())}var we=["January","February","March","April","May","June","July","August","September","October","November","December"],ye=["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],be=["J","F","M","A","M","J","J","A","S","O","N","D"];function xe(e){switch(e){case"narrow":return[].concat(be);case"short":return[].concat(ye);case"long":return[].concat(we);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 ke=["Monday","Tuesday","Wednesday","Thursday","Friday","Saturday","Sunday"],Ee=["Mon","Tue","Wed","Thu","Fri","Sat","Sun"],Ae=["M","T","W","T","F","S","S"];function Ce(e){switch(e){case"narrow":return[].concat(Ae);case"short":return[].concat(Ee);case"long":return[].concat(ke);case"numeric":return["1","2","3","4","5","6","7"];default:return null}}var Be=["AM","PM"],Me=["Before Christ","Anno Domini"],_e=["BC","AD"],Se=["B","A"];function Ne(e){switch(e){case"narrow":return[].concat(Se);case"short":return[].concat(_e);case"long":return[].concat(Me);default:return null}}function Ve(e,t){for(var n,r="",o=u(e);!(n=o()).done;){var i=n.value;i.literal?r+=i.val:r+=t(i.val)}return r}var Le={D:k,DD:E,DDD:C,DDDD:B,t:M,tt:_,ttt:S,tttt:N,T:V,TT:L,TTT:T,TTTT:I,f:Z,ff:D,fff:P,ffff:F,F:O,FF:R,FFF:j,FFFF:z},Te=function(){function e(e,t){this.opts=t,this.loc=e,this.systemLoc=null}e.create=function(t,n){return void 0===n&&(n={}),new e(t,n)},e.parseFormat=function(e){for(var t=null,n="",r=!1,o=[],i=0;i<e.length;i++){var a=e.charAt(i);"'"===a?(n.length>0&&o.push({literal:r,val:n}),t=null,n="",r=!r):r||a===t?n+=a:(n.length>0&&o.push({literal:!1,val:n}),n=a,t=a)}return n.length>0&&o.push({literal:r,val:n}),o},e.macroTokenToFormatOpts=function(e){return Le[e]};var t=e.prototype;return t.formatWithSystemDefault=function(e,t){return null===this.systemLoc&&(this.systemLoc=this.loc.redefaultToSystem()),this.systemLoc.dtFormatter(e,Object.assign({},this.opts,t)).format()},t.formatDateTime=function(e,t){return void 0===t&&(t={}),this.loc.dtFormatter(e,Object.assign({},this.opts,t)).format()},t.formatDateTimeParts=function(e,t){return void 0===t&&(t={}),this.loc.dtFormatter(e,Object.assign({},this.opts,t)).formatToParts()},t.resolvedOptions=function(e,t){return void 0===t&&(t={}),this.loc.dtFormatter(e,Object.assign({},this.opts,t)).resolvedOptions()},t.num=function(e,t){if(void 0===t&&(t=0),this.opts.forceSimple)return ee(e,t);var n=Object.assign({},this.opts);return t>0&&(n.padTo=t),this.loc.numberFormatter(n).format(e)},t.formatDateTimeFromString=function(t,n){var r=this,o="en"===this.loc.listingMode(),i=this.loc.outputCalendar&&"gregory"!==this.loc.outputCalendar&&G(),a=function(e,n){return r.loc.extract(t,e,n)},l=function(e){return t.isOffsetFixed&&0===t.offset&&e.allowZ?"Z":t.isValid?t.zone.formatOffset(t.ts,e.format):""},s=function(){return o?function(e){return Be[e.hour<12?0:1]}(t):a({hour:"numeric",hour12:!0},"dayperiod")},c=function(e,n){return o?function(e,t){return xe(t)[e.month-1]}(t,e):a(n?{month:e}:{month:e,day:"numeric"},"month")},u=function(e,n){return o?function(e,t){return Ce(t)[e.weekday-1]}(t,e):a(n?{weekday:e}:{weekday:e,month:"long",day:"numeric"},"weekday")},d=function(e){return o?function(e,t){return Ne(t)[e.year<0?0:1]}(t,e):a({era:e},"era")};return Ve(e.parseFormat(n),(function(n){switch(n){case"S":return r.num(t.millisecond);case"u":case"SSS":return r.num(t.millisecond,3);case"s":return r.num(t.second);case"ss":return r.num(t.second,2);case"m":return r.num(t.minute);case"mm":return r.num(t.minute,2);case"h":return r.num(t.hour%12==0?12:t.hour%12);case"hh":return r.num(t.hour%12==0?12:t.hour%12,2);case"H":return r.num(t.hour);case"HH":return r.num(t.hour,2);case"Z":return l({format:"narrow",allowZ:r.opts.allowZ});case"ZZ":return l({format:"short",allowZ:r.opts.allowZ});case"ZZZ":return l({format:"techie",allowZ:r.opts.allowZ});case"ZZZZ":return t.zone.offsetName(t.ts,{format:"short",locale:r.loc.locale});case"ZZZZZ":return t.zone.offsetName(t.ts,{format:"long",locale:r.loc.locale});case"z":return t.zoneName;case"a":return s();case"d":return i?a({day:"numeric"},"day"):r.num(t.day);case"dd":return i?a({day:"2-digit"},"day"):r.num(t.day,2);case"c":case"E":return r.num(t.weekday);case"ccc":return u("short",!0);case"cccc":return u("long",!0);case"ccccc":return u("narrow",!0);case"EEE":return u("short",!1);case"EEEE":return u("long",!1);case"EEEEE":return u("narrow",!1);case"L":return i?a({month:"numeric",day:"numeric"},"month"):r.num(t.month);case"LL":return i?a({month:"2-digit",day:"numeric"},"month"):r.num(t.month,2);case"LLL":return c("short",!0);case"LLLL":return c("long",!0);case"LLLLL":return c("narrow",!0);case"M":return i?a({month:"numeric"},"month"):r.num(t.month);case"MM":return i?a({month:"2-digit"},"month"):r.num(t.month,2);case"MMM":return c("short",!1);case"MMMM":return c("long",!1);case"MMMMM":return c("narrow",!1);case"y":return i?a({year:"numeric"},"year"):r.num(t.year);case"yy":return i?a({year:"2-digit"},"year"):r.num(t.year.toString().slice(-2),2);case"yyyy":return i?a({year:"numeric"},"year"):r.num(t.year,4);case"yyyyyy":return i?a({year:"numeric"},"year"):r.num(t.year,6);case"G":return d("short");case"GG":return d("long");case"GGGGG":return d("narrow");case"kk":return r.num(t.weekYear.toString().slice(-2),2);case"kkkk":return r.num(t.weekYear,4);case"W":return r.num(t.weekNumber);case"WW":return r.num(t.weekNumber,2);case"o":return r.num(t.ordinal);case"ooo":return r.num(t.ordinal,3);case"q":return r.num(t.quarter);case"qq":return r.num(t.quarter,2);case"X":return r.num(Math.floor(t.ts/1e3));case"x":return r.num(t.ts);default:return function(n){var o=e.macroTokenToFormatOpts(n);return o?r.formatWithSystemDefault(t,o):n}(n)}}))},t.formatDurationFromString=function(t,n){var r,o=this,i=function(e){switch(e[0]){case"S":return"millisecond";case"s":return"second";case"m":return"minute";case"h":return"hour";case"d":return"day";case"M":return"month";case"y":return"year";default:return null}},a=e.parseFormat(n),l=a.reduce((function(e,t){var n=t.literal,r=t.val;return n?e:e.concat(r)}),[]),s=t.shiftTo.apply(t,l.map(i).filter((function(e){return e})));return Ve(a,(r=s,function(e){var t=i(e);return t?o.num(r.get(t),e.length):e}))},e}(),Ie=function(){function e(e,t){this.reason=e,this.explanation=t}return e.prototype.toMessage=function(){return this.explanation?this.reason+": "+this.explanation:this.reason},e}(),Ze=function(){function e(){}var t=e.prototype;return t.offsetName=function(e,t){throw new w},t.formatOffset=function(e,t){throw new w},t.offset=function(e){throw new w},t.equals=function(e){throw new w},r(e,[{key:"type",get:function(){throw new w}},{key:"name",get:function(){throw new w}},{key:"universal",get:function(){throw new w}},{key:"isValid",get:function(){throw new w}}]),e}(),Oe=null,De=function(e){function t(){return e.apply(this,arguments)||this}o(t,e);var n=t.prototype;return n.offsetName=function(e,t){return ue(e,t.format,t.locale)},n.formatOffset=function(e,t){return fe(this.offset(e),t)},n.offset=function(e){return-new Date(e).getTimezoneOffset()},n.equals=function(e){return"local"===e.type},r(t,[{key:"type",get:function(){return"local"}},{key:"name",get:function(){return W()?(new Intl.DateTimeFormat).resolvedOptions().timeZone:"local"}},{key:"universal",get:function(){return!1}},{key:"isValid",get:function(){return!0}}],[{key:"instance",get:function(){return null===Oe&&(Oe=new t),Oe}}]),t}(Ze),Re=RegExp("^"+ve.source+"$"),He={};var Pe={year:0,month:1,day:2,hour:3,minute:4,second:5};var je={},Fe=function(e){function t(n){var r;return(r=e.call(this)||this).zoneName=n,r.valid=t.isValidZone(n),r}o(t,e),t.create=function(e){return je[e]||(je[e]=new t(e)),je[e]},t.resetCache=function(){je={},He={}},t.isValidSpecifier=function(e){return!(!e||!e.match(Re))},t.isValidZone=function(e){try{return new Intl.DateTimeFormat("en-US",{timeZone:e}).format(),!0}catch(e){return!1}},t.parseGMTOffset=function(e){if(e){var t=e.match(/^Etc\/GMT(0|[+-]\d{1,2})$/i);if(t)return-60*parseInt(t[1])}return null};var n=t.prototype;return n.offsetName=function(e,t){return ue(e,t.format,t.locale,this.name)},n.formatOffset=function(e,t){return fe(this.offset(e),t)},n.offset=function(e){var t=new Date(e);if(isNaN(t))return NaN;var n,r=(n=this.name,He[n]||(He[n]=new Intl.DateTimeFormat("en-US",{hour12:!1,timeZone:n,year:"numeric",month:"2-digit",day:"2-digit",hour:"2-digit",minute:"2-digit",second:"2-digit"})),He[n]),o=r.formatToParts?function(e,t){for(var n=e.formatToParts(t),r=[],o=0;o<n.length;o++){var i=n[o],a=i.type,l=i.value,s=Pe[a];q(s)||(r[s]=parseInt(l,10))}return r}(r,t):function(e,t){var n=e.format(t).replace(/\u200E/g,""),r=/(\d+)\/(\d+)\/(\d+),? (\d+):(\d+):(\d+)/.exec(n),o=r[1],i=r[2];return[r[3],o,i,r[4],r[5],r[6]]}(r,t),i=o[0],a=o[1],l=o[2],s=o[3],c=+t,u=c%1e3;return(le({year:i,month:a,day:l,hour:24===s?0:s,minute:o[4],second:o[5],millisecond:0})-(c-=u>=0?u:1e3+u))/6e4},n.equals=function(e){return"iana"===e.type&&e.name===this.name},r(t,[{key:"type",get:function(){return"iana"}},{key:"name",get:function(){return this.zoneName}},{key:"universal",get:function(){return!1}},{key:"isValid",get:function(){return this.valid}}]),t}(Ze),ze=null,qe=function(e){function t(t){var n;return(n=e.call(this)||this).fixed=t,n}o(t,e),t.instance=function(e){return 0===e?t.utcInstance:new t(e)},t.parseSpecifier=function(e){if(e){var n=e.match(/^utc(?:([+-]\d{1,2})(?::(\d{2}))?)?$/i);if(n)return new t(de(n[1],n[2]))}return null},r(t,null,[{key:"utcInstance",get:function(){return null===ze&&(ze=new t(0)),ze}}]);var n=t.prototype;return n.offsetName=function(){return this.name},n.formatOffset=function(e,t){return fe(this.fixed,t)},n.offset=function(){return this.fixed},n.equals=function(e){return"fixed"===e.type&&e.fixed===this.fixed},r(t,[{key:"type",get:function(){return"fixed"}},{key:"name",get:function(){return 0===this.fixed?"UTC":"UTC"+fe(this.fixed,"narrow")}},{key:"universal",get:function(){return!0}},{key:"isValid",get:function(){return!0}}]),t}(Ze),Ue=function(e){function t(t){var n;return(n=e.call(this)||this).zoneName=t,n}o(t,e);var n=t.prototype;return n.offsetName=function(){return null},n.formatOffset=function(){return""},n.offset=function(){return NaN},n.equals=function(){return!1},r(t,[{key:"type",get:function(){return"invalid"}},{key:"name",get:function(){return this.zoneName}},{key:"universal",get:function(){return!1}},{key:"isValid",get:function(){return!1}}]),t}(Ze);function $e(e,t){var n;if(q(e)||null===e)return t;if(e instanceof Ze)return e;if("string"==typeof e){var r=e.toLowerCase();return"local"===r?t:"utc"===r||"gmt"===r?qe.utcInstance:null!=(n=Fe.parseGMTOffset(e))?qe.instance(n):Fe.isValidSpecifier(r)?Fe.create(e):qe.parseSpecifier(r)||new Ue(e)}return U(e)?qe.instance(e):"object"==typeof e&&e.offset&&"number"==typeof e.offset?e:new Ue(e)}var We=function(){return Date.now()},Ge=null,Ke=null,Ye=null,Xe=null,Je=!1,Qe=function(){function e(){}return e.resetCaches=function(){ut.resetCache(),Fe.resetCache()},r(e,null,[{key:"now",get:function(){return We},set:function(e){We=e}},{key:"defaultZoneName",get:function(){return e.defaultZone.name},set:function(e){Ge=e?$e(e):null}},{key:"defaultZone",get:function(){return Ge||De.instance}},{key:"defaultLocale",get:function(){return Ke},set:function(e){Ke=e}},{key:"defaultNumberingSystem",get:function(){return Ye},set:function(e){Ye=e}},{key:"defaultOutputCalendar",get:function(){return Xe},set:function(e){Xe=e}},{key:"throwOnInvalid",get:function(){return Je},set:function(e){Je=e}}]),e}(),et={};function tt(e,t){void 0===t&&(t={});var n=JSON.stringify([e,t]),r=et[n];return r||(r=new Intl.DateTimeFormat(e,t),et[n]=r),r}var nt={};var rt={};function ot(e,t){void 0===t&&(t={});var n=t,r=(n.base,function(e,t){if(null==e)return{};var n,r,o={},i=Object.keys(e);for(r=0;r<i.length;r++)n=i[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}(n,["base"])),o=JSON.stringify([e,r]),i=rt[o];return i||(i=new Intl.RelativeTimeFormat(e,t),rt[o]=i),i}var it=null;function at(e,t,n,r,o){var i=e.listingMode(n);return"error"===i?null:"en"===i?r(t):o(t)}var lt=function(){function e(e,t,n){if(this.padTo=n.padTo||0,this.floor=n.floor||!1,!t&&W()){var r={useGrouping:!1};n.padTo>0&&(r.minimumIntegerDigits=n.padTo),this.inf=function(e,t){void 0===t&&(t={});var n=JSON.stringify([e,t]),r=nt[n];return r||(r=new Intl.NumberFormat(e,t),nt[n]=r),r}(e,r)}}return e.prototype.format=function(e){if(this.inf){var t=this.floor?Math.floor(e):e;return this.inf.format(t)}return ee(this.floor?Math.floor(e):re(e,3),this.padTo)},e}(),st=function(){function e(e,t,n){var r;if(this.opts=n,this.hasIntl=W(),e.zone.universal&&this.hasIntl){var o=e.offset/60*-1,i=o>=0?"Etc/GMT+"+o:"Etc/GMT"+o,a=Fe.isValidZone(i);0!==e.offset&&a?(r=i,this.dt=e):(r="UTC",n.timeZoneName?this.dt=e:this.dt=0===e.offset?e:hr.fromMillis(e.ts+60*e.offset*1e3))}else"local"===e.zone.type?this.dt=e:(this.dt=e,r=e.zone.name);if(this.hasIntl){var l=Object.assign({},this.opts);r&&(l.timeZone=r),this.dtf=tt(t,l)}}var t=e.prototype;return t.format=function(){if(this.hasIntl)return this.dtf.format(this.dt.toJSDate());var e=function(e){var t="EEEE, LLLL d, yyyy, h:mm a";switch(ge(X(e,["weekday","era","year","month","day","hour","minute","second","timeZoneName","hour12"]))){case ge(k):return"M/d/yyyy";case ge(E):return"LLL d, yyyy";case ge(A):return"EEE, LLL d, yyyy";case ge(C):return"LLLL d, yyyy";case ge(B):return"EEEE, LLLL d, yyyy";case ge(M):return"h:mm a";case ge(_):return"h:mm:ss a";case ge(S):case ge(N):return"h:mm a";case ge(V):return"HH:mm";case ge(L):return"HH:mm:ss";case ge(T):case ge(I):return"HH:mm";case ge(Z):return"M/d/yyyy, h:mm a";case ge(D):return"LLL d, yyyy, h:mm a";case ge(P):return"LLLL d, yyyy, h:mm a";case ge(F):return t;case ge(O):return"M/d/yyyy, h:mm:ss a";case ge(R):return"LLL d, yyyy, h:mm:ss a";case ge(H):return"EEE, d LLL yyyy, h:mm a";case ge(j):return"LLLL d, yyyy, h:mm:ss a";case ge(z):return"EEEE, LLLL d, yyyy, h:mm:ss a";default:return t}}(this.opts),t=ut.create("en-US");return Te.create(t).formatDateTimeFromString(this.dt,e)},t.formatToParts=function(){return this.hasIntl&&G()?this.dtf.formatToParts(this.dt.toJSDate()):[]},t.resolvedOptions=function(){return this.hasIntl?this.dtf.resolvedOptions():{locale:"en-US",numberingSystem:"latn",outputCalendar:"gregory"}},e}(),ct=function(){function e(e,t,n){this.opts=Object.assign({style:"long"},n),!t&&K()&&(this.rtf=ot(e,n))}var t=e.prototype;return t.format=function(e,t){return this.rtf?this.rtf.format(e,t):function(e,t,n,r){void 0===n&&(n="always"),void 0===r&&(r=!1);var o={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."]},i=-1===["hours","minutes","seconds"].indexOf(e);if("auto"===n&&i){var a="days"===e;switch(t){case 1:return a?"tomorrow":"next "+o[e][0];case-1:return a?"yesterday":"last "+o[e][0];case 0:return a?"today":"this "+o[e][0]}}var l=Object.is(t,-0)||t<0,s=Math.abs(t),c=1===s,u=o[e],d=r?c?u[1]:u[2]||u[1]:c?o[e][0]:e;return l?s+" "+d+" ago":"in "+s+" "+d}(t,e,this.opts.numeric,"long"!==this.opts.style)},t.formatToParts=function(e,t){return this.rtf?this.rtf.formatToParts(e,t):[]},e}(),ut=function(){function e(e,t,n,r){var o=function(e){var t=e.indexOf("-u-");if(-1===t)return[e];var n,r=e.substring(0,t);try{n=tt(e).resolvedOptions()}catch(e){n=tt(r).resolvedOptions()}var o=n;return[r,o.numberingSystem,o.calendar]}(e),i=o[0],a=o[1],l=o[2];this.locale=i,this.numberingSystem=t||a||null,this.outputCalendar=n||l||null,this.intl=function(e,t,n){return W()?n||t?(e+="-u",n&&(e+="-ca-"+n),t&&(e+="-nu-"+t),e):e:[]}(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}e.fromOpts=function(t){return e.create(t.locale,t.numberingSystem,t.outputCalendar,t.defaultToEN)},e.create=function(t,n,r,o){void 0===o&&(o=!1);var i=t||Qe.defaultLocale;return new e(i||(o?"en-US":function(){if(it)return it;if(W()){var e=(new Intl.DateTimeFormat).resolvedOptions().locale;return it=e&&"und"!==e?e:"en-US"}return it="en-US"}()),n||Qe.defaultNumberingSystem,r||Qe.defaultOutputCalendar,i)},e.resetCache=function(){it=null,et={},nt={},rt={}},e.fromObject=function(t){var n=void 0===t?{}:t,r=n.locale,o=n.numberingSystem,i=n.outputCalendar;return e.create(r,o,i)};var t=e.prototype;return t.listingMode=function(e){void 0===e&&(e=!0);var t=W()&&G(),n=this.isEnglish(),r=!(null!==this.numberingSystem&&"latn"!==this.numberingSystem||null!==this.outputCalendar&&"gregory"!==this.outputCalendar);return t||n&&r||e?!t||n&&r?"en":"intl":"error"},t.clone=function(t){return t&&0!==Object.getOwnPropertyNames(t).length?e.create(t.locale||this.specifiedLocale,t.numberingSystem||this.numberingSystem,t.outputCalendar||this.outputCalendar,t.defaultToEN||!1):this},t.redefaultToEN=function(e){return void 0===e&&(e={}),this.clone(Object.assign({},e,{defaultToEN:!0}))},t.redefaultToSystem=function(e){return void 0===e&&(e={}),this.clone(Object.assign({},e,{defaultToEN:!1}))},t.months=function(e,t,n){var r=this;return void 0===t&&(t=!1),void 0===n&&(n=!0),at(this,e,n,xe,(function(){var n=t?{month:e,day:"numeric"}:{month:e},o=t?"format":"standalone";return r.monthsCache[o][e]||(r.monthsCache[o][e]=function(e){for(var t=[],n=1;n<=12;n++){var r=hr.utc(2016,n,1);t.push(e(r))}return t}((function(e){return r.extract(e,n,"month")}))),r.monthsCache[o][e]}))},t.weekdays=function(e,t,n){var r=this;return void 0===t&&(t=!1),void 0===n&&(n=!0),at(this,e,n,Ce,(function(){var n=t?{weekday:e,year:"numeric",month:"long",day:"numeric"}:{weekday:e},o=t?"format":"standalone";return r.weekdaysCache[o][e]||(r.weekdaysCache[o][e]=function(e){for(var t=[],n=1;n<=7;n++){var r=hr.utc(2016,11,13+n);t.push(e(r))}return t}((function(e){return r.extract(e,n,"weekday")}))),r.weekdaysCache[o][e]}))},t.meridiems=function(e){var t=this;return void 0===e&&(e=!0),at(this,void 0,e,(function(){return Be}),(function(){if(!t.meridiemCache){var e={hour:"numeric",hour12:!0};t.meridiemCache=[hr.utc(2016,11,13,9),hr.utc(2016,11,13,19)].map((function(n){return t.extract(n,e,"dayperiod")}))}return t.meridiemCache}))},t.eras=function(e,t){var n=this;return void 0===t&&(t=!0),at(this,e,t,Ne,(function(){var t={era:e};return n.eraCache[e]||(n.eraCache[e]=[hr.utc(-40,1,1),hr.utc(2017,1,1)].map((function(e){return n.extract(e,t,"era")}))),n.eraCache[e]}))},t.extract=function(e,t,n){var r=this.dtFormatter(e,t).formatToParts().find((function(e){return e.type.toLowerCase()===n}));return r?r.value:null},t.numberFormatter=function(e){return void 0===e&&(e={}),new lt(this.intl,e.forceSimple||this.fastNumbers,e)},t.dtFormatter=function(e,t){return void 0===t&&(t={}),new st(e,this.intl,t)},t.relFormatter=function(e){return void 0===e&&(e={}),new ct(this.intl,this.isEnglish(),e)},t.isEnglish=function(){return"en"===this.locale||"en-us"===this.locale.toLowerCase()||W()&&new Intl.DateTimeFormat(this.intl).resolvedOptions().locale.startsWith("en-us")},t.equals=function(e){return this.locale===e.locale&&this.numberingSystem===e.numberingSystem&&this.outputCalendar===e.outputCalendar},r(e,[{key:"fastNumbers",get:function(){var e;return null==this.fastNumbersCached&&(this.fastNumbersCached=(!(e=this).numberingSystem||"latn"===e.numberingSystem)&&("latn"===e.numberingSystem||!e.locale||e.locale.startsWith("en")||W()&&"latn"===new Intl.DateTimeFormat(e.intl).resolvedOptions().numberingSystem)),this.fastNumbersCached}}]),e}();function dt(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];var r=t.reduce((function(e,t){return e+t.source}),"");return RegExp("^"+r+"$")}function ht(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return function(e){return t.reduce((function(t,n){var r=t[0],o=t[1],i=t[2],a=n(e,i),l=a[0],s=a[1],c=a[2];return[Object.assign(r,l),o||s,c]}),[{},null,1]).slice(0,2)}}function pt(e){if(null==e)return[null,null];for(var t=arguments.length,n=new Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];for(var o=0,i=n;o<i.length;o++){var a=i[o],l=a[0],s=a[1],c=l.exec(e);if(c)return s(c)}return[null,null]}function ft(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return function(e,n){var r,o={};for(r=0;r<t.length;r++)o[t[r]]=te(e[n+r]);return[o,null,n+r]}}var mt=/(?:(Z)|([+-]\d\d)(?::?(\d\d))?)/,vt=/(\d\d)(?::?(\d\d)(?::?(\d\d)(?:[.,](\d{1,30}))?)?)?/,gt=RegExp(""+vt.source+mt.source+"?"),wt=RegExp("(?:T"+gt.source+")?"),yt=ft("weekYear","weekNumber","weekDay"),bt=ft("year","ordinal"),xt=RegExp(vt.source+" ?(?:"+mt.source+"|("+ve.source+"))?"),kt=RegExp("(?: "+xt.source+")?");function Et(e,t,n){var r=e[t];return q(r)?n:te(r)}function At(e,t){return[{year:Et(e,t),month:Et(e,t+1,1),day:Et(e,t+2,1)},null,t+3]}function Ct(e,t){return[{hours:Et(e,t,0),minutes:Et(e,t+1,0),seconds:Et(e,t+2,0),milliseconds:ne(e[t+3])},null,t+4]}function Bt(e,t){var n=!e[t]&&!e[t+1],r=de(e[t+1],e[t+2]);return[{},n?null:qe.instance(r),t+3]}function Mt(e,t){return[{},e[t]?Fe.create(e[t]):null,t+1]}var _t=RegExp("^T?"+vt.source+"$"),St=/^-?P(?:(?:(-?\d{1,9})Y)?(?:(-?\d{1,9})M)?(?:(-?\d{1,9})W)?(?:(-?\d{1,9})D)?(?:T(?:(-?\d{1,9})H)?(?:(-?\d{1,9})M)?(?:(-?\d{1,20})(?:[.,](-?\d{1,9}))?S)?)?)$/;function Nt(e){var t=e[0],n=e[1],r=e[2],o=e[3],i=e[4],a=e[5],l=e[6],s=e[7],c=e[8],u="-"===t[0],d=s&&"-"===s[0],h=function(e,t){return void 0===t&&(t=!1),void 0!==e&&(t||e&&u)?-e:e};return[{years:h(te(n)),months:h(te(r)),weeks:h(te(o)),days:h(te(i)),hours:h(te(a)),minutes:h(te(l)),seconds:h(te(s),"-0"===s),milliseconds:h(ne(c),d)}]}var Vt={GMT:0,EDT:-240,EST:-300,CDT:-300,CST:-360,MDT:-360,MST:-420,PDT:-420,PST:-480};function Lt(e,t,n,r,o,i,a){var l={year:2===t.length?ce(te(t)):te(t),month:ye.indexOf(n)+1,day:te(r),hour:te(o),minute:te(i)};return a&&(l.second=te(a)),e&&(l.weekday=e.length>3?ke.indexOf(e)+1:Ee.indexOf(e)+1),l}var Tt=/^(?:(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 It(e){var t,n=e[1],r=e[2],o=e[3],i=e[4],a=e[5],l=e[6],s=e[7],c=e[8],u=e[9],d=e[10],h=e[11],p=Lt(n,i,o,r,a,l,s);return t=c?Vt[c]:u?0:de(d,h),[p,new qe(t)]}var Zt=/^(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$/,Ot=/^(Monday|Tuesday|Wedsday|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$/,Dt=/^(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 Rt(e){var t=e[1],n=e[2],r=e[3];return[Lt(t,e[4],r,n,e[5],e[6],e[7]),qe.utcInstance]}function Ht(e){var t=e[1],n=e[2],r=e[3],o=e[4],i=e[5],a=e[6];return[Lt(t,e[7],n,r,o,i,a),qe.utcInstance]}var Pt=dt(/([+-]\d{6}|\d{4})(?:-?(\d\d)(?:-?(\d\d))?)?/,wt),jt=dt(/(\d{4})-?W(\d\d)(?:-?(\d))?/,wt),Ft=dt(/(\d{4})-?(\d{3})/,wt),zt=dt(gt),qt=ht(At,Ct,Bt),Ut=ht(yt,Ct,Bt),$t=ht(bt,Ct,Bt),Wt=ht(Ct,Bt);var Gt=ht(Ct);var Kt=dt(/(\d{4})-(\d\d)-(\d\d)/,kt),Yt=dt(xt),Xt=ht(At,Ct,Bt,Mt),Jt=ht(Ct,Bt,Mt);var Qt={weeks:{days:7,hours:168,minutes:10080,seconds:604800,milliseconds:6048e5},days:{hours:24,minutes:1440,seconds:86400,milliseconds:864e5},hours:{minutes:60,seconds:3600,milliseconds:36e5},minutes:{seconds:60,milliseconds:6e4},seconds:{milliseconds:1e3}},en=Object.assign({years:{quarters:4,months:12,weeks:52,days:365,hours:8760,minutes:525600,seconds:31536e3,milliseconds:31536e6},quarters:{months:3,weeks:13,days:91,hours:2184,minutes:131040,seconds:7862400,milliseconds:78624e5},months:{weeks:4,days:30,hours:720,minutes:43200,seconds:2592e3,milliseconds:2592e6}},Qt),tn=365.2425,nn=30.436875,rn=Object.assign({years:{quarters:4,months:12,weeks:52.1775,days:tn,hours:8765.82,minutes:525949.2,seconds:525949.2*60,milliseconds:525949.2*60*1e3},quarters:{months:3,weeks:13.044375,days:91.310625,hours:2191.455,minutes:131487.3,seconds:525949.2*60/4,milliseconds:7889237999.999999},months:{weeks:4.3481250000000005,days:nn,hours:730.485,minutes:43829.1,seconds:2629746,milliseconds:2629746e3}},Qt),on=["years","quarters","months","weeks","days","hours","minutes","seconds","milliseconds"],an=on.slice(0).reverse();function ln(e,t,n){void 0===n&&(n=!1);var r={values:n?t.values:Object.assign({},e.values,t.values||{}),loc:e.loc.clone(t.loc),conversionAccuracy:t.conversionAccuracy||e.conversionAccuracy};return new cn(r)}function sn(e,t,n,r,o){var i=e[o][n],a=t[n]/i,l=!(Math.sign(a)===Math.sign(r[o]))&&0!==r[o]&&Math.abs(a)<=1?function(e){return e<0?Math.floor(e):Math.ceil(e)}(a):Math.trunc(a);r[o]+=l,t[n]-=l*i}var cn=function(){function e(e){var t="longterm"===e.conversionAccuracy||!1;this.values=e.values,this.loc=e.loc||ut.create(),this.conversionAccuracy=t?"longterm":"casual",this.invalid=e.invalid||null,this.matrix=t?rn:en,this.isLuxonDuration=!0}e.fromMillis=function(t,n){return e.fromObject(Object.assign({milliseconds:t},n))},e.fromObject=function(t){if(null==t||"object"!=typeof t)throw new g("Duration.fromObject: argument expected to be an object, got "+(null===t?"null":typeof t));return new e({values:pe(t,e.normalizeUnit,["locale","numberingSystem","conversionAccuracy","zone"]),loc:ut.fromObject(t),conversionAccuracy:t.conversionAccuracy})},e.fromISO=function(t,n){var r=function(e){return pt(e,[St,Nt])}(t),o=r[0];if(o){var i=Object.assign(o,n);return e.fromObject(i)}return e.invalid("unparsable",'the input "'+t+"\" can't be parsed as ISO 8601")},e.fromISOTime=function(t,n){var r=function(e){return pt(e,[_t,Gt])}(t),o=r[0];if(o){var i=Object.assign(o,n);return e.fromObject(i)}return e.invalid("unparsable",'the input "'+t+"\" can't be parsed as ISO 8601")},e.invalid=function(t,n){if(void 0===n&&(n=null),!t)throw new g("need to specify a reason the Duration is invalid");var r=t instanceof Ie?t:new Ie(t,n);if(Qe.throwOnInvalid)throw new f(r);return new e({invalid:r})},e.normalizeUnit=function(e){var t={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"}[e?e.toLowerCase():e];if(!t)throw new v(e);return t},e.isDuration=function(e){return e&&e.isLuxonDuration||!1};var t=e.prototype;return t.toFormat=function(e,t){void 0===t&&(t={});var n=Object.assign({},t,{floor:!1!==t.round&&!1!==t.floor});return this.isValid?Te.create(this.loc,n).formatDurationFromString(this,e):"Invalid Duration"},t.toObject=function(e){if(void 0===e&&(e={}),!this.isValid)return{};var t=Object.assign({},this.values);return e.includeConfig&&(t.conversionAccuracy=this.conversionAccuracy,t.numberingSystem=this.loc.numberingSystem,t.locale=this.loc.locale),t},t.toISO=function(){if(!this.isValid)return null;var e="P";return 0!==this.years&&(e+=this.years+"Y"),0===this.months&&0===this.quarters||(e+=this.months+3*this.quarters+"M"),0!==this.weeks&&(e+=this.weeks+"W"),0!==this.days&&(e+=this.days+"D"),0===this.hours&&0===this.minutes&&0===this.seconds&&0===this.milliseconds||(e+="T"),0!==this.hours&&(e+=this.hours+"H"),0!==this.minutes&&(e+=this.minutes+"M"),0===this.seconds&&0===this.milliseconds||(e+=re(this.seconds+this.milliseconds/1e3,3)+"S"),"P"===e&&(e+="T0S"),e},t.toISOTime=function(e){if(void 0===e&&(e={}),!this.isValid)return null;var t=this.toMillis();if(t<0||t>=864e5)return null;e=Object.assign({suppressMilliseconds:!1,suppressSeconds:!1,includePrefix:!1,format:"extended"},e);var n=this.shiftTo("hours","minutes","seconds","milliseconds"),r="basic"===e.format?"hhmm":"hh:mm";e.suppressSeconds&&0===n.seconds&&0===n.milliseconds||(r+="basic"===e.format?"ss":":ss",e.suppressMilliseconds&&0===n.milliseconds||(r+=".SSS"));var o=n.toFormat(r);return e.includePrefix&&(o="T"+o),o},t.toJSON=function(){return this.toISO()},t.toString=function(){return this.toISO()},t.toMillis=function(){return this.as("milliseconds")},t.valueOf=function(){return this.toMillis()},t.plus=function(e){if(!this.isValid)return this;for(var t,n=un(e),r={},o=u(on);!(t=o()).done;){var i=t.value;(J(n.values,i)||J(this.values,i))&&(r[i]=n.get(i)+this.get(i))}return ln(this,{values:r},!0)},t.minus=function(e){if(!this.isValid)return this;var t=un(e);return this.plus(t.negate())},t.mapUnits=function(e){if(!this.isValid)return this;for(var t={},n=0,r=Object.keys(this.values);n<r.length;n++){var o=r[n];t[o]=he(e(this.values[o],o))}return ln(this,{values:t},!0)},t.get=function(t){return this[e.normalizeUnit(t)]},t.set=function(t){return this.isValid?ln(this,{values:Object.assign(this.values,pe(t,e.normalizeUnit,[]))}):this},t.reconfigure=function(e){var t=void 0===e?{}:e,n=t.locale,r=t.numberingSystem,o=t.conversionAccuracy,i={loc:this.loc.clone({locale:n,numberingSystem:r})};return o&&(i.conversionAccuracy=o),ln(this,i)},t.as=function(e){return this.isValid?this.shiftTo(e).get(e):NaN},t.normalize=function(){if(!this.isValid)return this;var e=this.toObject();return function(e,t){an.reduce((function(n,r){return q(t[r])?n:(n&&sn(e,t,n,t,r),r)}),null)}(this.matrix,e),ln(this,{values:e},!0)},t.shiftTo=function(){for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];if(!this.isValid)return this;if(0===n.length)return this;n=n.map((function(t){return e.normalizeUnit(t)}));for(var o,i,a={},l={},s=this.toObject(),c=u(on);!(i=c()).done;){var d=i.value;if(n.indexOf(d)>=0){o=d;var h=0;for(var p in l)h+=this.matrix[p][d]*l[p],l[p]=0;U(s[d])&&(h+=s[d]);var f=Math.trunc(h);for(var m in a[d]=f,l[d]=h-f,s)on.indexOf(m)>on.indexOf(d)&&sn(this.matrix,s,m,a,d)}else U(s[d])&&(l[d]=s[d])}for(var v in l)0!==l[v]&&(a[o]+=v===o?l[v]:l[v]/this.matrix[o][v]);return ln(this,{values:a},!0).normalize()},t.negate=function(){if(!this.isValid)return this;for(var e={},t=0,n=Object.keys(this.values);t<n.length;t++){var r=n[t];e[r]=-this.values[r]}return ln(this,{values:e},!0)},t.equals=function(e){if(!this.isValid||!e.isValid)return!1;if(!this.loc.equals(e.loc))return!1;for(var t,n=u(on);!(t=n()).done;){var r=t.value;if(o=this.values[r],i=e.values[r],!(void 0===o||0===o?void 0===i||0===i:o===i))return!1}var o,i;return!0},r(e,[{key:"locale",get:function(){return this.isValid?this.loc.locale:null}},{key:"numberingSystem",get:function(){return this.isValid?this.loc.numberingSystem:null}},{key:"years",get:function(){return this.isValid?this.values.years||0:NaN}},{key:"quarters",get:function(){return this.isValid?this.values.quarters||0:NaN}},{key:"months",get:function(){return this.isValid?this.values.months||0:NaN}},{key:"weeks",get:function(){return this.isValid?this.values.weeks||0:NaN}},{key:"days",get:function(){return this.isValid?this.values.days||0:NaN}},{key:"hours",get:function(){return this.isValid?this.values.hours||0:NaN}},{key:"minutes",get:function(){return this.isValid?this.values.minutes||0:NaN}},{key:"seconds",get:function(){return this.isValid?this.values.seconds||0:NaN}},{key:"milliseconds",get:function(){return this.isValid?this.values.milliseconds||0:NaN}},{key:"isValid",get:function(){return null===this.invalid}},{key:"invalidReason",get:function(){return this.invalid?this.invalid.reason:null}},{key:"invalidExplanation",get:function(){return this.invalid?this.invalid.explanation:null}}]),e}();function un(e){if(U(e))return cn.fromMillis(e);if(cn.isDuration(e))return e;if("object"==typeof e)return cn.fromObject(e);throw new g("Unknown duration argument "+e+" of type "+typeof e)}var dn="Invalid Interval";function hn(e,t){return e&&e.isValid?t&&t.isValid?t<e?pn.invalid("end before start","The end of an interval must be after its start, but you had start="+e.toISO()+" and end="+t.toISO()):null:pn.invalid("missing or invalid end"):pn.invalid("missing or invalid start")}var pn=function(){function e(e){this.s=e.start,this.e=e.end,this.invalid=e.invalid||null,this.isLuxonInterval=!0}e.invalid=function(t,n){if(void 0===n&&(n=null),!t)throw new g("need to specify a reason the Interval is invalid");var r=t instanceof Ie?t:new Ie(t,n);if(Qe.throwOnInvalid)throw new p(r);return new e({invalid:r})},e.fromDateTimes=function(t,n){var r=pr(t),o=pr(n),i=hn(r,o);return null==i?new e({start:r,end:o}):i},e.after=function(t,n){var r=un(n),o=pr(t);return e.fromDateTimes(o,o.plus(r))},e.before=function(t,n){var r=un(n),o=pr(t);return e.fromDateTimes(o.minus(r),o)},e.fromISO=function(t,n){var r=(t||"").split("/",2),o=r[0],i=r[1];if(o&&i){var a,l,s,c;try{l=(a=hr.fromISO(o,n)).isValid}catch(i){l=!1}try{c=(s=hr.fromISO(i,n)).isValid}catch(i){c=!1}if(l&&c)return e.fromDateTimes(a,s);if(l){var u=cn.fromISO(i,n);if(u.isValid)return e.after(a,u)}else if(c){var d=cn.fromISO(o,n);if(d.isValid)return e.before(s,d)}}return e.invalid("unparsable",'the input "'+t+"\" can't be parsed as ISO 8601")},e.isInterval=function(e){return e&&e.isLuxonInterval||!1};var t=e.prototype;return t.length=function(e){return void 0===e&&(e="milliseconds"),this.isValid?this.toDuration.apply(this,[e]).get(e):NaN},t.count=function(e){if(void 0===e&&(e="milliseconds"),!this.isValid)return NaN;var t=this.start.startOf(e),n=this.end.startOf(e);return Math.floor(n.diff(t,e).get(e))+1},t.hasSame=function(e){return!!this.isValid&&(this.isEmpty()||this.e.minus(1).hasSame(this.s,e))},t.isEmpty=function(){return this.s.valueOf()===this.e.valueOf()},t.isAfter=function(e){return!!this.isValid&&this.s>e},t.isBefore=function(e){return!!this.isValid&&this.e<=e},t.contains=function(e){return!!this.isValid&&(this.s<=e&&this.e>e)},t.set=function(t){var n=void 0===t?{}:t,r=n.start,o=n.end;return this.isValid?e.fromDateTimes(r||this.s,o||this.e):this},t.splitAt=function(){var t=this;if(!this.isValid)return[];for(var n=arguments.length,r=new Array(n),o=0;o<n;o++)r[o]=arguments[o];for(var i=r.map(pr).filter((function(e){return t.contains(e)})).sort(),a=[],l=this.s,s=0;l<this.e;){var c=i[s]||this.e,u=+c>+this.e?this.e:c;a.push(e.fromDateTimes(l,u)),l=u,s+=1}return a},t.splitBy=function(t){var n=un(t);if(!this.isValid||!n.isValid||0===n.as("milliseconds"))return[];for(var r,o=this.s,i=1,a=[];o<this.e;){var l=this.start.plus(n.mapUnits((function(e){return e*i})));r=+l>+this.e?this.e:l,a.push(e.fromDateTimes(o,r)),o=r,i+=1}return a},t.divideEqually=function(e){return this.isValid?this.splitBy(this.length()/e).slice(0,e):[]},t.overlaps=function(e){return this.e>e.s&&this.s<e.e},t.abutsStart=function(e){return!!this.isValid&&+this.e==+e.s},t.abutsEnd=function(e){return!!this.isValid&&+e.e==+this.s},t.engulfs=function(e){return!!this.isValid&&(this.s<=e.s&&this.e>=e.e)},t.equals=function(e){return!(!this.isValid||!e.isValid)&&(this.s.equals(e.s)&&this.e.equals(e.e))},t.intersection=function(t){if(!this.isValid)return this;var n=this.s>t.s?this.s:t.s,r=this.e<t.e?this.e:t.e;return n>=r?null:e.fromDateTimes(n,r)},t.union=function(t){if(!this.isValid)return this;var n=this.s<t.s?this.s:t.s,r=this.e>t.e?this.e:t.e;return e.fromDateTimes(n,r)},e.merge=function(e){var t=e.sort((function(e,t){return e.s-t.s})).reduce((function(e,t){var n=e[0],r=e[1];return r?r.overlaps(t)||r.abutsStart(t)?[n,r.union(t)]:[n.concat([r]),t]:[n,t]}),[[],null]),n=t[0],r=t[1];return r&&n.push(r),n},e.xor=function(t){for(var n,r,o=null,i=0,a=[],l=t.map((function(e){return[{time:e.s,type:"s"},{time:e.e,type:"e"}]})),s=u((n=Array.prototype).concat.apply(n,l).sort((function(e,t){return e.time-t.time})));!(r=s()).done;){var c=r.value;1===(i+="s"===c.type?1:-1)?o=c.time:(o&&+o!=+c.time&&a.push(e.fromDateTimes(o,c.time)),o=null)}return e.merge(a)},t.difference=function(){for(var t=this,n=arguments.length,r=new Array(n),o=0;o<n;o++)r[o]=arguments[o];return e.xor([this].concat(r)).map((function(e){return t.intersection(e)})).filter((function(e){return e&&!e.isEmpty()}))},t.toString=function(){return this.isValid?"["+this.s.toISO()+" – "+this.e.toISO()+")":dn},t.toISO=function(e){return this.isValid?this.s.toISO(e)+"/"+this.e.toISO(e):dn},t.toISODate=function(){return this.isValid?this.s.toISODate()+"/"+this.e.toISODate():dn},t.toISOTime=function(e){return this.isValid?this.s.toISOTime(e)+"/"+this.e.toISOTime(e):dn},t.toFormat=function(e,t){var n=(void 0===t?{}:t).separator,r=void 0===n?" – ":n;return this.isValid?""+this.s.toFormat(e)+r+this.e.toFormat(e):dn},t.toDuration=function(e,t){return this.isValid?this.e.diff(this.s,e,t):cn.invalid(this.invalidReason)},t.mapEndpoints=function(t){return e.fromDateTimes(t(this.s),t(this.e))},r(e,[{key:"start",get:function(){return this.isValid?this.s:null}},{key:"end",get:function(){return this.isValid?this.e:null}},{key:"isValid",get:function(){return null===this.invalidReason}},{key:"invalidReason",get:function(){return this.invalid?this.invalid.reason:null}},{key:"invalidExplanation",get:function(){return this.invalid?this.invalid.explanation:null}}]),e}(),fn=function(){function e(){}return e.hasDST=function(e){void 0===e&&(e=Qe.defaultZone);var t=hr.now().setZone(e).set({month:12});return!e.universal&&t.offset!==t.set({month:6}).offset},e.isValidIANAZone=function(e){return Fe.isValidSpecifier(e)&&Fe.isValidZone(e)},e.normalizeZone=function(e){return $e(e,Qe.defaultZone)},e.months=function(e,t){void 0===e&&(e="long");var n=void 0===t?{}:t,r=n.locale,o=void 0===r?null:r,i=n.numberingSystem,a=void 0===i?null:i,l=n.locObj,s=void 0===l?null:l,c=n.outputCalendar,u=void 0===c?"gregory":c;return(s||ut.create(o,a,u)).months(e)},e.monthsFormat=function(e,t){void 0===e&&(e="long");var n=void 0===t?{}:t,r=n.locale,o=void 0===r?null:r,i=n.numberingSystem,a=void 0===i?null:i,l=n.locObj,s=void 0===l?null:l,c=n.outputCalendar,u=void 0===c?"gregory":c;return(s||ut.create(o,a,u)).months(e,!0)},e.weekdays=function(e,t){void 0===e&&(e="long");var n=void 0===t?{}:t,r=n.locale,o=void 0===r?null:r,i=n.numberingSystem,a=void 0===i?null:i,l=n.locObj;return((void 0===l?null:l)||ut.create(o,a,null)).weekdays(e)},e.weekdaysFormat=function(e,t){void 0===e&&(e="long");var n=void 0===t?{}:t,r=n.locale,o=void 0===r?null:r,i=n.numberingSystem,a=void 0===i?null:i,l=n.locObj;return((void 0===l?null:l)||ut.create(o,a,null)).weekdays(e,!0)},e.meridiems=function(e){var t=(void 0===e?{}:e).locale,n=void 0===t?null:t;return ut.create(n).meridiems()},e.eras=function(e,t){void 0===e&&(e="short");var n=(void 0===t?{}:t).locale,r=void 0===n?null:n;return ut.create(r,null,"gregory").eras(e)},e.features=function(){var e=!1,t=!1,n=!1,r=!1;if(W()){e=!0,t=G(),r=K();try{n="America/New_York"===new Intl.DateTimeFormat("en",{timeZone:"America/New_York"}).resolvedOptions().timeZone}catch(e){n=!1}}return{intl:e,intlTokens:t,zones:n,relative:r}},e}();function mn(e,t){var n=function(e){return e.toUTC(0,{keepLocalTime:!0}).startOf("day").valueOf()},r=n(t)-n(e);return Math.floor(cn.fromMillis(r).as("days"))}function vn(e,t,n,r){var o=function(e,t,n){for(var r,o,i={},a=0,l=[["years",function(e,t){return t.year-e.year}],["quarters",function(e,t){return t.quarter-e.quarter}],["months",function(e,t){return t.month-e.month+12*(t.year-e.year)}],["weeks",function(e,t){var n=mn(e,t);return(n-n%7)/7}],["days",mn]];a<l.length;a++){var s=l[a],c=s[0],u=s[1];if(n.indexOf(c)>=0){var d;r=c;var h,p=u(e,t);(o=e.plus(((d={})[c]=p,d)))>t?(e=e.plus(((h={})[c]=p-1,h)),p-=1):e=o,i[c]=p}}return[e,i,o,r]}(e,t,n),i=o[0],a=o[1],l=o[2],s=o[3],c=t-i,u=n.filter((function(e){return["hours","minutes","seconds","milliseconds"].indexOf(e)>=0}));if(0===u.length){var d;if(l<t)l=i.plus(((d={})[s]=1,d));l!==i&&(a[s]=(a[s]||0)+c/(l-i))}var h,p=cn.fromObject(Object.assign(a,r));return u.length>0?(h=cn.fromMillis(c,r)).shiftTo.apply(h,u).plus(p):p}var gn={arab:"[٠-٩]",arabext:"[۰-۹]",bali:"[᭐-᭙]",beng:"[০-৯]",deva:"[०-९]",fullwide:"[0-9]",gujr:"[૦-૯]",hanidec:"[〇|一|二|三|四|五|六|七|八|九]",khmr:"[០-៩]",knda:"[೦-೯]",laoo:"[໐-໙]",limb:"[᥆-᥏]",mlym:"[൦-൯]",mong:"[᠐-᠙]",mymr:"[၀-၉]",orya:"[୦-୯]",tamldec:"[௦-௯]",telu:"[౦-౯]",thai:"[๐-๙]",tibt:"[༠-༩]",latn:"\\d"},wn={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]},yn=gn.hanidec.replace(/[\[|\]]/g,"").split("");function bn(e,t){var n=e.numberingSystem;return void 0===t&&(t=""),new RegExp(""+gn[n||"latn"]+t)}function xn(e,t){return void 0===t&&(t=function(e){return e}),{regex:e,deser:function(e){var n=e[0];return t(function(e){var t=parseInt(e,10);if(isNaN(t)){t="";for(var n=0;n<e.length;n++){var r=e.charCodeAt(n);if(-1!==e[n].search(gn.hanidec))t+=yn.indexOf(e[n]);else for(var o in wn){var i=wn[o],a=i[0],l=i[1];r>=a&&r<=l&&(t+=r-a)}}return parseInt(t,10)}return t}(n))}}}var kn="( |"+String.fromCharCode(160)+")",En=new RegExp(kn,"g");function An(e){return e.replace(/\./g,"\\.?").replace(En,kn)}function Cn(e){return e.replace(/\./g,"").replace(En," ").toLowerCase()}function Bn(e,t){return null===e?null:{regex:RegExp(e.map(An).join("|")),deser:function(n){var r=n[0];return e.findIndex((function(e){return Cn(r)===Cn(e)}))+t}}}function Mn(e,t){return{regex:e,deser:function(e){return de(e[1],e[2])},groups:t}}function _n(e){return{regex:e,deser:function(e){return e[0]}}}var Sn={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",hour:{numeric:"h","2-digit":"hh"},minute:{numeric:"m","2-digit":"mm"},second:{numeric:"s","2-digit":"ss"}};var Nn=null;function Vn(e,t){if(e.literal)return e;var n=Te.macroTokenToFormatOpts(e.val);if(!n)return e;var r=Te.create(t,n).formatDateTimeParts((Nn||(Nn=hr.fromMillis(1555555555555)),Nn)).map((function(e){return function(e,t,n){var r=e.type,o=e.value;if("literal"===r)return{literal:!0,val:o};var i=n[r],a=Sn[r];return"object"==typeof a&&(a=a[i]),a?{literal:!1,val:a}:void 0}(e,0,n)}));return r.includes(void 0)?e:r}function Ln(e,t,n){var r=function(e,t){var n;return(n=Array.prototype).concat.apply(n,e.map((function(e){return Vn(e,t)})))}(Te.parseFormat(n),e),o=r.map((function(t){return n=t,o=bn(r=e),i=bn(r,"{2}"),a=bn(r,"{3}"),l=bn(r,"{4}"),s=bn(r,"{6}"),c=bn(r,"{1,2}"),u=bn(r,"{1,3}"),d=bn(r,"{1,6}"),h=bn(r,"{1,9}"),p=bn(r,"{2,4}"),f=bn(r,"{4,6}"),m=function(e){return{regex:RegExp((t=e.val,t.replace(/[\-\[\]{}()*+?.,\\\^$|#\s]/g,"\\$&"))),deser:function(e){return e[0]},literal:!0};var t},v=function(e){if(n.literal)return m(e);switch(e.val){case"G":return Bn(r.eras("short",!1),0);case"GG":return Bn(r.eras("long",!1),0);case"y":return xn(d);case"yy":case"kk":return xn(p,ce);case"yyyy":case"kkkk":return xn(l);case"yyyyy":return xn(f);case"yyyyyy":return xn(s);case"M":case"L":case"d":case"H":case"h":case"m":case"q":case"s":case"W":return xn(c);case"MM":case"LL":case"dd":case"HH":case"hh":case"mm":case"qq":case"ss":case"WW":return xn(i);case"MMM":return Bn(r.months("short",!0,!1),1);case"MMMM":return Bn(r.months("long",!0,!1),1);case"LLL":return Bn(r.months("short",!1,!1),1);case"LLLL":return Bn(r.months("long",!1,!1),1);case"o":case"S":return xn(u);case"ooo":case"SSS":return xn(a);case"u":return _n(h);case"a":return Bn(r.meridiems(),0);case"E":case"c":return xn(o);case"EEE":return Bn(r.weekdays("short",!1,!1),1);case"EEEE":return Bn(r.weekdays("long",!1,!1),1);case"ccc":return Bn(r.weekdays("short",!0,!1),1);case"cccc":return Bn(r.weekdays("long",!0,!1),1);case"Z":case"ZZ":return Mn(new RegExp("([+-]"+c.source+")(?::("+i.source+"))?"),2);case"ZZZ":return Mn(new RegExp("([+-]"+c.source+")("+i.source+")?"),2);case"z":return _n(/[a-z_+-/]{1,256}?/i);default:return m(e)}}(n)||{invalidReason:"missing Intl.DateTimeFormat.formatToParts support"},v.token=n,v;var n,r,o,i,a,l,s,c,u,d,h,p,f,m,v})),i=o.find((function(e){return e.invalidReason}));if(i)return{input:t,tokens:r,invalidReason:i.invalidReason};var a=function(e){return["^"+e.map((function(e){return e.regex})).reduce((function(e,t){return e+"("+t.source+")"}),"")+"$",e]}(o),l=a[0],s=a[1],c=RegExp(l,"i"),u=function(e,t,n){var r=e.match(t);if(r){var o={},i=1;for(var a in n)if(J(n,a)){var l=n[a],s=l.groups?l.groups+1:1;!l.literal&&l.token&&(o[l.token.val[0]]=l.deser(r.slice(i,i+s))),i+=s}return[r,o]}return[r,{}]}(t,c,s),d=u[0],h=u[1],p=h?function(e){var t;return t=q(e.Z)?q(e.z)?null:Fe.create(e.z):new qe(e.Z),q(e.q)||(e.M=3*(e.q-1)+1),q(e.h)||(e.h<12&&1===e.a?e.h+=12:12===e.h&&0===e.a&&(e.h=0)),0===e.G&&e.y&&(e.y=-e.y),q(e.u)||(e.S=ne(e.u)),[Object.keys(e).reduce((function(t,n){var r=function(e){switch(e){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}}(n);return r&&(t[r]=e[n]),t}),{}),t]}(h):[null,null],f=p[0],v=p[1];if(J(h,"a")&&J(h,"H"))throw new m("Can't include meridiem when specifying 24-hour format");return{input:t,tokens:r,regex:c,rawMatches:d,matches:h,result:f,zone:v}}var Tn=[0,31,59,90,120,151,181,212,243,273,304,334],In=[0,31,60,91,121,152,182,213,244,274,305,335];function Zn(e,t){return new Ie("unit out of range","you specified "+t+" (of type "+typeof t+") as a "+e+", which is invalid")}function On(e,t,n){var r=new Date(Date.UTC(e,t-1,n)).getUTCDay();return 0===r?7:r}function Dn(e,t,n){return n+(oe(e)?In:Tn)[t-1]}function Rn(e,t){var n=oe(e)?In:Tn,r=n.findIndex((function(e){return e<t}));return{month:r+1,day:t-n[r]}}function Hn(e){var t,n=e.year,r=e.month,o=e.day,i=Dn(n,r,o),a=On(n,r,o),l=Math.floor((i-a+10)/7);return l<1?l=se(t=n-1):l>se(n)?(t=n+1,l=1):t=n,Object.assign({weekYear:t,weekNumber:l,weekday:a},me(e))}function Pn(e){var t,n=e.weekYear,r=e.weekNumber,o=e.weekday,i=On(n,1,4),a=ie(n),l=7*r+o-i-3;l<1?l+=ie(t=n-1):l>a?(t=n+1,l-=ie(n)):t=n;var s=Rn(t,l),c=s.month,u=s.day;return Object.assign({year:t,month:c,day:u},me(e))}function jn(e){var t=e.year,n=Dn(t,e.month,e.day);return Object.assign({year:t,ordinal:n},me(e))}function Fn(e){var t=e.year,n=Rn(t,e.ordinal),r=n.month,o=n.day;return Object.assign({year:t,month:r,day:o},me(e))}function zn(e){var t=$(e.year),n=Q(e.month,1,12),r=Q(e.day,1,ae(e.year,e.month));return t?n?!r&&Zn("day",e.day):Zn("month",e.month):Zn("year",e.year)}function qn(e){var t=e.hour,n=e.minute,r=e.second,o=e.millisecond,i=Q(t,0,23)||24===t&&0===n&&0===r&&0===o,a=Q(n,0,59),l=Q(r,0,59),s=Q(o,0,999);return i?a?l?!s&&Zn("millisecond",o):Zn("second",r):Zn("minute",n):Zn("hour",t)}var Un="Invalid DateTime",$n=864e13;function Wn(e){return new Ie("unsupported zone",'the zone "'+e.name+'" is not supported')}function Gn(e){return null===e.weekData&&(e.weekData=Hn(e.c)),e.weekData}function Kn(e,t){var n={ts:e.ts,zone:e.zone,c:e.c,o:e.o,loc:e.loc,invalid:e.invalid};return new hr(Object.assign({},n,t,{old:n}))}function Yn(e,t,n){var r=e-60*t*1e3,o=n.offset(r);if(t===o)return[r,t];r-=60*(o-t)*1e3;var i=n.offset(r);return o===i?[r,o]:[e-60*Math.min(o,i)*1e3,Math.max(o,i)]}function Xn(e,t){var n=new Date(e+=60*t*1e3);return{year:n.getUTCFullYear(),month:n.getUTCMonth()+1,day:n.getUTCDate(),hour:n.getUTCHours(),minute:n.getUTCMinutes(),second:n.getUTCSeconds(),millisecond:n.getUTCMilliseconds()}}function Jn(e,t,n){return Yn(le(e),t,n)}function Qn(e,t){var n=e.o,r=e.c.year+Math.trunc(t.years),o=e.c.month+Math.trunc(t.months)+3*Math.trunc(t.quarters),i=Object.assign({},e.c,{year:r,month:o,day:Math.min(e.c.day,ae(r,o))+Math.trunc(t.days)+7*Math.trunc(t.weeks)}),a=cn.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"),l=Yn(le(i),n,e.zone),s=l[0],c=l[1];return 0!==a&&(s+=a,c=e.zone.offset(s)),{ts:s,o:c}}function er(e,t,n,r,o){var i=n.setZone,a=n.zone;if(e&&0!==Object.keys(e).length){var l=t||a,s=hr.fromObject(Object.assign(e,n,{zone:l,setZone:void 0}));return i?s:s.setZone(a)}return hr.invalid(new Ie("unparsable",'the input "'+o+"\" can't be parsed as "+r))}function tr(e,t,n){return void 0===n&&(n=!0),e.isValid?Te.create(ut.create("en-US"),{allowZ:n,forceSimple:!0}).formatDateTimeFromString(e,t):null}function nr(e,t){var n=t.suppressSeconds,r=void 0!==n&&n,o=t.suppressMilliseconds,i=void 0!==o&&o,a=t.includeOffset,l=t.includePrefix,s=void 0!==l&&l,c=t.includeZone,u=void 0!==c&&c,d=t.spaceZone,h=void 0!==d&&d,p=t.format,f=void 0===p?"extended":p,m="basic"===f?"HHmm":"HH:mm";r&&0===e.second&&0===e.millisecond||(m+="basic"===f?"ss":":ss",i&&0===e.millisecond||(m+=".SSS")),(u||a)&&h&&(m+=" "),u?m+="z":a&&(m+="basic"===f?"ZZZ":"ZZ");var v=tr(e,m);return s&&(v="T"+v),v}var rr={month:1,day:1,hour:0,minute:0,second:0,millisecond:0},or={weekNumber:1,weekday:1,hour:0,minute:0,second:0,millisecond:0},ir={ordinal:1,hour:0,minute:0,second:0,millisecond:0},ar=["year","month","day","hour","minute","second","millisecond"],lr=["weekYear","weekNumber","weekday","hour","minute","second","millisecond"],sr=["year","ordinal","hour","minute","second","millisecond"];function cr(e){var 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"}[e.toLowerCase()];if(!t)throw new v(e);return t}function ur(e,t){for(var n,r=u(ar);!(n=r()).done;){var o=n.value;q(e[o])&&(e[o]=rr[o])}var i=zn(e)||qn(e);if(i)return hr.invalid(i);var a=Qe.now(),l=Jn(e,t.offset(a),t),s=l[0],c=l[1];return new hr({ts:s,zone:t,o:c})}function dr(e,t,n){var r=!!q(n.round)||n.round,o=function(e,o){return e=re(e,r||n.calendary?0:2,!0),t.loc.clone(n).relFormatter(n).format(e,o)},i=function(r){return n.calendary?t.hasSame(e,r)?0:t.startOf(r).diff(e.startOf(r),r).get(r):t.diff(e,r).get(r)};if(n.unit)return o(i(n.unit),n.unit);for(var a,l=u(n.units);!(a=l()).done;){var s=a.value,c=i(s);if(Math.abs(c)>=1)return o(c,s)}return o(e>t?-0:0,n.units[n.units.length-1])}var hr=function(){function e(e){var t=e.zone||Qe.defaultZone,n=e.invalid||(Number.isNaN(e.ts)?new Ie("invalid input"):null)||(t.isValid?null:Wn(t));this.ts=q(e.ts)?Qe.now():e.ts;var r=null,o=null;if(!n)if(e.old&&e.old.ts===this.ts&&e.old.zone.equals(t)){var i=[e.old.c,e.old.o];r=i[0],o=i[1]}else{var a=t.offset(this.ts);r=Xn(this.ts,a),r=(n=Number.isNaN(r.year)?new Ie("invalid input"):null)?null:r,o=n?null:a}this._zone=t,this.loc=e.loc||ut.create(),this.invalid=n,this.weekData=null,this.c=r,this.o=o,this.isLuxonDateTime=!0}e.now=function(){return new e({})},e.local=function(t,n,r,o,i,a,l){return q(t)?e.now():ur({year:t,month:n,day:r,hour:o,minute:i,second:a,millisecond:l},Qe.defaultZone)},e.utc=function(t,n,r,o,i,a,l){return q(t)?new e({ts:Qe.now(),zone:qe.utcInstance}):ur({year:t,month:n,day:r,hour:o,minute:i,second:a,millisecond:l},qe.utcInstance)},e.fromJSDate=function(t,n){void 0===n&&(n={});var r,o=(r=t,"[object Date]"===Object.prototype.toString.call(r)?t.valueOf():NaN);if(Number.isNaN(o))return e.invalid("invalid input");var i=$e(n.zone,Qe.defaultZone);return i.isValid?new e({ts:o,zone:i,loc:ut.fromObject(n)}):e.invalid(Wn(i))},e.fromMillis=function(t,n){if(void 0===n&&(n={}),U(t))return t<-$n||t>$n?e.invalid("Timestamp out of range"):new e({ts:t,zone:$e(n.zone,Qe.defaultZone),loc:ut.fromObject(n)});throw new g("fromMillis requires a numerical input, but received a "+typeof t+" with value "+t)},e.fromSeconds=function(t,n){if(void 0===n&&(n={}),U(t))return new e({ts:1e3*t,zone:$e(n.zone,Qe.defaultZone),loc:ut.fromObject(n)});throw new g("fromSeconds requires a numerical input")},e.fromObject=function(t){var n=$e(t.zone,Qe.defaultZone);if(!n.isValid)return e.invalid(Wn(n));var r=Qe.now(),o=n.offset(r),i=pe(t,cr,["zone","locale","outputCalendar","numberingSystem"]),a=!q(i.ordinal),l=!q(i.year),s=!q(i.month)||!q(i.day),c=l||s,d=i.weekYear||i.weekNumber,h=ut.fromObject(t);if((c||a)&&d)throw new m("Can't mix weekYear/weekNumber units with year/month/day or ordinals");if(s&&a)throw new m("Can't mix ordinal dates with month/day");var p,f,v=d||i.weekday&&!c,g=Xn(r,o);v?(p=lr,f=or,g=Hn(g)):a?(p=sr,f=ir,g=jn(g)):(p=ar,f=rr);for(var w,y=!1,b=u(p);!(w=b()).done;){var x=w.value;q(i[x])?i[x]=y?f[x]:g[x]:y=!0}var k=v?function(e){var t=$(e.weekYear),n=Q(e.weekNumber,1,se(e.weekYear)),r=Q(e.weekday,1,7);return t?n?!r&&Zn("weekday",e.weekday):Zn("week",e.week):Zn("weekYear",e.weekYear)}(i):a?function(e){var t=$(e.year),n=Q(e.ordinal,1,ie(e.year));return t?!n&&Zn("ordinal",e.ordinal):Zn("year",e.year)}(i):zn(i),E=k||qn(i);if(E)return e.invalid(E);var A=Jn(v?Pn(i):a?Fn(i):i,o,n),C=new e({ts:A[0],zone:n,o:A[1],loc:h});return i.weekday&&c&&t.weekday!==C.weekday?e.invalid("mismatched weekday","you can't specify both a weekday of "+i.weekday+" and a date of "+C.toISO()):C},e.fromISO=function(e,t){void 0===t&&(t={});var n=function(e){return pt(e,[Pt,qt],[jt,Ut],[Ft,$t],[zt,Wt])}(e);return er(n[0],n[1],t,"ISO 8601",e)},e.fromRFC2822=function(e,t){void 0===t&&(t={});var n=function(e){return pt(function(e){return e.replace(/\([^()]*\)|[\n\t]/g," ").replace(/(\s\s+)/g," ").trim()}(e),[Tt,It])}(e);return er(n[0],n[1],t,"RFC 2822",e)},e.fromHTTP=function(e,t){void 0===t&&(t={});var n=function(e){return pt(e,[Zt,Rt],[Ot,Rt],[Dt,Ht])}(e);return er(n[0],n[1],t,"HTTP",t)},e.fromFormat=function(t,n,r){if(void 0===r&&(r={}),q(t)||q(n))throw new g("fromFormat requires an input string and a format");var o=r,i=o.locale,a=void 0===i?null:i,l=o.numberingSystem,s=void 0===l?null:l,c=function(e,t,n){var r=Ln(e,t,n);return[r.result,r.zone,r.invalidReason]}(ut.fromOpts({locale:a,numberingSystem:s,defaultToEN:!0}),t,n),u=c[0],d=c[1],h=c[2];return h?e.invalid(h):er(u,d,r,"format "+n,t)},e.fromString=function(t,n,r){return void 0===r&&(r={}),e.fromFormat(t,n,r)},e.fromSQL=function(e,t){void 0===t&&(t={});var n=function(e){return pt(e,[Kt,Xt],[Yt,Jt])}(e);return er(n[0],n[1],t,"SQL",e)},e.invalid=function(t,n){if(void 0===n&&(n=null),!t)throw new g("need to specify a reason the DateTime is invalid");var r=t instanceof Ie?t:new Ie(t,n);if(Qe.throwOnInvalid)throw new h(r);return new e({invalid:r})},e.isDateTime=function(e){return e&&e.isLuxonDateTime||!1};var t=e.prototype;return t.get=function(e){return this[e]},t.resolvedLocaleOpts=function(e){void 0===e&&(e={});var t=Te.create(this.loc.clone(e),e).resolvedOptions(this);return{locale:t.locale,numberingSystem:t.numberingSystem,outputCalendar:t.calendar}},t.toUTC=function(e,t){return void 0===e&&(e=0),void 0===t&&(t={}),this.setZone(qe.instance(e),t)},t.toLocal=function(){return this.setZone(Qe.defaultZone)},t.setZone=function(t,n){var r=void 0===n?{}:n,o=r.keepLocalTime,i=void 0!==o&&o,a=r.keepCalendarTime,l=void 0!==a&&a;if((t=$e(t,Qe.defaultZone)).equals(this.zone))return this;if(t.isValid){var s=this.ts;if(i||l){var c=t.offset(this.ts);s=Jn(this.toObject(),c,t)[0]}return Kn(this,{ts:s,zone:t})}return e.invalid(Wn(t))},t.reconfigure=function(e){var t=void 0===e?{}:e,n=t.locale,r=t.numberingSystem,o=t.outputCalendar;return Kn(this,{loc:this.loc.clone({locale:n,numberingSystem:r,outputCalendar:o})})},t.setLocale=function(e){return this.reconfigure({locale:e})},t.set=function(e){if(!this.isValid)return this;var t,n=pe(e,cr,[]),r=!q(n.weekYear)||!q(n.weekNumber)||!q(n.weekday),o=!q(n.ordinal),i=!q(n.year),a=!q(n.month)||!q(n.day),l=i||a,s=n.weekYear||n.weekNumber;if((l||o)&&s)throw new m("Can't mix weekYear/weekNumber units with year/month/day or ordinals");if(a&&o)throw new m("Can't mix ordinal dates with month/day");r?t=Pn(Object.assign(Hn(this.c),n)):q(n.ordinal)?(t=Object.assign(this.toObject(),n),q(n.day)&&(t.day=Math.min(ae(t.year,t.month),t.day))):t=Fn(Object.assign(jn(this.c),n));var c=Jn(t,this.o,this.zone);return Kn(this,{ts:c[0],o:c[1]})},t.plus=function(e){return this.isValid?Kn(this,Qn(this,un(e))):this},t.minus=function(e){return this.isValid?Kn(this,Qn(this,un(e).negate())):this},t.startOf=function(e){if(!this.isValid)return this;var t={},n=cn.normalizeUnit(e);switch(n){case"years":t.month=1;case"quarters":case"months":t.day=1;case"weeks":case"days":t.hour=0;case"hours":t.minute=0;case"minutes":t.second=0;case"seconds":t.millisecond=0}if("weeks"===n&&(t.weekday=1),"quarters"===n){var r=Math.ceil(this.month/3);t.month=3*(r-1)+1}return this.set(t)},t.endOf=function(e){var t;return this.isValid?this.plus((t={},t[e]=1,t)).startOf(e).minus(1):this},t.toFormat=function(e,t){return void 0===t&&(t={}),this.isValid?Te.create(this.loc.redefaultToEN(t)).formatDateTimeFromString(this,e):Un},t.toLocaleString=function(e){return void 0===e&&(e=k),this.isValid?Te.create(this.loc.clone(e),e).formatDateTime(this):Un},t.toLocaleParts=function(e){return void 0===e&&(e={}),this.isValid?Te.create(this.loc.clone(e),e).formatDateTimeParts(this):[]},t.toISO=function(e){return void 0===e&&(e={}),this.isValid?this.toISODate(e)+"T"+this.toISOTime(e):null},t.toISODate=function(e){var t=(void 0===e?{}:e).format,n="basic"===(void 0===t?"extended":t)?"yyyyMMdd":"yyyy-MM-dd";return this.year>9999&&(n="+"+n),tr(this,n)},t.toISOWeekDate=function(){return tr(this,"kkkk-'W'WW-c")},t.toISOTime=function(e){var t=void 0===e?{}:e,n=t.suppressMilliseconds,r=void 0!==n&&n,o=t.suppressSeconds,i=void 0!==o&&o,a=t.includeOffset,l=void 0===a||a,s=t.includePrefix,c=void 0!==s&&s,u=t.format;return nr(this,{suppressSeconds:i,suppressMilliseconds:r,includeOffset:l,includePrefix:c,format:void 0===u?"extended":u})},t.toRFC2822=function(){return tr(this,"EEE, dd LLL yyyy HH:mm:ss ZZZ",!1)},t.toHTTP=function(){return tr(this.toUTC(),"EEE, dd LLL yyyy HH:mm:ss 'GMT'")},t.toSQLDate=function(){return tr(this,"yyyy-MM-dd")},t.toSQLTime=function(e){var t=void 0===e?{}:e,n=t.includeOffset,r=void 0===n||n,o=t.includeZone;return nr(this,{includeOffset:r,includeZone:void 0!==o&&o,spaceZone:!0})},t.toSQL=function(e){return void 0===e&&(e={}),this.isValid?this.toSQLDate()+" "+this.toSQLTime(e):null},t.toString=function(){return this.isValid?this.toISO():Un},t.valueOf=function(){return this.toMillis()},t.toMillis=function(){return this.isValid?this.ts:NaN},t.toSeconds=function(){return this.isValid?this.ts/1e3:NaN},t.toJSON=function(){return this.toISO()},t.toBSON=function(){return this.toJSDate()},t.toObject=function(e){if(void 0===e&&(e={}),!this.isValid)return{};var t=Object.assign({},this.c);return e.includeConfig&&(t.outputCalendar=this.outputCalendar,t.numberingSystem=this.loc.numberingSystem,t.locale=this.loc.locale),t},t.toJSDate=function(){return new Date(this.isValid?this.ts:NaN)},t.diff=function(e,t,n){if(void 0===t&&(t="milliseconds"),void 0===n&&(n={}),!this.isValid||!e.isValid)return cn.invalid(this.invalid||e.invalid,"created by diffing an invalid DateTime");var r,o=Object.assign({locale:this.locale,numberingSystem:this.numberingSystem},n),i=(r=t,Array.isArray(r)?r:[r]).map(cn.normalizeUnit),a=e.valueOf()>this.valueOf(),l=vn(a?this:e,a?e:this,i,o);return a?l.negate():l},t.diffNow=function(t,n){return void 0===t&&(t="milliseconds"),void 0===n&&(n={}),this.diff(e.now(),t,n)},t.until=function(e){return this.isValid?pn.fromDateTimes(this,e):this},t.hasSame=function(e,t){if(!this.isValid)return!1;var n=e.valueOf(),r=this.setZone(e.zone,{keepLocalTime:!0});return r.startOf(t)<=n&&n<=r.endOf(t)},t.equals=function(e){return this.isValid&&e.isValid&&this.valueOf()===e.valueOf()&&this.zone.equals(e.zone)&&this.loc.equals(e.loc)},t.toRelative=function(t){if(void 0===t&&(t={}),!this.isValid)return null;var n=t.base||e.fromObject({zone:this.zone}),r=t.padding?this<n?-t.padding:t.padding:0,o=["years","months","days","hours","minutes","seconds"],i=t.unit;return Array.isArray(t.unit)&&(o=t.unit,i=void 0),dr(n,this.plus(r),Object.assign(t,{numeric:"always",units:o,unit:i}))},t.toRelativeCalendar=function(t){return void 0===t&&(t={}),this.isValid?dr(t.base||e.fromObject({zone:this.zone}),this,Object.assign(t,{numeric:"auto",units:["years","months","days"],calendary:!0})):null},e.min=function(){for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];if(!n.every(e.isDateTime))throw new g("min requires all arguments be DateTimes");return Y(n,(function(e){return e.valueOf()}),Math.min)},e.max=function(){for(var t=arguments.length,n=new Array(t),r=0;r<t;r++)n[r]=arguments[r];if(!n.every(e.isDateTime))throw new g("max requires all arguments be DateTimes");return Y(n,(function(e){return e.valueOf()}),Math.max)},e.fromFormatExplain=function(e,t,n){void 0===n&&(n={});var r=n,o=r.locale,i=void 0===o?null:o,a=r.numberingSystem,l=void 0===a?null:a;return Ln(ut.fromOpts({locale:i,numberingSystem:l,defaultToEN:!0}),e,t)},e.fromStringExplain=function(t,n,r){return void 0===r&&(r={}),e.fromFormatExplain(t,n,r)},r(e,[{key:"isValid",get:function(){return null===this.invalid}},{key:"invalidReason",get:function(){return this.invalid?this.invalid.reason:null}},{key:"invalidExplanation",get:function(){return this.invalid?this.invalid.explanation:null}},{key:"locale",get:function(){return this.isValid?this.loc.locale:null}},{key:"numberingSystem",get:function(){return this.isValid?this.loc.numberingSystem:null}},{key:"outputCalendar",get:function(){return this.isValid?this.loc.outputCalendar:null}},{key:"zone",get:function(){return this._zone}},{key:"zoneName",get:function(){return this.isValid?this.zone.name:null}},{key:"year",get:function(){return this.isValid?this.c.year:NaN}},{key:"quarter",get:function(){return this.isValid?Math.ceil(this.c.month/3):NaN}},{key:"month",get:function(){return this.isValid?this.c.month:NaN}},{key:"day",get:function(){return this.isValid?this.c.day:NaN}},{key:"hour",get:function(){return this.isValid?this.c.hour:NaN}},{key:"minute",get:function(){return this.isValid?this.c.minute:NaN}},{key:"second",get:function(){return this.isValid?this.c.second:NaN}},{key:"millisecond",get:function(){return this.isValid?this.c.millisecond:NaN}},{key:"weekYear",get:function(){return this.isValid?Gn(this).weekYear:NaN}},{key:"weekNumber",get:function(){return this.isValid?Gn(this).weekNumber:NaN}},{key:"weekday",get:function(){return this.isValid?Gn(this).weekday:NaN}},{key:"ordinal",get:function(){return this.isValid?jn(this.c).ordinal:NaN}},{key:"monthShort",get:function(){return this.isValid?fn.months("short",{locObj:this.loc})[this.month-1]:null}},{key:"monthLong",get:function(){return this.isValid?fn.months("long",{locObj:this.loc})[this.month-1]:null}},{key:"weekdayShort",get:function(){return this.isValid?fn.weekdays("short",{locObj:this.loc})[this.weekday-1]:null}},{key:"weekdayLong",get:function(){return this.isValid?fn.weekdays("long",{locObj:this.loc})[this.weekday-1]:null}},{key:"offset",get:function(){return this.isValid?+this.o:NaN}},{key:"offsetNameShort",get:function(){return this.isValid?this.zone.offsetName(this.ts,{format:"short",locale:this.locale}):null}},{key:"offsetNameLong",get:function(){return this.isValid?this.zone.offsetName(this.ts,{format:"long",locale:this.locale}):null}},{key:"isOffsetFixed",get:function(){return this.isValid?this.zone.universal:null}},{key:"isInDST",get:function(){return!this.isOffsetFixed&&(this.offset>this.set({month:1}).offset||this.offset>this.set({month:5}).offset)}},{key:"isInLeapYear",get:function(){return oe(this.year)}},{key:"daysInMonth",get:function(){return ae(this.year,this.month)}},{key:"daysInYear",get:function(){return this.isValid?ie(this.year):NaN}},{key:"weeksInWeekYear",get:function(){return this.isValid?se(this.weekYear):NaN}}],[{key:"DATE_SHORT",get:function(){return k}},{key:"DATE_MED",get:function(){return E}},{key:"DATE_MED_WITH_WEEKDAY",get:function(){return A}},{key:"DATE_FULL",get:function(){return C}},{key:"DATE_HUGE",get:function(){return B}},{key:"TIME_SIMPLE",get:function(){return M}},{key:"TIME_WITH_SECONDS",get:function(){return _}},{key:"TIME_WITH_SHORT_OFFSET",get:function(){return S}},{key:"TIME_WITH_LONG_OFFSET",get:function(){return N}},{key:"TIME_24_SIMPLE",get:function(){return V}},{key:"TIME_24_WITH_SECONDS",get:function(){return L}},{key:"TIME_24_WITH_SHORT_OFFSET",get:function(){return T}},{key:"TIME_24_WITH_LONG_OFFSET",get:function(){return I}},{key:"DATETIME_SHORT",get:function(){return Z}},{key:"DATETIME_SHORT_WITH_SECONDS",get:function(){return O}},{key:"DATETIME_MED",get:function(){return D}},{key:"DATETIME_MED_WITH_SECONDS",get:function(){return R}},{key:"DATETIME_MED_WITH_WEEKDAY",get:function(){return H}},{key:"DATETIME_FULL",get:function(){return P}},{key:"DATETIME_FULL_WITH_SECONDS",get:function(){return j}},{key:"DATETIME_HUGE",get:function(){return F}},{key:"DATETIME_HUGE_WITH_SECONDS",get:function(){return z}}]),e}();function pr(e){if(hr.isDateTime(e))return e;if(e&&e.valueOf&&U(e.valueOf()))return hr.fromJSDate(e);if(e&&"object"==typeof e)return hr.fromObject(e);throw new g("Unknown datetime argument: "+e+", of type "+typeof e)}t.c9=hr,t.wB=Qe},71514:e=>{"use strict";e.exports=Math.abs},58968:e=>{"use strict";e.exports=Math.floor},94459:e=>{"use strict";e.exports=Number.isNaN||function(e){return e!=e}},6188:e=>{"use strict";e.exports=Math.max},68002:e=>{"use strict";e.exports=Math.min},75880:e=>{"use strict";e.exports=Math.pow},70414:e=>{"use strict";e.exports=Math.round},73093:(e,t,n)=>{"use strict";var r=n(94459);e.exports=function(e){return r(e)||0===e?e:e<0?-1:1}},6411:(e,t,n)=>{var r;!function(o,i){if(o){for(var a,l={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"},s={106:"*",107:"+",109:"-",110:".",111:"/",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'"},c={"~":"`","!":"1","@":"2","#":"3",$:"4","%":"5","^":"6","&":"7","*":"8","(":"9",")":"0",_:"-","+":"=",":":";",'"':"'","<":",",">":".","?":"/","|":"\\"},u={option:"alt",command:"meta",return:"enter",escape:"esc",plus:"+",mod:/Mac|iPod|iPhone|iPad/.test(navigator.platform)?"meta":"ctrl"},d=1;d<20;++d)l[111+d]="f"+d;for(d=0;d<=9;++d)l[d+96]=d.toString();w.prototype.bind=function(e,t,n){var r=this;return e=e instanceof Array?e:[e],r._bindMultiple.call(r,e,t,n),r},w.prototype.unbind=function(e,t){return this.bind.call(this,e,(function(){}),t)},w.prototype.trigger=function(e,t){var n=this;return n._directMap[e+":"+t]&&n._directMap[e+":"+t]({},e),n},w.prototype.reset=function(){var e=this;return e._callbacks={},e._directMap={},e},w.prototype.stopCallback=function(e,t){if((" "+t.className+" ").indexOf(" mousetrap ")>-1)return!1;if(g(t,this.target))return!1;if("composedPath"in e&&"function"==typeof e.composedPath){var n=e.composedPath()[0];n!==e.target&&(t=n)}return"INPUT"==t.tagName||"SELECT"==t.tagName||"TEXTAREA"==t.tagName||t.isContentEditable},w.prototype.handleKey=function(){return this._handleKey.apply(this,arguments)},w.addKeycodes=function(e){for(var t in e)e.hasOwnProperty(t)&&(l[t]=e[t]);a=null},w.init=function(){var e=w(i);for(var t in e)"_"!==t.charAt(0)&&(w[t]=function(t){return function(){return e[t].apply(e,arguments)}}(t))},w.init(),o.Mousetrap=w,e.exports&&(e.exports=w),void 0===(r=function(){return w}.call(t,n,t,e))||(e.exports=r)}function h(e,t,n){e.addEventListener?e.addEventListener(t,n,!1):e.attachEvent("on"+t,n)}function p(e){if("keypress"==e.type){var t=String.fromCharCode(e.which);return e.shiftKey||(t=t.toLowerCase()),t}return l[e.which]?l[e.which]:s[e.which]?s[e.which]:String.fromCharCode(e.which).toLowerCase()}function f(e){return"shift"==e||"ctrl"==e||"alt"==e||"meta"==e}function m(e,t,n){return n||(n=function(){if(!a)for(var e in a={},l)e>95&&e<112||l.hasOwnProperty(e)&&(a[l[e]]=e);return a}()[e]?"keydown":"keypress"),"keypress"==n&&t.length&&(n="keydown"),n}function v(e,t){var n,r,o,i=[];for(n=function(e){return"+"===e?["+"]:(e=e.replace(/\+{2}/g,"+plus")).split("+")}(e),o=0;o<n.length;++o)r=n[o],u[r]&&(r=u[r]),t&&"keypress"!=t&&c[r]&&(r=c[r],i.push("shift")),f(r)&&i.push(r);return{key:r,modifiers:i,action:t=m(r,i,t)}}function g(e,t){return null!==e&&e!==i&&(e===t||g(e.parentNode,t))}function w(e){var t=this;if(e=e||i,!(t instanceof w))return new w(e);t.target=e,t._callbacks={},t._directMap={};var n,r={},o=!1,a=!1,l=!1;function s(e){e=e||{};var t,n=!1;for(t in r)e[t]?n=!0:r[t]=0;n||(l=!1)}function c(e,n,o,i,a,l){var s,c,u,d,h=[],p=o.type;if(!t._callbacks[e])return[];for("keyup"==p&&f(e)&&(n=[e]),s=0;s<t._callbacks[e].length;++s)if(c=t._callbacks[e][s],(i||!c.seq||r[c.seq]==c.level)&&p==c.action&&("keypress"==p&&!o.metaKey&&!o.ctrlKey||(u=n,d=c.modifiers,u.sort().join(",")===d.sort().join(",")))){var m=!i&&c.combo==a,v=i&&c.seq==i&&c.level==l;(m||v)&&t._callbacks[e].splice(s,1),h.push(c)}return h}function u(e,n,r,o){t.stopCallback(n,n.target||n.srcElement,r,o)||!1===e(n,r)&&(function(e){e.preventDefault?e.preventDefault():e.returnValue=!1}(n),function(e){e.stopPropagation?e.stopPropagation():e.cancelBubble=!0}(n))}function d(e){"number"!=typeof e.which&&(e.which=e.keyCode);var n=p(e);n&&("keyup"!=e.type||o!==n?t.handleKey(n,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}(e),e):o=!1)}function m(e,t,i,a){function c(t){return function(){l=t,++r[e],clearTimeout(n),n=setTimeout(s,1e3)}}function d(t){u(i,t,e),"keyup"!==a&&(o=p(t)),setTimeout(s,10)}r[e]=0;for(var h=0;h<t.length;++h){var f=h+1===t.length?d:c(a||v(t[h+1]).action);g(t[h],f,a,e,h)}}function g(e,n,r,o,i){t._directMap[e+":"+r]=n;var a,l=(e=e.replace(/\s+/g," ")).split(" ");l.length>1?m(e,l,n,r):(a=v(e,r),t._callbacks[a.key]=t._callbacks[a.key]||[],c(a.key,a.modifiers,{type:a.action},o,e,i),t._callbacks[a.key][o?"unshift":"push"]({callback:n,modifiers:a.modifiers,action:a.action,seq:o,level:i,combo:e}))}t._handleKey=function(e,t,n){var r,o=c(e,t,n),i={},d=0,h=!1;for(r=0;r<o.length;++r)o[r].seq&&(d=Math.max(d,o[r].level));for(r=0;r<o.length;++r)if(o[r].seq){if(o[r].level!=d)continue;h=!0,i[o[r].seq]=1,u(o[r].callback,n,o[r].combo,o[r].seq)}else h||u(o[r].callback,n,o[r].combo);var p="keypress"==n.type&&a;n.type!=l||f(e)||p||s(i),a=h&&"keydown"==n.type},t._bindMultiple=function(e,t,n){for(var r=0;r<e.length;++r)g(e[r],t,n)},h(e,"keypress",d),h(e,"keydown",d),h(e,"keyup",d)}}("undefined"!=typeof window?window:null,"undefined"!=typeof window?document:null)},73333:(e,t,n)=>{"use strict";n.d(t,{A:()=>K});var r,o,i,a,l,s,c="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:void 0!==n.g?n.g:"undefined"!=typeof self?self:{};function u(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}function d(){return o?r:(o=1,r={languageTag:"en-US",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},spaceSeparated:!1,ordinal:function(e){let t=e%10;return 1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th"},bytes:{binarySuffixes:["B","KiB","MiB","GiB","TiB","PiB","EiB","ZiB","YiB"],decimalSuffixes:["B","KB","MB","GB","TB","PB","EB","ZB","YB"]},currency:{symbol:"$",position:"prefix",code:"USD"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0},fullWithTwoDecimals:{output:"currency",thousandSeparated:!0,mantissa:2},fullWithTwoDecimalsNoCurrency:{thousandSeparated:!0,mantissa:2},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,mantissa:0}}})}function h(){if(a)return i;a=1;const e=[{key:"ZiB",factor:Math.pow(1024,7)},{key:"ZB",factor:Math.pow(1e3,7)},{key:"YiB",factor:Math.pow(1024,8)},{key:"YB",factor:Math.pow(1e3,8)},{key:"TiB",factor:Math.pow(1024,4)},{key:"TB",factor:Math.pow(1e3,4)},{key:"PiB",factor:Math.pow(1024,5)},{key:"PB",factor:Math.pow(1e3,5)},{key:"MiB",factor:Math.pow(1024,2)},{key:"MB",factor:Math.pow(1e3,2)},{key:"KiB",factor:Math.pow(1024,1)},{key:"KB",factor:Math.pow(1e3,1)},{key:"GiB",factor:Math.pow(1024,3)},{key:"GB",factor:Math.pow(1e3,3)},{key:"EiB",factor:Math.pow(1024,6)},{key:"EB",factor:Math.pow(1e3,6)},{key:"B",factor:1}];function t(e){return e.replace(/[-/\\^$*+?.()|[\]{}]/g,"\\$&")}function n(r,o,i,a,l,s,c){if(!isNaN(+r))return+r;let u="",d=r.replace(/(^[^(]*)\((.*)\)([^)]*$)/,"$1$2$3");if(d!==r)return-1*n(d,o,i,a,l,s);for(let t=0;t<e.length;t++){let c=e[t];if(u=r.replace(RegExp(`([0-9 ])(${c.key})$`),"$1"),u!==r)return n(u,o,i,a,l,s)*c.factor}if(u=r.replace("%",""),u!==r)return n(u,o,i,a,l,s)/100;let h=parseFloat(r);if(isNaN(h))return;let p=a(h);if(p&&"."!==p&&(u=r.replace(new RegExp(`${t(p)}$`),""),u!==r))return n(u,o,i,a,l,s);let f={};Object.keys(s).forEach((e=>{f[s[e]]=e}));let m=Object.keys(f).sort().reverse(),v=m.length;for(let e=0;e<v;e++){let t=m[e],c=f[t];if(u=r.replace(t,""),u!==r){let e;switch(c){case"thousand":e=Math.pow(10,3);break;case"million":e=Math.pow(10,6);break;case"billion":e=Math.pow(10,9);break;case"trillion":e=Math.pow(10,12)}return n(u,o,i,a,l,s)*e}}}function r(e,r,o="",i,a,l,s){if(""===e)return;if(e===a)return 0;let c=function(e,n,r){let o=e.replace(r,"");return o=o.replace(new RegExp(`([0-9])${t(n.thousands)}([0-9])`,"g"),"$1$2"),o=o.replace(n.decimal,"."),o}(e,r,o);return n(c,r,o,i,a,l)}return i={unformat:function(e,t){const n=g();let o,i=n.currentDelimiters(),a=n.currentCurrency().symbol,l=n.currentOrdinal(),s=n.getZeroFormat(),c=n.currentAbbreviations();if("string"==typeof e)o=function(e,t){if(!e.indexOf(":")||":"===t.thousands)return!1;let n=e.split(":");if(3!==n.length)return!1;let r=+n[0],o=+n[1],i=+n[2];return!isNaN(r)&&!isNaN(o)&&!isNaN(i)}(e,i)?function(e){let t=e.split(":"),n=+t[0],r=+t[1];return+t[2]+60*r+3600*n}(e):r(e,i,a,l,s,c);else{if("number"!=typeof e)return;o=e}if(void 0!==o)return o}},i}function p(){if(s)return l;s=1;let e=h();const t=/^[a-z]{2,3}(-[a-zA-Z]{4})?(-([A-Z]{2}|[0-9]{3}))?$/,n={output:{type:"string",validValues:["currency","percent","byte","time","ordinal","number"]},base:{type:"string",validValues:["decimal","binary","general"],restriction:(e,t)=>"byte"===t.output,message:"`base` must be provided only when the output is `byte`",mandatory:e=>"byte"===e.output},characteristic:{type:"number",restriction:e=>e>=0,message:"value must be positive"},prefix:"string",postfix:"string",forceAverage:{type:"string",validValues:["trillion","billion","million","thousand"]},average:"boolean",lowPrecision:{type:"boolean",restriction:(e,t)=>!0===t.average,message:"`lowPrecision` must be provided only when the option `average` is set"},currencyPosition:{type:"string",validValues:["prefix","infix","postfix"]},currencySymbol:"string",totalLength:{type:"number",restrictions:[{restriction:e=>e>=0,message:"value must be positive"},{restriction:(e,t)=>!t.exponential,message:"`totalLength` is incompatible with `exponential`"}]},mantissa:{type:"number",restriction:e=>e>=0,message:"value must be positive"},optionalMantissa:"boolean",trimMantissa:"boolean",roundingFunction:"function",optionalCharacteristic:"boolean",thousandSeparated:"boolean",spaceSeparated:"boolean",spaceSeparatedCurrency:"boolean",spaceSeparatedAbbreviation:"boolean",abbreviations:{type:"object",children:{thousand:"string",million:"string",billion:"string",trillion:"string"}},negative:{type:"string",validValues:["sign","parenthesis"]},forceSign:"boolean",exponential:{type:"boolean"},prefixSymbol:{type:"boolean",restriction:(e,t)=>"percent"===t.output,message:"`prefixSymbol` can be provided only when the output is `percent`"}},r={languageTag:{type:"string",mandatory:!0,restriction:e=>e.match(t),message:"the language tag must follow the BCP 47 specification (see https://tools.ieft.org/html/bcp47)"},delimiters:{type:"object",children:{thousands:"string",decimal:"string",thousandsSize:"number"},mandatory:!0},abbreviations:{type:"object",children:{thousand:{type:"string",mandatory:!0},million:{type:"string",mandatory:!0},billion:{type:"string",mandatory:!0},trillion:{type:"string",mandatory:!0}},mandatory:!0},spaceSeparated:"boolean",spaceSeparatedCurrency:"boolean",ordinal:{type:"function",mandatory:!0},bytes:{type:"object",children:{binarySuffixes:"object",decimalSuffixes:"object"}},currency:{type:"object",children:{symbol:"string",position:"string",code:"string"},mandatory:!0},defaults:"format",ordinalFormat:"format",byteFormat:"format",percentageFormat:"format",currencyFormat:"format",timeDefaults:"format",formats:{type:"object",children:{fourDigits:{type:"format",mandatory:!0},fullWithTwoDecimals:{type:"format",mandatory:!0},fullWithTwoDecimalsNoCurrency:{type:"format",mandatory:!0},fullWithNoDecimals:{type:"format",mandatory:!0}}}};function o(t){return void 0!==e.unformat(t)}function i(e,t,r,o=!1){let a=Object.keys(e).map((o=>{if(!t[o])return console.error(`${r} Invalid key: ${o}`),!1;let a=e[o],l=t[o];if("string"==typeof l&&(l={type:l}),"format"===l.type){if(!i(a,n,`[Validate ${o}]`,!0))return!1}else if(typeof a!==l.type)return console.error(`${r} ${o} type mismatched: "${l.type}" expected, "${typeof a}" provided`),!1;if(l.restrictions&&l.restrictions.length){let t=l.restrictions.length;for(let n=0;n<t;n++){let{restriction:t,message:i}=l.restrictions[n];if(!t(a,e))return console.error(`${r} ${o} invalid value: ${i}`),!1}}if(l.restriction&&!l.restriction(a,e))return console.error(`${r} ${o} invalid value: ${l.message}`),!1;if(l.validValues&&-1===l.validValues.indexOf(a))return console.error(`${r} ${o} invalid value: must be among ${JSON.stringify(l.validValues)}, "${a}" provided`),!1;if(l.children){if(!i(a,l.children,`[Validate ${o}]`))return!1}return!0}));return o||a.push(...Object.keys(t).map((n=>{let o=t[n];if("string"==typeof o&&(o={type:o}),o.mandatory){let t=o.mandatory;if("function"==typeof t&&(t=t(e)),t&&void 0===e[n])return console.error(`${r} Missing mandatory key "${n}"`),!1}return!0}))),a.reduce(((e,t)=>e&&t),!0)}function a(e){return i(e,n,"[Validate format]")}return l={validate:function(e,t){let n=o(e),r=a(t);return n&&r},validateFormat:a,validateInput:o,validateLanguage:function(e){return i(e,r,"[Validate language]")}},l}var f,m,v={parseFormat:function(e,t={}){return"string"!=typeof e?e:(function(e,t){if(-1===e.indexOf("$")){if(-1===e.indexOf("%"))return-1!==e.indexOf("bd")?(t.output="byte",void(t.base="general")):-1!==e.indexOf("b")?(t.output="byte",void(t.base="binary")):-1!==e.indexOf("d")?(t.output="byte",void(t.base="decimal")):void(-1===e.indexOf(":")?-1!==e.indexOf("o")&&(t.output="ordinal"):t.output="time");t.output="percent"}else t.output="currency"}(e=function(e,t){let n=e.match(/{([^}]*)}$/);return n?(t.postfix=n[1],e.slice(0,-n[0].length)):e}(e=function(e,t){let n=e.match(/^{([^}]*)}/);return n?(t.prefix=n[1],e.slice(n[0].length)):e}(e,t),t),t),function(e,t){let n=e.match(/[1-9]+[0-9]*/);n&&(t.totalLength=+n[0])}(e,t),function(e,t){let n=e.split(".")[0].match(/0+/);n&&(t.characteristic=n[0].length)}(e,t),function(e,t){if(-1!==e.indexOf(".")){let n=e.split(".")[0];t.optionalCharacteristic=-1===n.indexOf("0")}}(e,t),function(e,t){-1!==e.indexOf("a")&&(t.average=!0)}(e,t),function(e,t){-1!==e.indexOf("K")?t.forceAverage="thousand":-1!==e.indexOf("M")?t.forceAverage="million":-1!==e.indexOf("B")?t.forceAverage="billion":-1!==e.indexOf("T")&&(t.forceAverage="trillion")}(e,t),function(e,t){let n=e.split(".")[1];if(n){let e=n.match(/0+/);e&&(t.mantissa=e[0].length)}}(e,t),function(e,t){e.match(/\[\.]/)?t.optionalMantissa=!0:e.match(/\./)&&(t.optionalMantissa=!1)}(e,t),function(e,t){const n=e.split(".")[1];n&&(t.trimMantissa=-1!==n.indexOf("["))}(e,t),function(e,t){-1!==e.indexOf(",")&&(t.thousandSeparated=!0)}(e,t),function(e,t){-1!==e.indexOf(" ")&&(t.spaceSeparated=!0,t.spaceSeparatedCurrency=!0,(t.average||t.forceAverage)&&(t.spaceSeparatedAbbreviation=!0))}(e,t),function(e,t){e.match(/^\+?\([^)]*\)$/)&&(t.negative="parenthesis"),e.match(/^\+?-/)&&(t.negative="sign")}(e,t),function(e,t){e.match(/^\+/)&&(t.forceSign=!0)}(e,t),t)}};function g(){if(m)return f;m=1;const e=d(),t=p(),n=v;let r,o={},i={},a=null,l={};function s(e){r=e}function c(){return i[r]}return o.languages=()=>Object.assign({},i),o.currentLanguage=()=>r,o.currentBytes=()=>c().bytes||{},o.currentCurrency=()=>c().currency,o.currentAbbreviations=()=>c().abbreviations,o.currentDelimiters=()=>c().delimiters,o.currentOrdinal=()=>c().ordinal,o.currentDefaults=()=>Object.assign({},c().defaults,l),o.currentOrdinalDefaultFormat=()=>Object.assign({},o.currentDefaults(),c().ordinalFormat),o.currentByteDefaultFormat=()=>Object.assign({},o.currentDefaults(),c().byteFormat),o.currentPercentageDefaultFormat=()=>Object.assign({},o.currentDefaults(),c().percentageFormat),o.currentCurrencyDefaultFormat=()=>Object.assign({},o.currentDefaults(),c().currencyFormat),o.currentTimeDefaultFormat=()=>Object.assign({},o.currentDefaults(),c().timeFormat),o.setDefaults=e=>{e=n.parseFormat(e),t.validateFormat(e)&&(l=e)},o.getZeroFormat=()=>a,o.setZeroFormat=e=>a="string"==typeof e?e:null,o.hasZeroFormat=()=>null!==a,o.languageData=e=>{if(e){if(i[e])return i[e];throw new Error(`Unknown tag "${e}"`)}return c()},o.registerLanguage=(e,n=!1)=>{if(!t.validateLanguage(e))throw new Error("Invalid language data");i[e.languageTag]=e,n&&s(e.languageTag)},o.setLanguage=(t,n=e.languageTag)=>{if(!i[t]){let e=t.split("-")[0],r=Object.keys(i).find((t=>t.split("-")[0]===e));return i[r]?void s(r):void s(n)}s(t)},o.registerLanguage(e),r=e.languageTag,f=o}function w(e,t){e.forEach((e=>{let n;try{n=function(e){throw new Error('Could not dynamically require "'+e+'". Please configure the dynamicRequireTargets or/and ignoreDynamicRequires option of @rollup/plugin-commonjs appropriately for this require call to work.')}(`../languages/${e}`)}catch(t){console.error(`Unable to load "${e}". No matching language file found.`)}n&&t.registerLanguage(n)}))}var y,b={exports:{}};y=b,function(e){var t,n=/^-?(?:\d+(?:\.\d*)?|\.\d+)(?:e[+-]?\d+)?$/i,r=Math.ceil,o=Math.floor,i="[BigNumber Error] ",a=i+"Number primitive has more than 15 significant digits: ",l=1e14,s=14,c=9007199254740991,u=[1,10,100,1e3,1e4,1e5,1e6,1e7,1e8,1e9,1e10,1e11,1e12,1e13],d=1e7,h=1e9;function p(e){var t=0|e;return e>0||e===t?t:t-1}function f(e){for(var t,n,r=1,o=e.length,i=e[0]+"";r<o;){for(t=e[r++]+"",n=s-t.length;n--;t="0"+t);i+=t}for(o=i.length;48===i.charCodeAt(--o););return i.slice(0,o+1||1)}function m(e,t){var n,r,o=e.c,i=t.c,a=e.s,l=t.s,s=e.e,c=t.e;if(!a||!l)return null;if(n=o&&!o[0],r=i&&!i[0],n||r)return n?r?0:-l:a;if(a!=l)return a;if(n=a<0,r=s==c,!o||!i)return r?0:!o^n?1:-1;if(!r)return s>c^n?1:-1;for(l=(s=o.length)<(c=i.length)?s:c,a=0;a<l;a++)if(o[a]!=i[a])return o[a]>i[a]^n?1:-1;return s==c?0:s>c^n?1:-1}function v(e,t,n,r){if(e<t||e>n||e!==o(e))throw Error(i+(r||"Argument")+("number"==typeof e?e<t||e>n?" out of range: ":" not an integer: ":" not a primitive number: ")+String(e))}function g(e){var t=e.c.length-1;return p(e.e/s)==t&&e.c[t]%2!=0}function w(e,t){return(e.length>1?e.charAt(0)+"."+e.slice(1):e)+(t<0?"e":"e+")+t}function b(e,t,n){var r,o;if(t<0){for(o=n+".";++t;o+=n);e=o+e}else if(++t>(r=e.length)){for(o=n,t-=r;--t;o+=n);e+=o}else t<r&&(e=e.slice(0,t)+"."+e.slice(t));return e}t=function e(t){var y,x,k,E,A,C,B,M,_,S,N=q.prototype={constructor:q,toString:null,valueOf:null},V=new q(1),L=20,T=4,I=-7,Z=21,O=-1e7,D=1e7,R=!1,H=1,P=0,j={prefix:"",groupSize:3,secondaryGroupSize:0,groupSeparator:",",decimalSeparator:".",fractionGroupSize:0,fractionGroupSeparator:" ",suffix:""},F="0123456789abcdefghijklmnopqrstuvwxyz",z=!0;function q(e,t){var r,i,l,u,d,h,p,f,m=this;if(!(m instanceof q))return new q(e,t);if(null==t){if(e&&!0===e._isBigNumber)return m.s=e.s,void(!e.c||e.e>D?m.c=m.e=null:e.e<O?m.c=[m.e=0]:(m.e=e.e,m.c=e.c.slice()));if((h="number"==typeof e)&&0*e==0){if(m.s=1/e<0?(e=-e,-1):1,e===~~e){for(u=0,d=e;d>=10;d/=10,u++);return void(u>D?m.c=m.e=null:(m.e=u,m.c=[e]))}f=String(e)}else{if(!n.test(f=String(e)))return k(m,f,h);m.s=45==f.charCodeAt(0)?(f=f.slice(1),-1):1}(u=f.indexOf("."))>-1&&(f=f.replace(".","")),(d=f.search(/e/i))>0?(u<0&&(u=d),u+=+f.slice(d+1),f=f.substring(0,d)):u<0&&(u=f.length)}else{if(v(t,2,F.length,"Base"),10==t&&z)return G(m=new q(e),L+m.e+1,T);if(f=String(e),h="number"==typeof e){if(0*e!=0)return k(m,f,h,t);if(m.s=1/e<0?(f=f.slice(1),-1):1,q.DEBUG&&f.replace(/^0\.0*|\./,"").length>15)throw Error(a+e)}else m.s=45===f.charCodeAt(0)?(f=f.slice(1),-1):1;for(r=F.slice(0,t),u=d=0,p=f.length;d<p;d++)if(r.indexOf(i=f.charAt(d))<0){if("."==i){if(d>u){u=p;continue}}else if(!l&&(f==f.toUpperCase()&&(f=f.toLowerCase())||f==f.toLowerCase()&&(f=f.toUpperCase()))){l=!0,d=-1,u=0;continue}return k(m,String(e),h,t)}h=!1,(u=(f=x(f,t,10,m.s)).indexOf("."))>-1?f=f.replace(".",""):u=f.length}for(d=0;48===f.charCodeAt(d);d++);for(p=f.length;48===f.charCodeAt(--p););if(f=f.slice(d,++p)){if(p-=d,h&&q.DEBUG&&p>15&&(e>c||e!==o(e)))throw Error(a+m.s*e);if((u=u-d-1)>D)m.c=m.e=null;else if(u<O)m.c=[m.e=0];else{if(m.e=u,m.c=[],d=(u+1)%s,u<0&&(d+=s),d<p){for(d&&m.c.push(+f.slice(0,d)),p-=s;d<p;)m.c.push(+f.slice(d,d+=s));d=s-(f=f.slice(d)).length}else d-=p;for(;d--;f+="0");m.c.push(+f)}}else m.c=[m.e=0]}function U(e,t,n,r){var o,i,a,l,s;if(null==n?n=T:v(n,0,8),!e.c)return e.toString();if(o=e.c[0],a=e.e,null==t)s=f(e.c),s=1==r||2==r&&(a<=I||a>=Z)?w(s,a):b(s,a,"0");else if(i=(e=G(new q(e),t,n)).e,l=(s=f(e.c)).length,1==r||2==r&&(t<=i||i<=I)){for(;l<t;s+="0",l++);s=w(s,i)}else if(t-=a,s=b(s,i,"0"),i+1>l){if(--t>0)for(s+=".";t--;s+="0");}else if((t+=i-l)>0)for(i+1==l&&(s+=".");t--;s+="0");return e.s<0&&o?"-"+s:s}function $(e,t){for(var n,r,o=1,i=new q(e[0]);o<e.length;o++)(!(r=new q(e[o])).s||(n=m(i,r))===t||0===n&&i.s===t)&&(i=r);return i}function W(e,t,n){for(var r=1,o=t.length;!t[--o];t.pop());for(o=t[0];o>=10;o/=10,r++);return(n=r+n*s-1)>D?e.c=e.e=null:n<O?e.c=[e.e=0]:(e.e=n,e.c=t),e}function G(e,t,n,i){var a,c,d,h,p,f,m,v=e.c,g=u;if(v){e:{for(a=1,h=v[0];h>=10;h/=10,a++);if((c=t-a)<0)c+=s,d=t,p=v[f=0],m=o(p/g[a-d-1]%10);else if((f=r((c+1)/s))>=v.length){if(!i)break e;for(;v.length<=f;v.push(0));p=m=0,a=1,d=(c%=s)-s+1}else{for(p=h=v[f],a=1;h>=10;h/=10,a++);m=(d=(c%=s)-s+a)<0?0:o(p/g[a-d-1]%10)}if(i=i||t<0||null!=v[f+1]||(d<0?p:p%g[a-d-1]),i=n<4?(m||i)&&(0==n||n==(e.s<0?3:2)):m>5||5==m&&(4==n||i||6==n&&(c>0?d>0?p/g[a-d]:0:v[f-1])%10&1||n==(e.s<0?8:7)),t<1||!v[0])return v.length=0,i?(t-=e.e+1,v[0]=g[(s-t%s)%s],e.e=-t||0):v[0]=e.e=0,e;if(0==c?(v.length=f,h=1,f--):(v.length=f+1,h=g[s-c],v[f]=d>0?o(p/g[a-d]%g[d])*h:0),i)for(;;){if(0==f){for(c=1,d=v[0];d>=10;d/=10,c++);for(d=v[0]+=h,h=1;d>=10;d/=10,h++);c!=h&&(e.e++,v[0]==l&&(v[0]=1));break}if(v[f]+=h,v[f]!=l)break;v[f--]=0,h=1}for(c=v.length;0===v[--c];v.pop());}e.e>D?e.c=e.e=null:e.e<O&&(e.c=[e.e=0])}return e}function K(e){var t,n=e.e;return null===n?e.toString():(t=f(e.c),t=n<=I||n>=Z?w(t,n):b(t,n,"0"),e.s<0?"-"+t:t)}return q.clone=e,q.ROUND_UP=0,q.ROUND_DOWN=1,q.ROUND_CEIL=2,q.ROUND_FLOOR=3,q.ROUND_HALF_UP=4,q.ROUND_HALF_DOWN=5,q.ROUND_HALF_EVEN=6,q.ROUND_HALF_CEIL=7,q.ROUND_HALF_FLOOR=8,q.EUCLID=9,q.config=q.set=function(e){var t,n;if(null!=e){if("object"!=typeof e)throw Error(i+"Object expected: "+e);if(e.hasOwnProperty(t="DECIMAL_PLACES")&&(v(n=e[t],0,h,t),L=n),e.hasOwnProperty(t="ROUNDING_MODE")&&(v(n=e[t],0,8,t),T=n),e.hasOwnProperty(t="EXPONENTIAL_AT")&&((n=e[t])&&n.pop?(v(n[0],-h,0,t),v(n[1],0,h,t),I=n[0],Z=n[1]):(v(n,-h,h,t),I=-(Z=n<0?-n:n))),e.hasOwnProperty(t="RANGE"))if((n=e[t])&&n.pop)v(n[0],-h,-1,t),v(n[1],1,h,t),O=n[0],D=n[1];else{if(v(n,-h,h,t),!n)throw Error(i+t+" cannot be zero: "+n);O=-(D=n<0?-n:n)}if(e.hasOwnProperty(t="CRYPTO")){if((n=e[t])!==!!n)throw Error(i+t+" not true or false: "+n);if(n){if("undefined"==typeof crypto||!crypto||!crypto.getRandomValues&&!crypto.randomBytes)throw R=!n,Error(i+"crypto unavailable");R=n}else R=n}if(e.hasOwnProperty(t="MODULO_MODE")&&(v(n=e[t],0,9,t),H=n),e.hasOwnProperty(t="POW_PRECISION")&&(v(n=e[t],0,h,t),P=n),e.hasOwnProperty(t="FORMAT")){if("object"!=typeof(n=e[t]))throw Error(i+t+" not an object: "+n);j=n}if(e.hasOwnProperty(t="ALPHABET")){if("string"!=typeof(n=e[t])||/^.?$|[+\-.\s]|(.).*\1/.test(n))throw Error(i+t+" invalid: "+n);z="0123456789"==n.slice(0,10),F=n}}return{DECIMAL_PLACES:L,ROUNDING_MODE:T,EXPONENTIAL_AT:[I,Z],RANGE:[O,D],CRYPTO:R,MODULO_MODE:H,POW_PRECISION:P,FORMAT:j,ALPHABET:F}},q.isBigNumber=function(e){if(!e||!0!==e._isBigNumber)return!1;if(!q.DEBUG)return!0;var t,n,r=e.c,a=e.e,c=e.s;e:if("[object Array]"=={}.toString.call(r)){if((1===c||-1===c)&&a>=-h&&a<=h&&a===o(a)){if(0===r[0]){if(0===a&&1===r.length)return!0;break e}if((t=(a+1)%s)<1&&(t+=s),String(r[0]).length==t){for(t=0;t<r.length;t++)if((n=r[t])<0||n>=l||n!==o(n))break e;if(0!==n)return!0}}}else if(null===r&&null===a&&(null===c||1===c||-1===c))return!0;throw Error(i+"Invalid BigNumber: "+e)},q.maximum=q.max=function(){return $(arguments,-1)},q.minimum=q.min=function(){return $(arguments,1)},q.random=(E=9007199254740992,A=Math.random()*E&2097151?function(){return o(Math.random()*E)}:function(){return 8388608*(1073741824*Math.random()|0)+(8388608*Math.random()|0)},function(e){var t,n,a,l,c,d=0,p=[],f=new q(V);if(null==e?e=L:v(e,0,h),l=r(e/s),R)if(crypto.getRandomValues){for(t=crypto.getRandomValues(new Uint32Array(l*=2));d<l;)(c=131072*t[d]+(t[d+1]>>>11))>=9e15?(n=crypto.getRandomValues(new Uint32Array(2)),t[d]=n[0],t[d+1]=n[1]):(p.push(c%1e14),d+=2);d=l/2}else{if(!crypto.randomBytes)throw R=!1,Error(i+"crypto unavailable");for(t=crypto.randomBytes(l*=7);d<l;)(c=281474976710656*(31&t[d])+1099511627776*t[d+1]+4294967296*t[d+2]+16777216*t[d+3]+(t[d+4]<<16)+(t[d+5]<<8)+t[d+6])>=9e15?crypto.randomBytes(7).copy(t,d):(p.push(c%1e14),d+=7);d=l/7}if(!R)for(;d<l;)(c=A())<9e15&&(p[d++]=c%1e14);for(l=p[--d],e%=s,l&&e&&(c=u[s-e],p[d]=o(l/c)*c);0===p[d];p.pop(),d--);if(d<0)p=[a=0];else{for(a=-1;0===p[0];p.splice(0,1),a-=s);for(d=1,c=p[0];c>=10;c/=10,d++);d<s&&(a-=s-d)}return f.e=a,f.c=p,f}),q.sum=function(){for(var e=1,t=arguments,n=new q(t[0]);e<t.length;)n=n.plus(t[e++]);return n},x=function(){var e="0123456789";function t(e,t,n,r){for(var o,i,a=[0],l=0,s=e.length;l<s;){for(i=a.length;i--;a[i]*=t);for(a[0]+=r.indexOf(e.charAt(l++)),o=0;o<a.length;o++)a[o]>n-1&&(null==a[o+1]&&(a[o+1]=0),a[o+1]+=a[o]/n|0,a[o]%=n)}return a.reverse()}return function(n,r,o,i,a){var l,s,c,u,d,h,p,m,v=n.indexOf("."),g=L,w=T;for(v>=0&&(u=P,P=0,n=n.replace(".",""),h=(m=new q(r)).pow(n.length-v),P=u,m.c=t(b(f(h.c),h.e,"0"),10,o,e),m.e=m.c.length),c=u=(p=t(n,r,o,a?(l=F,e):(l=e,F))).length;0==p[--u];p.pop());if(!p[0])return l.charAt(0);if(v<0?--c:(h.c=p,h.e=c,h.s=i,p=(h=y(h,m,g,w,o)).c,d=h.r,c=h.e),v=p[s=c+g+1],u=o/2,d=d||s<0||null!=p[s+1],d=w<4?(null!=v||d)&&(0==w||w==(h.s<0?3:2)):v>u||v==u&&(4==w||d||6==w&&1&p[s-1]||w==(h.s<0?8:7)),s<1||!p[0])n=d?b(l.charAt(1),-g,l.charAt(0)):l.charAt(0);else{if(p.length=s,d)for(--o;++p[--s]>o;)p[s]=0,s||(++c,p=[1].concat(p));for(u=p.length;!p[--u];);for(v=0,n="";v<=u;n+=l.charAt(p[v++]));n=b(n,c,l.charAt(0))}return n}}(),y=function(){function e(e,t,n){var r,o,i,a,l=0,s=e.length,c=t%d,u=t/d|0;for(e=e.slice();s--;)l=((o=c*(i=e[s]%d)+(r=u*i+(a=e[s]/d|0)*c)%d*d+l)/n|0)+(r/d|0)+u*a,e[s]=o%n;return l&&(e=[l].concat(e)),e}function t(e,t,n,r){var o,i;if(n!=r)i=n>r?1:-1;else for(o=i=0;o<n;o++)if(e[o]!=t[o]){i=e[o]>t[o]?1:-1;break}return i}function n(e,t,n,r){for(var o=0;n--;)e[n]-=o,o=e[n]<t[n]?1:0,e[n]=o*r+e[n]-t[n];for(;!e[0]&&e.length>1;e.splice(0,1));}return function(r,i,a,c,u){var d,h,f,m,v,g,w,y,b,x,k,E,A,C,B,M,_,S=r.s==i.s?1:-1,N=r.c,V=i.c;if(!(N&&N[0]&&V&&V[0]))return new q(r.s&&i.s&&(N?!V||N[0]!=V[0]:V)?N&&0==N[0]||!V?0*S:S/0:NaN);for(b=(y=new q(S)).c=[],S=a+(h=r.e-i.e)+1,u||(u=l,h=p(r.e/s)-p(i.e/s),S=S/s|0),f=0;V[f]==(N[f]||0);f++);if(V[f]>(N[f]||0)&&h--,S<0)b.push(1),m=!0;else{for(C=N.length,M=V.length,f=0,S+=2,(v=o(u/(V[0]+1)))>1&&(V=e(V,v,u),N=e(N,v,u),M=V.length,C=N.length),A=M,k=(x=N.slice(0,M)).length;k<M;x[k++]=0);_=V.slice(),_=[0].concat(_),B=V[0],V[1]>=u/2&&B++;do{if(v=0,(d=t(V,x,M,k))<0){if(E=x[0],M!=k&&(E=E*u+(x[1]||0)),(v=o(E/B))>1)for(v>=u&&(v=u-1),w=(g=e(V,v,u)).length,k=x.length;1==t(g,x,w,k);)v--,n(g,M<w?_:V,w,u),w=g.length,d=1;else 0==v&&(d=v=1),w=(g=V.slice()).length;if(w<k&&(g=[0].concat(g)),n(x,g,k,u),k=x.length,-1==d)for(;t(V,x,M,k)<1;)v++,n(x,M<k?_:V,k,u),k=x.length}else 0===d&&(v++,x=[0]);b[f++]=v,x[0]?x[k++]=N[A]||0:(x=[N[A]],k=1)}while((A++<C||null!=x[0])&&S--);m=null!=x[0],b[0]||b.splice(0,1)}if(u==l){for(f=1,S=b[0];S>=10;S/=10,f++);G(y,a+(y.e=f+h*s-1)+1,c,m)}else y.e=h,y.r=+m;return y}}(),C=/^(-?)0([xbo])(?=\w[\w.]*$)/i,B=/^([^.]+)\.$/,M=/^\.([^.]+)$/,_=/^-?(Infinity|NaN)$/,S=/^\s*\+(?=[\w.])|^\s+|\s+$/g,k=function(e,t,n,r){var o,a=n?t:t.replace(S,"");if(_.test(a))e.s=isNaN(a)?null:a<0?-1:1;else{if(!n&&(a=a.replace(C,(function(e,t,n){return o="x"==(n=n.toLowerCase())?16:"b"==n?2:8,r&&r!=o?e:t})),r&&(o=r,a=a.replace(B,"$1").replace(M,"0.$1")),t!=a))return new q(a,o);if(q.DEBUG)throw Error(i+"Not a"+(r?" base "+r:"")+" number: "+t);e.s=null}e.c=e.e=null},N.absoluteValue=N.abs=function(){var e=new q(this);return e.s<0&&(e.s=1),e},N.comparedTo=function(e,t){return m(this,new q(e,t))},N.decimalPlaces=N.dp=function(e,t){var n,r,o,i=this;if(null!=e)return v(e,0,h),null==t?t=T:v(t,0,8),G(new q(i),e+i.e+1,t);if(!(n=i.c))return null;if(r=((o=n.length-1)-p(this.e/s))*s,o=n[o])for(;o%10==0;o/=10,r--);return r<0&&(r=0),r},N.dividedBy=N.div=function(e,t){return y(this,new q(e,t),L,T)},N.dividedToIntegerBy=N.idiv=function(e,t){return y(this,new q(e,t),0,1)},N.exponentiatedBy=N.pow=function(e,t){var n,a,l,c,u,d,h,p,f=this;if((e=new q(e)).c&&!e.isInteger())throw Error(i+"Exponent not an integer: "+K(e));if(null!=t&&(t=new q(t)),u=e.e>14,!f.c||!f.c[0]||1==f.c[0]&&!f.e&&1==f.c.length||!e.c||!e.c[0])return p=new q(Math.pow(+K(f),u?e.s*(2-g(e)):+K(e))),t?p.mod(t):p;if(d=e.s<0,t){if(t.c?!t.c[0]:!t.s)return new q(NaN);(a=!d&&f.isInteger()&&t.isInteger())&&(f=f.mod(t))}else{if(e.e>9&&(f.e>0||f.e<-1||(0==f.e?f.c[0]>1||u&&f.c[1]>=24e7:f.c[0]<8e13||u&&f.c[0]<=9999975e7)))return c=f.s<0&&g(e)?-0:0,f.e>-1&&(c=1/c),new q(d?1/c:c);P&&(c=r(P/s+2))}for(u?(n=new q(.5),d&&(e.s=1),h=g(e)):h=(l=Math.abs(+K(e)))%2,p=new q(V);;){if(h){if(!(p=p.times(f)).c)break;c?p.c.length>c&&(p.c.length=c):a&&(p=p.mod(t))}if(l){if(0===(l=o(l/2)))break;h=l%2}else if(G(e=e.times(n),e.e+1,1),e.e>14)h=g(e);else{if(0==(l=+K(e)))break;h=l%2}f=f.times(f),c?f.c&&f.c.length>c&&(f.c.length=c):a&&(f=f.mod(t))}return a?p:(d&&(p=V.div(p)),t?p.mod(t):c?G(p,P,T,void 0):p)},N.integerValue=function(e){var t=new q(this);return null==e?e=T:v(e,0,8),G(t,t.e+1,e)},N.isEqualTo=N.eq=function(e,t){return 0===m(this,new q(e,t))},N.isFinite=function(){return!!this.c},N.isGreaterThan=N.gt=function(e,t){return m(this,new q(e,t))>0},N.isGreaterThanOrEqualTo=N.gte=function(e,t){return 1===(t=m(this,new q(e,t)))||0===t},N.isInteger=function(){return!!this.c&&p(this.e/s)>this.c.length-2},N.isLessThan=N.lt=function(e,t){return m(this,new q(e,t))<0},N.isLessThanOrEqualTo=N.lte=function(e,t){return-1===(t=m(this,new q(e,t)))||0===t},N.isNaN=function(){return!this.s},N.isNegative=function(){return this.s<0},N.isPositive=function(){return this.s>0},N.isZero=function(){return!!this.c&&0==this.c[0]},N.minus=function(e,t){var n,r,o,i,a=this,c=a.s;if(t=(e=new q(e,t)).s,!c||!t)return new q(NaN);if(c!=t)return e.s=-t,a.plus(e);var u=a.e/s,d=e.e/s,h=a.c,f=e.c;if(!u||!d){if(!h||!f)return h?(e.s=-t,e):new q(f?a:NaN);if(!h[0]||!f[0])return f[0]?(e.s=-t,e):new q(h[0]?a:3==T?-0:0)}if(u=p(u),d=p(d),h=h.slice(),c=u-d){for((i=c<0)?(c=-c,o=h):(d=u,o=f),o.reverse(),t=c;t--;o.push(0));o.reverse()}else for(r=(i=(c=h.length)<(t=f.length))?c:t,c=t=0;t<r;t++)if(h[t]!=f[t]){i=h[t]<f[t];break}if(i&&(o=h,h=f,f=o,e.s=-e.s),(t=(r=f.length)-(n=h.length))>0)for(;t--;h[n++]=0);for(t=l-1;r>c;){if(h[--r]<f[r]){for(n=r;n&&!h[--n];h[n]=t);--h[n],h[r]+=l}h[r]-=f[r]}for(;0==h[0];h.splice(0,1),--d);return h[0]?W(e,h,d):(e.s=3==T?-1:1,e.c=[e.e=0],e)},N.modulo=N.mod=function(e,t){var n,r,o=this;return e=new q(e,t),!o.c||!e.s||e.c&&!e.c[0]?new q(NaN):!e.c||o.c&&!o.c[0]?new q(o):(9==H?(r=e.s,e.s=1,n=y(o,e,0,3),e.s=r,n.s*=r):n=y(o,e,0,H),(e=o.minus(n.times(e))).c[0]||1!=H||(e.s=o.s),e)},N.multipliedBy=N.times=function(e,t){var n,r,o,i,a,c,u,h,f,m,v,g,w,y,b,x=this,k=x.c,E=(e=new q(e,t)).c;if(!(k&&E&&k[0]&&E[0]))return!x.s||!e.s||k&&!k[0]&&!E||E&&!E[0]&&!k?e.c=e.e=e.s=null:(e.s*=x.s,k&&E?(e.c=[0],e.e=0):e.c=e.e=null),e;for(r=p(x.e/s)+p(e.e/s),e.s*=x.s,(u=k.length)<(m=E.length)&&(w=k,k=E,E=w,o=u,u=m,m=o),o=u+m,w=[];o--;w.push(0));for(y=l,b=d,o=m;--o>=0;){for(n=0,v=E[o]%b,g=E[o]/b|0,i=o+(a=u);i>o;)n=((h=v*(h=k[--a]%b)+(c=g*h+(f=k[a]/b|0)*v)%b*b+w[i]+n)/y|0)+(c/b|0)+g*f,w[i--]=h%y;w[i]=n}return n?++r:w.splice(0,1),W(e,w,r)},N.negated=function(){var e=new q(this);return e.s=-e.s||null,e},N.plus=function(e,t){var n,r=this,o=r.s;if(t=(e=new q(e,t)).s,!o||!t)return new q(NaN);if(o!=t)return e.s=-t,r.minus(e);var i=r.e/s,a=e.e/s,c=r.c,u=e.c;if(!i||!a){if(!c||!u)return new q(o/0);if(!c[0]||!u[0])return u[0]?e:new q(c[0]?r:0*o)}if(i=p(i),a=p(a),c=c.slice(),o=i-a){for(o>0?(a=i,n=u):(o=-o,n=c),n.reverse();o--;n.push(0));n.reverse()}for((o=c.length)-(t=u.length)<0&&(n=u,u=c,c=n,t=o),o=0;t;)o=(c[--t]=c[t]+u[t]+o)/l|0,c[t]=l===c[t]?0:c[t]%l;return o&&(c=[o].concat(c),++a),W(e,c,a)},N.precision=N.sd=function(e,t){var n,r,o,i=this;if(null!=e&&e!==!!e)return v(e,1,h),null==t?t=T:v(t,0,8),G(new q(i),e,t);if(!(n=i.c))return null;if(r=(o=n.length-1)*s+1,o=n[o]){for(;o%10==0;o/=10,r--);for(o=n[0];o>=10;o/=10,r++);}return e&&i.e+1>r&&(r=i.e+1),r},N.shiftedBy=function(e){return v(e,-9007199254740991,c),this.times("1e"+e)},N.squareRoot=N.sqrt=function(){var e,t,n,r,o,i=this,a=i.c,l=i.s,s=i.e,c=L+4,u=new q("0.5");if(1!==l||!a||!a[0])return new q(!l||l<0&&(!a||a[0])?NaN:a?i:1/0);if(0==(l=Math.sqrt(+K(i)))||l==1/0?(((t=f(a)).length+s)%2==0&&(t+="0"),l=Math.sqrt(+t),s=p((s+1)/2)-(s<0||s%2),n=new q(t=l==1/0?"5e"+s:(t=l.toExponential()).slice(0,t.indexOf("e")+1)+s)):n=new q(l+""),n.c[0])for((l=(s=n.e)+c)<3&&(l=0);;)if(o=n,n=u.times(o.plus(y(i,o,c,1))),f(o.c).slice(0,l)===(t=f(n.c)).slice(0,l)){if(n.e<s&&--l,"9999"!=(t=t.slice(l-3,l+1))&&(r||"4999"!=t)){+t&&(+t.slice(1)||"5"!=t.charAt(0))||(G(n,n.e+L+2,1),e=!n.times(n).eq(i));break}if(!r&&(G(o,o.e+L+2,0),o.times(o).eq(i))){n=o;break}c+=4,l+=4,r=1}return G(n,n.e+L+1,T,e)},N.toExponential=function(e,t){return null!=e&&(v(e,0,h),e++),U(this,e,t,1)},N.toFixed=function(e,t){return null!=e&&(v(e,0,h),e=e+this.e+1),U(this,e,t)},N.toFormat=function(e,t,n){var r,o=this;if(null==n)null!=e&&t&&"object"==typeof t?(n=t,t=null):e&&"object"==typeof e?(n=e,e=t=null):n=j;else if("object"!=typeof n)throw Error(i+"Argument not an object: "+n);if(r=o.toFixed(e,t),o.c){var a,l=r.split("."),s=+n.groupSize,c=+n.secondaryGroupSize,u=n.groupSeparator||"",d=l[0],h=l[1],p=o.s<0,f=p?d.slice(1):d,m=f.length;if(c&&(a=s,s=c,c=a,m-=a),s>0&&m>0){for(a=m%s||s,d=f.substr(0,a);a<m;a+=s)d+=u+f.substr(a,s);c>0&&(d+=u+f.slice(a)),p&&(d="-"+d)}r=h?d+(n.decimalSeparator||"")+((c=+n.fractionGroupSize)?h.replace(new RegExp("\\d{"+c+"}\\B","g"),"$&"+(n.fractionGroupSeparator||"")):h):d}return(n.prefix||"")+r+(n.suffix||"")},N.toFraction=function(e){var t,n,r,o,a,l,c,d,h,p,m,v,g=this,w=g.c;if(null!=e&&(!(c=new q(e)).isInteger()&&(c.c||1!==c.s)||c.lt(V)))throw Error(i+"Argument "+(c.isInteger()?"out of range: ":"not an integer: ")+K(c));if(!w)return new q(g);for(t=new q(V),h=n=new q(V),r=d=new q(V),v=f(w),a=t.e=v.length-g.e-1,t.c[0]=u[(l=a%s)<0?s+l:l],e=!e||c.comparedTo(t)>0?a>0?t:h:c,l=D,D=1/0,c=new q(v),d.c[0]=0;p=y(c,t,0,1),1!=(o=n.plus(p.times(r))).comparedTo(e);)n=r,r=o,h=d.plus(p.times(o=h)),d=o,t=c.minus(p.times(o=t)),c=o;return o=y(e.minus(n),r,0,1),d=d.plus(o.times(h)),n=n.plus(o.times(r)),d.s=h.s=g.s,m=y(h,r,a*=2,T).minus(g).abs().comparedTo(y(d,n,a,T).minus(g).abs())<1?[h,r]:[d,n],D=l,m},N.toNumber=function(){return+K(this)},N.toPrecision=function(e,t){return null!=e&&v(e,1,h),U(this,e,t,2)},N.toString=function(e){var t,n=this,r=n.s,o=n.e;return null===o?r?(t="Infinity",r<0&&(t="-"+t)):t="NaN":(null==e?t=o<=I||o>=Z?w(f(n.c),o):b(f(n.c),o,"0"):10===e&&z?t=b(f((n=G(new q(n),L+o+1,T)).c),n.e,"0"):(v(e,2,F.length,"Base"),t=x(b(f(n.c),o,"0"),10,e,r,!0)),r<0&&n.c[0]&&(t="-"+t)),t},N.valueOf=N.toJSON=function(){return K(this)},N._isBigNumber=!0,null!=t&&q.set(t),q}(),t.default=t.BigNumber=t,y.exports?y.exports=t:(e||(e="undefined"!=typeof self&&self?self:window),e.BigNumber=t)}(c);var x=b.exports;const k=g(),E=p(),A=v,C=x,B={trillion:Math.pow(10,12),billion:Math.pow(10,9),million:Math.pow(10,6),thousand:Math.pow(10,3)},M={totalLength:0,characteristic:0,forceAverage:!1,average:!1,mantissa:-1,optionalMantissa:!0,thousandSeparated:!1,spaceSeparated:!1,negative:"sign",forceSign:!1,roundingFunction:Math.round,spaceSeparatedAbbreviation:!1},{binarySuffixes:_,decimalSuffixes:S}=k.currentBytes(),N={general:{scale:1024,suffixes:S,marker:"bd"},binary:{scale:1024,suffixes:_,marker:"b"},decimal:{scale:1e3,suffixes:S,marker:"d"}};function V(e,t={},n){if("string"==typeof t&&(t=A.parseFormat(t)),!E.validateFormat(t))return"ERROR: invalid format";let r=t.prefix||"",o=t.postfix||"",i=function(e,t,n){switch(t.output){case"currency":return function(e,t,n){const r=n.currentCurrency();let o,i=Object.assign({},t),a=Object.assign({},M,i),l="",s=!!a.totalLength||!!a.forceAverage||a.average,c=i.currencyPosition||r.position,u=i.currencySymbol||r.symbol;const d=void 0!==a.spaceSeparatedCurrency?a.spaceSeparatedCurrency:a.spaceSeparated;void 0===i.lowPrecision&&(i.lowPrecision=!1);d&&(l=" ");"infix"===c&&(o=l+u+l);let h=Z({instance:e,providedFormat:i,state:n,decimalSeparator:o});"prefix"===c&&(h=e._value<0&&"sign"===a.negative?`-${l}${u}${h.slice(1)}`:e._value>0&&a.forceSign?`+${l}${u}${h.slice(1)}`:u+l+h);c&&"postfix"!==c||(l=!a.spaceSeparatedAbbreviation&&s?"":l,h=h+l+u);return h}(e,t=O(t,k.currentCurrencyDefaultFormat()),k);case"percent":return function(e,t,n,r){let o=t.prefixSymbol,i=Z({instance:r(100*e._value),providedFormat:t,state:n}),a=Object.assign({},M,t);if(o)return`%${a.spaceSeparated?" ":""}${i}`;return`${i}${a.spaceSeparated?" ":""}%`}(e,t=O(t,k.currentPercentageDefaultFormat()),k,n);case"byte":return function(e,t,n,r){let o=t.base||"binary",i=Object.assign({},M,t);const{binarySuffixes:a,decimalSuffixes:l}=n.currentBytes();let s={general:{scale:1024,suffixes:l||S,marker:"bd"},binary:{scale:1024,suffixes:a||_,marker:"b"},decimal:{scale:1e3,suffixes:l||S,marker:"d"}}[o],{value:c,suffix:u}=L(e._value,s.suffixes,s.scale),d=Z({instance:r(c),providedFormat:t,state:n,defaults:n.currentByteDefaultFormat()});return`${d}${i.spaceSeparated?" ":""}${u}`}(e,t=O(t,k.currentByteDefaultFormat()),k,n);case"time":return t=O(t,k.currentTimeDefaultFormat()),function(e){let t=Math.floor(e._value/60/60),n=Math.floor((e._value-60*t*60)/60),r=Math.round(e._value-60*t*60-60*n);return`${t}:${n<10?"0":""}${n}:${r<10?"0":""}${r}`}(e);case"ordinal":return function(e,t,n){let r=n.currentOrdinal(),o=Object.assign({},M,t),i=Z({instance:e,providedFormat:t,state:n}),a=r(e._value);return`${i}${o.spaceSeparated?" ":""}${a}`}(e,t=O(t,k.currentOrdinalDefaultFormat()),k);default:return Z({instance:e,providedFormat:t,numbro:n})}}(e,t,n);return i=function(e,t){return t+e}(i,r),i=function(e,t){return e+t}(i,o),i}function L(e,t,n){let r=t[0],o=Math.abs(e);if(o>=n){for(let i=1;i<t.length;++i){let a=Math.pow(n,i),l=Math.pow(n,i+1);if(o>=a&&o<l){r=t[i],e/=a;break}}r===t[0]&&(e/=Math.pow(n,t.length-1),r=t[t.length-1])}return{value:e,suffix:r}}function T(e){let t="";for(let n=0;n<e;n++)t+="0";return t}function I(e,t,n=Math.round){if(-1!==e.toString().indexOf("e"))return function(e,t){let n=e.toString(),[r,o]=n.split("e"),[i,a=""]=r.split(".");if(+o>0)n=i+a+T(o-a.length);else{let e=".";e=+i<0?`-0${e}`:`0${e}`;let r=(T(-o-1)+Math.abs(i)+a).substr(0,t);r.length<t&&(r+=T(t-r.length)),n=e+r}return+o>0&&t>0&&(n+=`.${T(t)}`),n}(e,t);return new C(n(+`${e}e+${t}`)/Math.pow(10,t)).toFixed(t)}function Z({instance:e,providedFormat:t,state:n=k,decimalSeparator:r,defaults:o=n.currentDefaults()}){let i=e._value;if(0===i&&n.hasZeroFormat())return n.getZeroFormat();if(!isFinite(i))return i.toString();let a=Object.assign({},M,o,t),l=a.totalLength,s=l?0:a.characteristic,c=a.optionalCharacteristic,u=a.forceAverage,d=a.lowPrecision,h=!!l||!!u||a.average,p=l?-1:h&&void 0===t.mantissa?0:a.mantissa,f=!l&&(void 0===t.optionalMantissa?-1===p:a.optionalMantissa),m=a.trimMantissa,v=a.thousandSeparated,g=a.spaceSeparated,w=a.negative,y=a.forceSign,b=a.exponential,x=a.roundingFunction,E="";if(h){let e=function({value:e,forceAverage:t,lowPrecision:n=!0,abbreviations:r,spaceSeparated:o=!1,totalLength:i=0,roundingFunction:a=Math.round}){let l="",s=Math.abs(e),c=-1;if(t&&r[t]&&B[t]?(l=r[t],e/=B[t]):s>=B.trillion||n&&1===a(s/B.trillion)?(l=r.trillion,e/=B.trillion):s<B.trillion&&s>=B.billion||n&&1===a(s/B.billion)?(l=r.billion,e/=B.billion):s<B.billion&&s>=B.million||n&&1===a(s/B.million)?(l=r.million,e/=B.million):(s<B.million&&s>=B.thousand||n&&1===a(s/B.thousand))&&(l=r.thousand,e/=B.thousand),l&&(l=(o?" ":"")+l),i){let t=e<0,n=e.toString().split(".")[0],r=t?n.length-1:n.length;c=Math.max(i-r,0)}return{value:e,abbreviation:l,mantissaPrecision:c}}({value:i,forceAverage:u,lowPrecision:d,abbreviations:n.currentAbbreviations(),spaceSeparated:g,roundingFunction:x,totalLength:l});i=e.value,E+=e.abbreviation,l&&(p=e.mantissaPrecision)}if(b){let e=function({value:e,characteristicPrecision:t}){let[n,r]=e.toExponential().split("e"),o=+n;return t?(1<t&&(o*=Math.pow(10,t-1),r=+r-(t-1),r=r>=0?`+${r}`:r),{value:o,abbreviation:`e${r}`}):{value:o,abbreviation:`e${r}`}}({value:i,characteristicPrecision:s});i=e.value,E=e.abbreviation+E}let A=function(e,t,n,r,o,i){if(-1===r)return e;let a=I(t,r,i),[l,s=""]=a.toString().split(".");if(s.match(/^0+$/)&&(n||o))return l;let c=s.match(/0+$/);return o&&c?`${l}.${s.toString().slice(0,c.index)}`:a.toString()}(i.toString(),i,f,p,m,x);return A=function(e,t,n,r){let o=e,[i,a]=o.toString().split(".");if(i.match(/^-?0$/)&&n)return a?`${i.replace("0","")}.${a}`:i.replace("0","");const l=t<0&&0===i.indexOf("-");if(l&&(i=i.slice(1),o=o.slice(1)),i.length<r){let e=r-i.length;for(let t=0;t<e;t++)o=`0${o}`}return l&&(o=`-${o}`),o.toString()}(A,i,c,s),A=function(e,t,n,r,o){let i=r.currentDelimiters(),a=i.thousands;o=o||i.decimal;let l=i.thousandsSize||3,s=e.toString(),c=s.split(".")[0],u=s.split(".")[1];const d=t<0&&0===c.indexOf("-");if(n){d&&(c=c.slice(1));let e=function(e,t){let n=[],r=0;for(let o=e;o>0;o--)r===t&&(n.unshift(o),r=0),r++;return n}(c.length,l);e.forEach(((e,t)=>{c=c.slice(0,e+t)+a+c.slice(e+t)})),d&&(c=`-${c}`)}return s=u?c+o+u:c,s}(A,i,v,n,r),(h||b)&&(A=function(e,t){return e+t}(A,E)),(y||i<0)&&(A=function(e,t,n){return 0===t?e:0==+e?e.replace("-",""):t>0?`+${e}`:"sign"===n?e:`(${e.replace("-","")})`}(A,i,w)),A}function O(e,t){if(!e)return t;let n=Object.keys(e);return 1===n.length&&"output"===n[0]?t:e}const D=x;function R(e,t,n){let r=new D(e._value),o=t;return n.isNumbro(t)&&(o=t._value),o=new D(o),e._value=r.minus(o).toNumber(),e}const H=g(),P=p(),j=(e=>({loadLanguagesInNode:t=>w(t,e)}))(G),F=h();let z=(e=>({format:(...t)=>V(...t,e),getByteUnit:(...t)=>function(e){let t=N.general;return L(e._value,t.suffixes,t.scale).suffix}(...t,e),getBinaryByteUnit:(...t)=>function(e){let t=N.binary;return L(e._value,t.suffixes,t.scale).suffix}(...t,e),getDecimalByteUnit:(...t)=>function(e){let t=N.decimal;return L(e._value,t.suffixes,t.scale).suffix}(...t,e),formatOrDefault:O}))(G),q=(e=>({add:(t,n)=>function(e,t,n){let r=new D(e._value),o=t;return n.isNumbro(t)&&(o=t._value),o=new D(o),e._value=r.plus(o).toNumber(),e}(t,n,e),subtract:(t,n)=>R(t,n,e),multiply:(t,n)=>function(e,t,n){let r=new D(e._value),o=t;return n.isNumbro(t)&&(o=t._value),o=new D(o),e._value=r.times(o).toNumber(),e}(t,n,e),divide:(t,n)=>function(e,t,n){let r=new D(e._value),o=t;return n.isNumbro(t)&&(o=t._value),o=new D(o),e._value=r.dividedBy(o).toNumber(),e}(t,n,e),set:(t,n)=>function(e,t,n){let r=t;return n.isNumbro(t)&&(r=t._value),e._value=r,e}(t,n,e),difference:(t,n)=>function(e,t,n){let r=n(e._value);return R(r,t,n),Math.abs(r._value)}(t,n,e),BigNumber:D}))(G);const U=v;class ${constructor(e){this._value=e}clone(){return G(this._value)}format(e={}){return z.format(this,e)}formatCurrency(e){return"string"==typeof e&&(e=U.parseFormat(e)),(e=z.formatOrDefault(e,H.currentCurrencyDefaultFormat())).output="currency",z.format(this,e)}formatTime(e={}){return e.output="time",z.format(this,e)}binaryByteUnits(){return z.getBinaryByteUnit(this)}decimalByteUnits(){return z.getDecimalByteUnit(this)}byteUnits(){return z.getByteUnit(this)}difference(e){return q.difference(this,e)}add(e){return q.add(this,e)}subtract(e){return q.subtract(this,e)}multiply(e){return q.multiply(this,e)}divide(e){return q.divide(this,e)}set(e){return q.set(this,W(e))}value(){return this._value}valueOf(){return this._value}}function W(e){let t=e;return G.isNumbro(e)?t=e._value:"string"==typeof e?t=G.unformat(e):isNaN(e)&&(t=NaN),t}function G(e){return new $(W(e))}G.version="2.5.0",G.isNumbro=function(e){return e instanceof $},G.language=H.currentLanguage,G.registerLanguage=H.registerLanguage,G.setLanguage=H.setLanguage,G.languages=H.languages,G.languageData=H.languageData,G.zeroFormat=H.setZeroFormat,G.defaultFormat=H.currentDefaults,G.setDefaults=H.setDefaults,G.defaultCurrencyFormat=H.currentCurrencyDefaultFormat,G.validate=P.validate,G.loadLanguagesInNode=j.loadLanguagesInNode,G.unformat=F.unformat,G.BigNumber=q.BigNumber;var K=u(G)},13152:function(e,t,n){e.exports=function(){"use strict";function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}"undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:void 0!==n.g?n.g:"undefined"!=typeof self&&self;var t={},r={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"bg",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"И",million:"А",billion:"M",trillion:"T"},ordinal:()=>".",currency:{symbol:"лв.",code:"BGN"}})}()}(r);var o=r.exports,i={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"cs-CZ",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"tis.",million:"mil.",billion:"mld.",trillion:"bil."},ordinal:function(){return"."},spaceSeparated:!0,currency:{symbol:"Kč",position:"postfix",code:"CZK"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,spaceSeparatedAbbreviation:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(i);var a=i.exports,l={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"da-DK",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"t",million:"mio",billion:"mia",trillion:"b"},ordinal:function(){return"."},currency:{symbol:"kr",position:"postfix",code:"DKK"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(l);var s=l.exports,c={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"de-AT",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:function(){return"."},currency:{symbol:"€",code:"EUR"}})}()}(c);var u=c.exports,d={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"de-CH",delimiters:{thousands:"’",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:function(){return"."},currency:{symbol:"CHF",position:"postfix",code:"CHF"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(d);var h=d.exports,p={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"de-DE",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"k",million:"Mi",billion:"Ma",trillion:"Bi"},ordinal:function(){return"."},spaceSeparated:!0,currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{totalLength:4,thousandSeparated:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(p);var f=p.exports,m={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"de-LI",delimiters:{thousands:"'",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:function(){return"."},currency:{symbol:"CHF",position:"postfix",code:"CHF"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(m);var v=m.exports,g={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"el",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"χ",million:"ε",billion:"δ",trillion:"τ"},ordinal:function(){return"."},currency:{symbol:"€",code:"EUR"}})}()}(g);var w=g.exports,y={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"en-AU",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th"},currency:{symbol:"$",position:"prefix",code:"AUD"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{thousandSeparated:!0,mantissa:2},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,mantissa:0}}})}()}(y);var b=y.exports,x={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"en-GB",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th"},currency:{symbol:"£",position:"prefix",code:"GBP"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!1,spaceSeparatedCurrency:!1,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!1,average:!0},fullWithTwoDecimals:{output:"currency",thousandSeparated:!0,spaceSeparated:!1,mantissa:2},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,spaceSeparated:!1,mantissa:0}}})}()}(x);var k=x.exports,E={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"en-IE",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th"},currency:{symbol:"€",position:"prefix",code:"EUR"}})}()}(E);var A=E.exports,C={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"en-NZ",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th"},currency:{symbol:"$",position:"prefix",code:"NZD"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{thousandSeparated:!0,mantissa:2},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,mantissa:0}}})}()}(C);var B=C.exports,M={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"en-ZA",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th"},currency:{symbol:"R",position:"prefix",code:"ZAR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{thousandSeparated:!0,mantissa:2},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,mantissa:0}}})}()}(M);var _=M.exports,S={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-AR",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"$",position:"postfix",code:"ARS"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(S);var N=S.exports,V={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-CL",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"$",position:"prefix",code:"CLP"},currencyFormat:{output:"currency",thousandSeparated:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(V);var L=V.exports,T={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-CO",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(T);var I=T.exports,Z={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-CR",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"₡",position:"postfix",code:"CRC"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Z);var O=Z.exports,D={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-ES",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(D);var R=D.exports,H={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-MX",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:function(e){let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"$",position:"postfix",code:"MXN"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(H);var P=H.exports,j={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-NI",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"C$",position:"prefix",code:"NIO"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(j);var F=j.exports,z={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-PE",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"S/.",position:"prefix",code:"PEN"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(z);var q=z.exports,U={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-PR",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"$",position:"prefix",code:"USD"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(U);var $=U.exports,W={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"es-SV",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"mm",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1===t||3===t?"er":2===t?"do":7===t||0===t?"mo":8===t?"vo":9===t?"no":"to"},currency:{symbol:"$",position:"prefix",code:"SVC"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(W);var G=W.exports,K={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"et-EE",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"tuh",million:"mln",billion:"mld",trillion:"trl"},ordinal:function(){return"."},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(K);var Y=K.exports,X={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"fa-IR",delimiters:{thousands:"،",decimal:"."},abbreviations:{thousand:"هزار",million:"میلیون",billion:"میلیارد",trillion:"تریلیون"},ordinal:function(){return"ام"},currency:{symbol:"﷼",code:"IRR"}})}()}(X);var J=X.exports,Q={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"fi-FI",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"M",billion:"G",trillion:"T"},ordinal:function(){return"."},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Q);var ee=Q.exports,te={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"fil-PH",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:e=>{let t=e%10;return 1==~~(e%100/10)?"th":1===t?"st":2===t?"nd":3===t?"rd":"th"},currency:{symbol:"₱",code:"PHP"}})}()}(te);var ne=te.exports,re={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"fr-CA",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"M",billion:"G",trillion:"T"},ordinal:e=>1===e?"er":"ème",spaceSeparated:!0,currency:{symbol:"$",position:"postfix",code:"USD"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{thousandSeparated:!0,mantissa:2},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,mantissa:0}}})}()}(re);var oe=re.exports,ie={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"fr-CH",delimiters:{thousands:" ",decimal:"."},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:e=>1===e?"er":"ème",currency:{symbol:"CHF",position:"postfix",code:"CHF"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(ie);var ae=ie.exports,le={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"fr-FR",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"M",billion:"Mrd",trillion:"billion"},ordinal:e=>1===e?"er":"ème",bytes:{binarySuffixes:["o","Kio","Mio","Gio","Tio","Pio","Eio","Zio","Yio"],decimalSuffixes:["o","Ko","Mo","Go","To","Po","Eo","Zo","Yo"]},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(le);var se=le.exports,ce={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"he-IL",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"אלף",million:"מיליון",billion:"מיליארד",trillion:"טריליון"},currency:{symbol:"₪",position:"prefix",code:"ILS"},ordinal:()=>"",currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(ce);var ue=ce.exports,de={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"hu-HU",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"E",million:"M",billion:"Mrd",trillion:"T"},ordinal:function(){return"."},currency:{symbol:"Ft",position:"postfix",code:"HUF"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(de);var he=de.exports,pe={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"id",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"r",million:"j",billion:"m",trillion:"t"},ordinal:function(){return"."},currency:{symbol:"Rp",code:"IDR"}})}()}(pe);var fe=pe.exports,me={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"it-CH",delimiters:{thousands:"'",decimal:"."},abbreviations:{thousand:"mila",million:"mil",billion:"b",trillion:"t"},ordinal:function(){return"°"},currency:{symbol:"CHF",code:"CHF"}})}()}(me);var ve=me.exports,ge={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"it-IT",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"mila",million:"mil",billion:"b",trillion:"t"},ordinal:function(){return"º"},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(ge);var we=ge.exports,ye={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"ja-JP",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"千",million:"百万",billion:"十億",trillion:"兆"},ordinal:function(){return"."},currency:{symbol:"¥",position:"prefix",code:"JPY"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{thousandSeparated:!0,mantissa:2},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,mantissa:0}}})}()}(ye);var be=ye.exports,xe={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"ko-KR",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"천",million:"백만",billion:"십억",trillion:"일조"},ordinal:function(){return"."},currency:{symbol:"₩",code:"KPW"}})}()}(xe);var ke=xe.exports,Ee={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"lv-LV",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"tūkst.",million:"milj.",billion:"mljrd.",trillion:"trilj."},ordinal:function(){return"."},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Ee);var Ae=Ee.exports,Ce={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"nb-NO",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"t",million:"M",billion:"md",trillion:"b"},ordinal:()=>"",currency:{symbol:"kr",position:"postfix",code:"NOK"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Ce);var Be=Ce.exports,Me={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"nb",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"t",million:"mil",billion:"mia",trillion:"b"},ordinal:function(){return"."},currency:{symbol:"kr",code:"NOK"}})}()}(Me);var _e=Me.exports,Se={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"nl-BE",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"mln",billion:"mld",trillion:"bln"},ordinal:e=>{let t=e%100;return 0!==e&&t<=1||8===t||t>=20?"ste":"de"},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Se);var Ne=Se.exports,Ve={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"nl-NL",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"k",million:"mln",billion:"mrd",trillion:"bln"},ordinal:e=>{let t=e%100;return 0!==e&&t<=1||8===t||t>=20?"ste":"de"},currency:{symbol:"€",position:"prefix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Ve);var Le=Ve.exports,Te={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"nn",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"t",million:"mil",billion:"mia",trillion:"b"},ordinal:function(){return"."},currency:{symbol:"kr",code:"NOK"}})}()}(Te);var Ie=Te.exports,Ze={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"pl-PL",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"tys.",million:"mln",billion:"mld",trillion:"bln"},ordinal:()=>".",currency:{symbol:" zł",position:"postfix",code:"PLN"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Ze);var Oe=Ze.exports,De={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"pt-BR",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"mil",million:"milhões",billion:"b",trillion:"t"},ordinal:function(){return"º"},currency:{symbol:"R$",position:"prefix",code:"BRL"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(De);var Re=De.exports,He={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"pt-PT",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"k",million:"m",billion:"b",trillion:"t"},ordinal:function(){return"º"},currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(He);var Pe=He.exports,je={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"ro-RO",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"mii",million:"mil",billion:"mld",trillion:"bln"},ordinal:function(){return"."},currency:{symbol:" lei",position:"postfix",code:"RON"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(je);var Fe=je.exports,ze={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"ro-RO",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"mii",million:"mil",billion:"mld",trillion:"bln"},ordinal:function(){return"."},currency:{symbol:" lei",position:"postfix",code:"RON"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(ze);var qe=ze.exports,Ue={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"ru-RU",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"тыс.",million:"млн",billion:"b",trillion:"t"},ordinal:function(){return"."},currency:{symbol:"руб.",position:"postfix",code:"RUB"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Ue);var $e=Ue.exports,We={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"ru-UA",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"тыс.",million:"млн",billion:"b",trillion:"t"},ordinal:function(){return"."},currency:{symbol:"₴",position:"postfix",code:"UAH"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(We);var Ge=We.exports,Ke={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"sk-SK",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"tis.",million:"mil.",billion:"mld.",trillion:"bil."},ordinal:function(){return"."},spaceSeparated:!0,currency:{symbol:"€",position:"postfix",code:"EUR"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(Ke);var Ye=Ke.exports,Xe={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"sl",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"tis.",million:"mil.",billion:"b",trillion:"t"},ordinal:function(){return"."},currency:{symbol:"€",code:"EUR"}})}()}(Xe);var Je=Xe.exports,Qe={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"sr-Cyrl-RS",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"тыс.",million:"млн",billion:"b",trillion:"t"},ordinal:()=>".",currency:{symbol:"RSD",code:"RSD"}})}()}(Qe);var et=Qe.exports,tt={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"sv-SE",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"t",million:"M",billion:"md",trillion:"tmd"},ordinal:()=>"",currency:{symbol:"kr",position:"postfix",code:"SEK"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(tt);var nt=tt.exports,rt={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"th-TH",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"พัน",million:"ล้าน",billion:"พันล้าน",trillion:"ล้านล้าน"},ordinal:function(){return"."},currency:{symbol:"฿",position:"postfix",code:"THB"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(rt);var ot=rt.exports,it={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}const t={1:"'inci",5:"'inci",8:"'inci",70:"'inci",80:"'inci",2:"'nci",7:"'nci",20:"'nci",50:"'nci",3:"'üncü",4:"'üncü",100:"'üncü",6:"'ncı",9:"'uncu",10:"'uncu",30:"'uncu",40:"'ıncı",60:"'ıncı",90:"'ıncı"};return e({languageTag:"tr-TR",delimiters:{thousands:".",decimal:","},abbreviations:{thousand:"bin",million:"milyon",billion:"milyar",trillion:"trilyon"},ordinal:e=>{if(0===e)return"'ıncı";let n=e%10;return t[n]||t[e%100-n]||t[e>=100?100:null]},currency:{symbol:"₺",position:"postfix",code:"TRY"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,spaceSeparatedCurrency:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(it);var at=it.exports,lt={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"uk-UA",delimiters:{thousands:" ",decimal:","},abbreviations:{thousand:"тис.",million:"млн",billion:"млрд",trillion:"блн"},ordinal:()=>"",currency:{symbol:"₴",position:"postfix",code:"UAH"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{output:"currency",mantissa:2,spaceSeparated:!0,thousandSeparated:!0},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",spaceSeparated:!0,thousandSeparated:!0,mantissa:0}}})}()}(lt);var st=lt.exports,ct={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"zh-CN",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"千",million:"百万",billion:"十亿",trillion:"兆"},ordinal:function(){return"."},currency:{symbol:"¥",position:"prefix",code:"CNY"},currencyFormat:{thousandSeparated:!0,totalLength:4,spaceSeparated:!0,average:!0},formats:{fourDigits:{totalLength:4,spaceSeparated:!0,average:!0},fullWithTwoDecimals:{thousandSeparated:!0,mantissa:2},fullWithTwoDecimalsNoCurrency:{mantissa:2,thousandSeparated:!0},fullWithNoDecimals:{output:"currency",thousandSeparated:!0,mantissa:0}}})}()}(ct);var ut=ct.exports,dt={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"zh-MO",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"千",million:"百萬",billion:"十億",trillion:"兆"},ordinal:function(){return"."},currency:{symbol:"MOP",code:"MOP"}})}()}(dt);var ht=dt.exports,pt={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"zh-SG",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"千",million:"百万",billion:"十亿",trillion:"兆"},ordinal:function(){return"."},currency:{symbol:"$",code:"SGD"}})}()}(pt);var ft=pt.exports,mt={exports:{}};!function(e){e.exports=function(){function e(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}return e({languageTag:"zh-TW",delimiters:{thousands:",",decimal:"."},abbreviations:{thousand:"千",million:"百萬",billion:"十億",trillion:"兆"},ordinal:function(){return"第"},currency:{symbol:"NT$",code:"TWD"}})}()}(mt);var vt=mt.exports;return function(e){e.bg=o,e["cs-CZ"]=a,e["da-DK"]=s,e["de-AT"]=u,e["de-CH"]=h,e["de-DE"]=f,e["de-LI"]=v,e.el=w,e["en-AU"]=b,e["en-GB"]=k,e["en-IE"]=A,e["en-NZ"]=B,e["en-ZA"]=_,e["es-AR"]=N,e["es-CL"]=L,e["es-CO"]=I,e["es-CR"]=O,e["es-ES"]=R,e["es-MX"]=P,e["es-NI"]=F,e["es-PE"]=q,e["es-PR"]=$,e["es-SV"]=G,e["et-EE"]=Y,e["fa-IR"]=J,e["fi-FI"]=ee,e["fil-PH"]=ne,e["fr-CA"]=oe,e["fr-CH"]=ae,e["fr-FR"]=se,e["he-IL"]=ue,e["hu-HU"]=he,e.id=fe,e["it-CH"]=ve,e["it-IT"]=we,e["ja-JP"]=be,e["ko-KR"]=ke,e["lv-LV"]=Ae,e["nb-NO"]=Be,e.nb=_e,e["nl-BE"]=Ne,e["nl-NL"]=Le,e.nn=Ie,e["pl-PL"]=Oe,e["pt-BR"]=Re,e["pt-PT"]=Pe,e["ro-RO"]=Fe,e.ro=qe,e["ru-RU"]=$e,e["ru-UA"]=Ge,e["sk-SK"]=Ye,e.sl=Je,e["sr-Cyrl-RS"]=et,e["sv-SE"]=nt,e["th-TH"]=ot,e["tr-TR"]=at,e["uk-UA"]=st,e["zh-CN"]=ut,e["zh-MO"]=ht,e["zh-SG"]=ft,e["zh-TW"]=vt}(t),e(t)}()},58859:(e,t,n)=>{var r="function"==typeof Map&&Map.prototype,o=Object.getOwnPropertyDescriptor&&r?Object.getOwnPropertyDescriptor(Map.prototype,"size"):null,i=r&&o&&"function"==typeof o.get?o.get:null,a=r&&Map.prototype.forEach,l="function"==typeof Set&&Set.prototype,s=Object.getOwnPropertyDescriptor&&l?Object.getOwnPropertyDescriptor(Set.prototype,"size"):null,c=l&&s&&"function"==typeof s.get?s.get:null,u=l&&Set.prototype.forEach,d="function"==typeof WeakMap&&WeakMap.prototype?WeakMap.prototype.has:null,h="function"==typeof WeakSet&&WeakSet.prototype?WeakSet.prototype.has:null,p="function"==typeof WeakRef&&WeakRef.prototype?WeakRef.prototype.deref:null,f=Boolean.prototype.valueOf,m=Object.prototype.toString,v=Function.prototype.toString,g=String.prototype.match,w=String.prototype.slice,y=String.prototype.replace,b=String.prototype.toUpperCase,x=String.prototype.toLowerCase,k=RegExp.prototype.test,E=Array.prototype.concat,A=Array.prototype.join,C=Array.prototype.slice,B=Math.floor,M="function"==typeof BigInt?BigInt.prototype.valueOf:null,_=Object.getOwnPropertySymbols,S="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?Symbol.prototype.toString:null,N="function"==typeof Symbol&&"object"==typeof Symbol.iterator,V="function"==typeof Symbol&&Symbol.toStringTag&&(typeof Symbol.toStringTag===N||"symbol")?Symbol.toStringTag:null,L=Object.prototype.propertyIsEnumerable,T=("function"==typeof Reflect?Reflect.getPrototypeOf:Object.getPrototypeOf)||([].__proto__===Array.prototype?function(e){return e.__proto__}:null);function I(e,t){if(e===1/0||e===-1/0||e!=e||e&&e>-1e3&&e<1e3||k.call(/e/,t))return t;var n=/[0-9](?=(?:[0-9]{3})+(?![0-9]))/g;if("number"==typeof e){var r=e<0?-B(-e):B(e);if(r!==e){var o=String(r),i=w.call(t,o.length+1);return y.call(o,n,"$&_")+"."+y.call(y.call(i,/([0-9]{3})/g,"$&_"),/_$/,"")}}return y.call(t,n,"$&_")}var Z=n(42634),O=Z.custom,D=q(O)?O:null,R={__proto__:null,double:'"',single:"'"},H={__proto__:null,double:/(["\\])/g,single:/(['\\])/g};function P(e,t,n){var r=n.quoteStyle||t,o=R[r];return o+e+o}function j(e){return y.call(String(e),/"/g,"&quot;")}function F(e){return!("[object Array]"!==W(e)||V&&"object"==typeof e&&V in e)}function z(e){return!("[object RegExp]"!==W(e)||V&&"object"==typeof e&&V in e)}function q(e){if(N)return e&&"object"==typeof e&&e instanceof Symbol;if("symbol"==typeof e)return!0;if(!e||"object"!=typeof e||!S)return!1;try{return S.call(e),!0}catch(e){}return!1}e.exports=function e(t,r,o,l){var s=r||{};if($(s,"quoteStyle")&&!$(R,s.quoteStyle))throw new TypeError('option "quoteStyle" must be "single" or "double"');if($(s,"maxStringLength")&&("number"==typeof s.maxStringLength?s.maxStringLength<0&&s.maxStringLength!==1/0:null!==s.maxStringLength))throw new TypeError('option "maxStringLength", if provided, must be a positive integer, Infinity, or `null`');var m=!$(s,"customInspect")||s.customInspect;if("boolean"!=typeof m&&"symbol"!==m)throw new TypeError("option \"customInspect\", if provided, must be `true`, `false`, or `'symbol'`");if($(s,"indent")&&null!==s.indent&&"\t"!==s.indent&&!(parseInt(s.indent,10)===s.indent&&s.indent>0))throw new TypeError('option "indent" must be "\\t", an integer > 0, or `null`');if($(s,"numericSeparator")&&"boolean"!=typeof s.numericSeparator)throw new TypeError('option "numericSeparator", if provided, must be `true` or `false`');var b=s.numericSeparator;if(void 0===t)return"undefined";if(null===t)return"null";if("boolean"==typeof t)return t?"true":"false";if("string"==typeof t)return K(t,s);if("number"==typeof t){if(0===t)return 1/0/t>0?"0":"-0";var k=String(t);return b?I(t,k):k}if("bigint"==typeof t){var B=String(t)+"n";return b?I(t,B):B}var _=void 0===s.depth?5:s.depth;if(void 0===o&&(o=0),o>=_&&_>0&&"object"==typeof t)return F(t)?"[Array]":"[Object]";var O=function(e,t){var n;if("\t"===e.indent)n="\t";else{if(!("number"==typeof e.indent&&e.indent>0))return null;n=A.call(Array(e.indent+1)," ")}return{base:n,prev:A.call(Array(t+1),n)}}(s,o);if(void 0===l)l=[];else if(G(l,t)>=0)return"[Circular]";function H(t,n,r){if(n&&(l=C.call(l)).push(n),r){var i={depth:s.depth};return $(s,"quoteStyle")&&(i.quoteStyle=s.quoteStyle),e(t,i,o+1,l)}return e(t,s,o+1,l)}if("function"==typeof t&&!z(t)){var U=function(e){if(e.name)return e.name;var t=g.call(v.call(e),/^function\s*([\w$]+)/);if(t)return t[1];return null}(t),Y=te(t,H);return"[Function"+(U?": "+U:" (anonymous)")+"]"+(Y.length>0?" { "+A.call(Y,", ")+" }":"")}if(q(t)){var ne=N?y.call(String(t),/^(Symbol\(.*\))_[^)]*$/,"$1"):S.call(t);return"object"!=typeof t||N?ne:X(ne)}if(function(e){if(!e||"object"!=typeof e)return!1;if("undefined"!=typeof HTMLElement&&e instanceof HTMLElement)return!0;return"string"==typeof e.nodeName&&"function"==typeof e.getAttribute}(t)){for(var re="<"+x.call(String(t.nodeName)),oe=t.attributes||[],ie=0;ie<oe.length;ie++)re+=" "+oe[ie].name+"="+P(j(oe[ie].value),"double",s);return re+=">",t.childNodes&&t.childNodes.length&&(re+="..."),re+="</"+x.call(String(t.nodeName))+">"}if(F(t)){if(0===t.length)return"[]";var ae=te(t,H);return O&&!function(e){for(var t=0;t<e.length;t++)if(G(e[t],"\n")>=0)return!1;return!0}(ae)?"["+ee(ae,O)+"]":"[ "+A.call(ae,", ")+" ]"}if(function(e){return!("[object Error]"!==W(e)||V&&"object"==typeof e&&V in e)}(t)){var le=te(t,H);return"cause"in Error.prototype||!("cause"in t)||L.call(t,"cause")?0===le.length?"["+String(t)+"]":"{ ["+String(t)+"] "+A.call(le,", ")+" }":"{ ["+String(t)+"] "+A.call(E.call("[cause]: "+H(t.cause),le),", ")+" }"}if("object"==typeof t&&m){if(D&&"function"==typeof t[D]&&Z)return Z(t,{depth:_-o});if("symbol"!==m&&"function"==typeof t.inspect)return t.inspect()}if(function(e){if(!i||!e||"object"!=typeof e)return!1;try{i.call(e);try{c.call(e)}catch(e){return!0}return e instanceof Map}catch(e){}return!1}(t)){var se=[];return a&&a.call(t,(function(e,n){se.push(H(n,t,!0)+" => "+H(e,t))})),Q("Map",i.call(t),se,O)}if(function(e){if(!c||!e||"object"!=typeof e)return!1;try{c.call(e);try{i.call(e)}catch(e){return!0}return e instanceof Set}catch(e){}return!1}(t)){var ce=[];return u&&u.call(t,(function(e){ce.push(H(e,t))})),Q("Set",c.call(t),ce,O)}if(function(e){if(!d||!e||"object"!=typeof e)return!1;try{d.call(e,d);try{h.call(e,h)}catch(e){return!0}return e instanceof WeakMap}catch(e){}return!1}(t))return J("WeakMap");if(function(e){if(!h||!e||"object"!=typeof e)return!1;try{h.call(e,h);try{d.call(e,d)}catch(e){return!0}return e instanceof WeakSet}catch(e){}return!1}(t))return J("WeakSet");if(function(e){if(!p||!e||"object"!=typeof e)return!1;try{return p.call(e),!0}catch(e){}return!1}(t))return J("WeakRef");if(function(e){return!("[object Number]"!==W(e)||V&&"object"==typeof e&&V in e)}(t))return X(H(Number(t)));if(function(e){if(!e||"object"!=typeof e||!M)return!1;try{return M.call(e),!0}catch(e){}return!1}(t))return X(H(M.call(t)));if(function(e){return!("[object Boolean]"!==W(e)||V&&"object"==typeof e&&V in e)}(t))return X(f.call(t));if(function(e){return!("[object String]"!==W(e)||V&&"object"==typeof e&&V in e)}(t))return X(H(String(t)));if("undefined"!=typeof window&&t===window)return"{ [object Window] }";if("undefined"!=typeof globalThis&&t===globalThis||void 0!==n.g&&t===n.g)return"{ [object globalThis] }";if(!function(e){return!("[object Date]"!==W(e)||V&&"object"==typeof e&&V in e)}(t)&&!z(t)){var ue=te(t,H),de=T?T(t)===Object.prototype:t instanceof Object||t.constructor===Object,he=t instanceof Object?"":"null prototype",pe=!de&&V&&Object(t)===t&&V in t?w.call(W(t),8,-1):he?"Object":"",fe=(de||"function"!=typeof t.constructor?"":t.constructor.name?t.constructor.name+" ":"")+(pe||he?"["+A.call(E.call([],pe||[],he||[]),": ")+"] ":"");return 0===ue.length?fe+"{}":O?fe+"{"+ee(ue,O)+"}":fe+"{ "+A.call(ue,", ")+" }"}return String(t)};var U=Object.prototype.hasOwnProperty||function(e){return e in this};function $(e,t){return U.call(e,t)}function W(e){return m.call(e)}function G(e,t){if(e.indexOf)return e.indexOf(t);for(var n=0,r=e.length;n<r;n++)if(e[n]===t)return n;return-1}function K(e,t){if(e.length>t.maxStringLength){var n=e.length-t.maxStringLength,r="... "+n+" more character"+(n>1?"s":"");return K(w.call(e,0,t.maxStringLength),t)+r}var o=H[t.quoteStyle||"single"];return o.lastIndex=0,P(y.call(y.call(e,o,"\\$1"),/[\x00-\x1f]/g,Y),"single",t)}function Y(e){var t=e.charCodeAt(0),n={8:"b",9:"t",10:"n",12:"f",13:"r"}[t];return n?"\\"+n:"\\x"+(t<16?"0":"")+b.call(t.toString(16))}function X(e){return"Object("+e+")"}function J(e){return e+" { ? }"}function Q(e,t,n,r){return e+" ("+t+") {"+(r?ee(n,r):A.call(n,", "))+"}"}function ee(e,t){if(0===e.length)return"";var n="\n"+t.prev+t.base;return n+A.call(e,","+n)+"\n"+t.prev}function te(e,t){var n=F(e),r=[];if(n){r.length=e.length;for(var o=0;o<e.length;o++)r[o]=$(e,o)?t(e[o],e):""}var i,a="function"==typeof _?_(e):[];if(N){i={};for(var l=0;l<a.length;l++)i["$"+a[l]]=a[l]}for(var s in e)$(e,s)&&(n&&String(Number(s))===s&&s<e.length||N&&i["$"+s]instanceof Symbol||(k.call(/[^\w$]/,s)?r.push(t(s,e)+": "+t(e[s],e)):r.push(s+": "+t(e[s],e))));if("function"==typeof _)for(var c=0;c<a.length;c++)L.call(e,a[c])&&r.push("["+t(a[c])+"]: "+t(e[a[c]],e));return r}},65606:e=>{var t,n,r=e.exports={};function o(){throw new Error("setTimeout has not been defined")}function i(){throw new Error("clearTimeout has not been defined")}function a(e){if(t===setTimeout)return setTimeout(e,0);if((t===o||!t)&&setTimeout)return t=setTimeout,setTimeout(e,0);try{return t(e,0)}catch(n){try{return t.call(null,e,0)}catch(n){return t.call(this,e,0)}}}!function(){try{t="function"==typeof setTimeout?setTimeout:o}catch(e){t=o}try{n="function"==typeof clearTimeout?clearTimeout:i}catch(e){n=i}}();var l,s=[],c=!1,u=-1;function d(){c&&l&&(c=!1,l.length?s=l.concat(s):u=-1,s.length&&h())}function h(){if(!c){var e=a(d);c=!0;for(var t=s.length;t;){for(l=s,s=[];++u<t;)l&&l[u].run();u=-1,t=s.length}l=null,c=!1,function(e){if(n===clearTimeout)return clearTimeout(e);if((n===i||!n)&&clearTimeout)return n=clearTimeout,clearTimeout(e);try{return n(e)}catch(t){try{return n.call(null,e)}catch(t){return n.call(this,e)}}}(e)}}function p(e,t){this.fun=e,this.array=t}function f(){}r.nextTick=function(e){var t=new Array(arguments.length-1);if(arguments.length>1)for(var n=1;n<arguments.length;n++)t[n-1]=arguments[n];s.push(new p(e,t)),1!==s.length||c||a(h)},p.prototype.run=function(){this.fun.apply(null,this.array)},r.title="browser",r.browser=!0,r.env={},r.argv=[],r.version="",r.versions={},r.on=f,r.addListener=f,r.once=f,r.off=f,r.removeListener=f,r.removeAllListeners=f,r.emit=f,r.prependListener=f,r.prependOnceListener=f,r.listeners=function(e){return[]},r.binding=function(e){throw new Error("process.binding is not supported")},r.cwd=function(){return"/"},r.chdir=function(e){throw new Error("process.chdir is not supported")},r.umask=function(){return 0}},74765:e=>{"use strict";var t=String.prototype.replace,n=/%20/g,r="RFC1738",o="RFC3986";e.exports={default:o,formatters:{RFC1738:function(e){return t.call(e,n,"+")},RFC3986:function(e){return String(e)}},RFC1738:r,RFC3986:o}},55373:(e,t,n)=>{"use strict";var r=n(98636),o=n(62642),i=n(74765);e.exports={formats:i,parse:o,stringify:r}},62642:(e,t,n)=>{"use strict";var r=n(37720),o=Object.prototype.hasOwnProperty,i=Array.isArray,a={allowDots:!1,allowEmptyArrays:!1,allowPrototypes:!1,allowSparse:!1,arrayLimit:20,charset:"utf-8",charsetSentinel:!1,comma:!1,decodeDotInKeys:!1,decoder:r.decode,delimiter:"&",depth:5,duplicates:"combine",ignoreQueryPrefix:!1,interpretNumericEntities:!1,parameterLimit:1e3,parseArrays:!0,plainObjects:!1,strictDepth:!1,strictNullHandling:!1},l=function(e){return e.replace(/&#(\d+);/g,(function(e,t){return String.fromCharCode(parseInt(t,10))}))},s=function(e,t){return e&&"string"==typeof e&&t.comma&&e.indexOf(",")>-1?e.split(","):e},c=function(e,t,n,r){if(e){var i=n.allowDots?e.replace(/\.([^.[]+)/g,"[$1]"):e,a=/(\[[^[\]]*])/g,l=n.depth>0&&/(\[[^[\]]*])/.exec(i),c=l?i.slice(0,l.index):i,u=[];if(c){if(!n.plainObjects&&o.call(Object.prototype,c)&&!n.allowPrototypes)return;u.push(c)}for(var d=0;n.depth>0&&null!==(l=a.exec(i))&&d<n.depth;){if(d+=1,!n.plainObjects&&o.call(Object.prototype,l[1].slice(1,-1))&&!n.allowPrototypes)return;u.push(l[1])}if(l){if(!0===n.strictDepth)throw new RangeError("Input depth exceeded depth option of "+n.depth+" and strictDepth is true");u.push("["+i.slice(l.index)+"]")}return function(e,t,n,r){for(var o=r?t:s(t,n),i=e.length-1;i>=0;--i){var a,l=e[i];if("[]"===l&&n.parseArrays)a=n.allowEmptyArrays&&(""===o||n.strictNullHandling&&null===o)?[]:[].concat(o);else{a=n.plainObjects?{__proto__:null}:{};var c="["===l.charAt(0)&&"]"===l.charAt(l.length-1)?l.slice(1,-1):l,u=n.decodeDotInKeys?c.replace(/%2E/g,"."):c,d=parseInt(u,10);n.parseArrays||""!==u?!isNaN(d)&&l!==u&&String(d)===u&&d>=0&&n.parseArrays&&d<=n.arrayLimit?(a=[])[d]=o:"__proto__"!==u&&(a[u]=o):a={0:o}}o=a}return o}(u,t,n,r)}};e.exports=function(e,t){var n=function(e){if(!e)return a;if(void 0!==e.allowEmptyArrays&&"boolean"!=typeof e.allowEmptyArrays)throw new TypeError("`allowEmptyArrays` option can only be `true` or `false`, when provided");if(void 0!==e.decodeDotInKeys&&"boolean"!=typeof e.decodeDotInKeys)throw new TypeError("`decodeDotInKeys` option can only be `true` or `false`, when provided");if(null!==e.decoder&&void 0!==e.decoder&&"function"!=typeof e.decoder)throw new TypeError("Decoder has to be a function.");if(void 0!==e.charset&&"utf-8"!==e.charset&&"iso-8859-1"!==e.charset)throw new TypeError("The charset option must be either utf-8, iso-8859-1, or undefined");var t=void 0===e.charset?a.charset:e.charset,n=void 0===e.duplicates?a.duplicates:e.duplicates;if("combine"!==n&&"first"!==n&&"last"!==n)throw new TypeError("The duplicates option must be either combine, first, or last");return{allowDots:void 0===e.allowDots?!0===e.decodeDotInKeys||a.allowDots:!!e.allowDots,allowEmptyArrays:"boolean"==typeof e.allowEmptyArrays?!!e.allowEmptyArrays:a.allowEmptyArrays,allowPrototypes:"boolean"==typeof e.allowPrototypes?e.allowPrototypes:a.allowPrototypes,allowSparse:"boolean"==typeof e.allowSparse?e.allowSparse:a.allowSparse,arrayLimit:"number"==typeof e.arrayLimit?e.arrayLimit:a.arrayLimit,charset:t,charsetSentinel:"boolean"==typeof e.charsetSentinel?e.charsetSentinel:a.charsetSentinel,comma:"boolean"==typeof e.comma?e.comma:a.comma,decodeDotInKeys:"boolean"==typeof e.decodeDotInKeys?e.decodeDotInKeys:a.decodeDotInKeys,decoder:"function"==typeof e.decoder?e.decoder:a.decoder,delimiter:"string"==typeof e.delimiter||r.isRegExp(e.delimiter)?e.delimiter:a.delimiter,depth:"number"==typeof e.depth||!1===e.depth?+e.depth:a.depth,duplicates:n,ignoreQueryPrefix:!0===e.ignoreQueryPrefix,interpretNumericEntities:"boolean"==typeof e.interpretNumericEntities?e.interpretNumericEntities:a.interpretNumericEntities,parameterLimit:"number"==typeof e.parameterLimit?e.parameterLimit:a.parameterLimit,parseArrays:!1!==e.parseArrays,plainObjects:"boolean"==typeof e.plainObjects?e.plainObjects:a.plainObjects,strictDepth:"boolean"==typeof e.strictDepth?!!e.strictDepth:a.strictDepth,strictNullHandling:"boolean"==typeof e.strictNullHandling?e.strictNullHandling:a.strictNullHandling}}(t);if(""===e||null==e)return n.plainObjects?{__proto__:null}:{};for(var u="string"==typeof e?function(e,t){var n={__proto__:null},c=t.ignoreQueryPrefix?e.replace(/^\?/,""):e;c=c.replace(/%5B/gi,"[").replace(/%5D/gi,"]");var u,d=t.parameterLimit===1/0?void 0:t.parameterLimit,h=c.split(t.delimiter,d),p=-1,f=t.charset;if(t.charsetSentinel)for(u=0;u<h.length;++u)0===h[u].indexOf("utf8=")&&("utf8=%E2%9C%93"===h[u]?f="utf-8":"utf8=%26%2310003%3B"===h[u]&&(f="iso-8859-1"),p=u,u=h.length);for(u=0;u<h.length;++u)if(u!==p){var m,v,g=h[u],w=g.indexOf("]="),y=-1===w?g.indexOf("="):w+1;-1===y?(m=t.decoder(g,a.decoder,f,"key"),v=t.strictNullHandling?null:""):(m=t.decoder(g.slice(0,y),a.decoder,f,"key"),v=r.maybeMap(s(g.slice(y+1),t),(function(e){return t.decoder(e,a.decoder,f,"value")}))),v&&t.interpretNumericEntities&&"iso-8859-1"===f&&(v=l(String(v))),g.indexOf("[]=")>-1&&(v=i(v)?[v]:v);var b=o.call(n,m);b&&"combine"===t.duplicates?n[m]=r.combine(n[m],v):b&&"last"!==t.duplicates||(n[m]=v)}return n}(e,n):e,d=n.plainObjects?{__proto__:null}:{},h=Object.keys(u),p=0;p<h.length;++p){var f=h[p],m=c(f,u[f],n,"string"==typeof e);d=r.merge(d,m,n)}return!0===n.allowSparse?d:r.compact(d)}},98636:(e,t,n)=>{"use strict";var r=n(920),o=n(37720),i=n(74765),a=Object.prototype.hasOwnProperty,l={brackets:function(e){return e+"[]"},comma:"comma",indices:function(e,t){return e+"["+t+"]"},repeat:function(e){return e}},s=Array.isArray,c=Array.prototype.push,u=function(e,t){c.apply(e,s(t)?t:[t])},d=Date.prototype.toISOString,h=i.default,p={addQueryPrefix:!1,allowDots:!1,allowEmptyArrays:!1,arrayFormat:"indices",charset:"utf-8",charsetSentinel:!1,commaRoundTrip:!1,delimiter:"&",encode:!0,encodeDotInKeys:!1,encoder:o.encode,encodeValuesOnly:!1,filter:void 0,format:h,formatter:i.formatters[h],indices:!1,serializeDate:function(e){return d.call(e)},skipNulls:!1,strictNullHandling:!1},f={},m=function e(t,n,i,a,l,c,d,h,m,v,g,w,y,b,x,k,E,A){for(var C,B=t,M=A,_=0,S=!1;void 0!==(M=M.get(f))&&!S;){var N=M.get(t);if(_+=1,void 0!==N){if(N===_)throw new RangeError("Cyclic object value");S=!0}void 0===M.get(f)&&(_=0)}if("function"==typeof v?B=v(n,B):B instanceof Date?B=y(B):"comma"===i&&s(B)&&(B=o.maybeMap(B,(function(e){return e instanceof Date?y(e):e}))),null===B){if(c)return m&&!k?m(n,p.encoder,E,"key",b):n;B=""}if("string"==typeof(C=B)||"number"==typeof C||"boolean"==typeof C||"symbol"==typeof C||"bigint"==typeof C||o.isBuffer(B))return m?[x(k?n:m(n,p.encoder,E,"key",b))+"="+x(m(B,p.encoder,E,"value",b))]:[x(n)+"="+x(String(B))];var V,L=[];if(void 0===B)return L;if("comma"===i&&s(B))k&&m&&(B=o.maybeMap(B,m)),V=[{value:B.length>0?B.join(",")||null:void 0}];else if(s(v))V=v;else{var T=Object.keys(B);V=g?T.sort(g):T}var I=h?String(n).replace(/\./g,"%2E"):String(n),Z=a&&s(B)&&1===B.length?I+"[]":I;if(l&&s(B)&&0===B.length)return Z+"[]";for(var O=0;O<V.length;++O){var D=V[O],R="object"==typeof D&&D&&void 0!==D.value?D.value:B[D];if(!d||null!==R){var H=w&&h?String(D).replace(/\./g,"%2E"):String(D),P=s(B)?"function"==typeof i?i(Z,H):Z:Z+(w?"."+H:"["+H+"]");A.set(t,_);var j=r();j.set(f,A),u(L,e(R,P,i,a,l,c,d,h,"comma"===i&&k&&s(B)?null:m,v,g,w,y,b,x,k,E,j))}}return L};e.exports=function(e,t){var n,o=e,c=function(e){if(!e)return p;if(void 0!==e.allowEmptyArrays&&"boolean"!=typeof e.allowEmptyArrays)throw new TypeError("`allowEmptyArrays` option can only be `true` or `false`, when provided");if(void 0!==e.encodeDotInKeys&&"boolean"!=typeof e.encodeDotInKeys)throw new TypeError("`encodeDotInKeys` option can only be `true` or `false`, when provided");if(null!==e.encoder&&void 0!==e.encoder&&"function"!=typeof e.encoder)throw new TypeError("Encoder has to be a function.");var t=e.charset||p.charset;if(void 0!==e.charset&&"utf-8"!==e.charset&&"iso-8859-1"!==e.charset)throw new TypeError("The charset option must be either utf-8, iso-8859-1, or undefined");var n=i.default;if(void 0!==e.format){if(!a.call(i.formatters,e.format))throw new TypeError("Unknown format option provided.");n=e.format}var r,o=i.formatters[n],c=p.filter;if(("function"==typeof e.filter||s(e.filter))&&(c=e.filter),r=e.arrayFormat in l?e.arrayFormat:"indices"in e?e.indices?"indices":"repeat":p.arrayFormat,"commaRoundTrip"in e&&"boolean"!=typeof e.commaRoundTrip)throw new TypeError("`commaRoundTrip` must be a boolean, or absent");var u=void 0===e.allowDots?!0===e.encodeDotInKeys||p.allowDots:!!e.allowDots;return{addQueryPrefix:"boolean"==typeof e.addQueryPrefix?e.addQueryPrefix:p.addQueryPrefix,allowDots:u,allowEmptyArrays:"boolean"==typeof e.allowEmptyArrays?!!e.allowEmptyArrays:p.allowEmptyArrays,arrayFormat:r,charset:t,charsetSentinel:"boolean"==typeof e.charsetSentinel?e.charsetSentinel:p.charsetSentinel,commaRoundTrip:!!e.commaRoundTrip,delimiter:void 0===e.delimiter?p.delimiter:e.delimiter,encode:"boolean"==typeof e.encode?e.encode:p.encode,encodeDotInKeys:"boolean"==typeof e.encodeDotInKeys?e.encodeDotInKeys:p.encodeDotInKeys,encoder:"function"==typeof e.encoder?e.encoder:p.encoder,encodeValuesOnly:"boolean"==typeof e.encodeValuesOnly?e.encodeValuesOnly:p.encodeValuesOnly,filter:c,format:n,formatter:o,serializeDate:"function"==typeof e.serializeDate?e.serializeDate:p.serializeDate,skipNulls:"boolean"==typeof e.skipNulls?e.skipNulls:p.skipNulls,sort:"function"==typeof e.sort?e.sort:null,strictNullHandling:"boolean"==typeof e.strictNullHandling?e.strictNullHandling:p.strictNullHandling}}(t);"function"==typeof c.filter?o=(0,c.filter)("",o):s(c.filter)&&(n=c.filter);var d=[];if("object"!=typeof o||null===o)return"";var h=l[c.arrayFormat],f="comma"===h&&c.commaRoundTrip;n||(n=Object.keys(o)),c.sort&&n.sort(c.sort);for(var v=r(),g=0;g<n.length;++g){var w=n[g],y=o[w];c.skipNulls&&null===y||u(d,m(y,w,h,f,c.allowEmptyArrays,c.strictNullHandling,c.skipNulls,c.encodeDotInKeys,c.encode?c.encoder:null,c.filter,c.sort,c.allowDots,c.serializeDate,c.format,c.formatter,c.encodeValuesOnly,c.charset,v))}var b=d.join(c.delimiter),x=!0===c.addQueryPrefix?"?":"";return c.charsetSentinel&&("iso-8859-1"===c.charset?x+="utf8=%26%2310003%3B&":x+="utf8=%E2%9C%93&"),b.length>0?x+b:""}},37720:(e,t,n)=>{"use strict";var r=n(74765),o=Object.prototype.hasOwnProperty,i=Array.isArray,a=function(){for(var e=[],t=0;t<256;++t)e.push("%"+((t<16?"0":"")+t.toString(16)).toUpperCase());return e}(),l=function(e,t){for(var n=t&&t.plainObjects?{__proto__:null}:{},r=0;r<e.length;++r)void 0!==e[r]&&(n[r]=e[r]);return n},s=1024;e.exports={arrayToObject:l,assign:function(e,t){return Object.keys(t).reduce((function(e,n){return e[n]=t[n],e}),e)},combine:function(e,t){return[].concat(e,t)},compact:function(e){for(var t=[{obj:{o:e},prop:"o"}],n=[],r=0;r<t.length;++r)for(var o=t[r],a=o.obj[o.prop],l=Object.keys(a),s=0;s<l.length;++s){var c=l[s],u=a[c];"object"==typeof u&&null!==u&&-1===n.indexOf(u)&&(t.push({obj:a,prop:c}),n.push(u))}return function(e){for(;e.length>1;){var t=e.pop(),n=t.obj[t.prop];if(i(n)){for(var r=[],o=0;o<n.length;++o)void 0!==n[o]&&r.push(n[o]);t.obj[t.prop]=r}}}(t),e},decode:function(e,t,n){var r=e.replace(/\+/g," ");if("iso-8859-1"===n)return r.replace(/%[0-9a-f]{2}/gi,unescape);try{return decodeURIComponent(r)}catch(e){return r}},encode:function(e,t,n,o,i){if(0===e.length)return e;var l=e;if("symbol"==typeof e?l=Symbol.prototype.toString.call(e):"string"!=typeof e&&(l=String(e)),"iso-8859-1"===n)return escape(l).replace(/%u[0-9a-f]{4}/gi,(function(e){return"%26%23"+parseInt(e.slice(2),16)+"%3B"}));for(var c="",u=0;u<l.length;u+=s){for(var d=l.length>=s?l.slice(u,u+s):l,h=[],p=0;p<d.length;++p){var f=d.charCodeAt(p);45===f||46===f||95===f||126===f||f>=48&&f<=57||f>=65&&f<=90||f>=97&&f<=122||i===r.RFC1738&&(40===f||41===f)?h[h.length]=d.charAt(p):f<128?h[h.length]=a[f]:f<2048?h[h.length]=a[192|f>>6]+a[128|63&f]:f<55296||f>=57344?h[h.length]=a[224|f>>12]+a[128|f>>6&63]+a[128|63&f]:(p+=1,f=65536+((1023&f)<<10|1023&d.charCodeAt(p)),h[h.length]=a[240|f>>18]+a[128|f>>12&63]+a[128|f>>6&63]+a[128|63&f])}c+=h.join("")}return c},isBuffer:function(e){return!(!e||"object"!=typeof e)&&!!(e.constructor&&e.constructor.isBuffer&&e.constructor.isBuffer(e))},isRegExp:function(e){return"[object RegExp]"===Object.prototype.toString.call(e)},maybeMap:function(e,t){if(i(e)){for(var n=[],r=0;r<e.length;r+=1)n.push(t(e[r]));return n}return t(e)},merge:function e(t,n,r){if(!n)return t;if("object"!=typeof n&&"function"!=typeof n){if(i(t))t.push(n);else{if(!t||"object"!=typeof t)return[t,n];(r&&(r.plainObjects||r.allowPrototypes)||!o.call(Object.prototype,n))&&(t[n]=!0)}return t}if(!t||"object"!=typeof t)return[t].concat(n);var a=t;return i(t)&&!i(n)&&(a=l(t,r)),i(t)&&i(n)?(n.forEach((function(n,i){if(o.call(t,i)){var a=t[i];a&&"object"==typeof a&&n&&"object"==typeof n?t[i]=e(a,n,r):t.push(n)}else t[i]=n})),t):Object.keys(n).reduce((function(t,i){var a=n[i];return o.call(t,i)?t[i]=e(t[i],a,r):t[i]=a,t}),a)}}},65824:(e,t,n)=>{"use strict";e.exports=n(43276)},61897:(e,t,n)=>{"use strict";var r,o,i,a=n(81452),l="0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ_-";function s(){i=!1}function c(e){if(e){if(e!==r){if(64!==e.length)throw new Error("Custom alphabet for shortid must be 64 unique characters. You submitted "+e.length+" characters: "+e);var t=e.split("").filter((function(e,t,n){return t!==n.lastIndexOf(e)}));if(t.length)throw new Error("Custom alphabet for shortid must be 64 unique characters. These characters were not unique: "+t.join(", "));r=e,s()}}else r!==l&&(r=l,s())}function u(){return i||(i=function(){r||c(l);for(var e,t=r.split(""),n=[],o=a.nextValue();t.length>0;)o=a.nextValue(),e=Math.floor(o*t.length),n.push(t.splice(e,1)[0]);return n.join("")}())}e.exports={get:function(){return r||l},characters:function(e){return c(e),r},seed:function(e){a.seed(e),o!==e&&(s(),o=e)},lookup:function(e){return u()[e]},shuffled:u}},66852:(e,t,n)=>{"use strict";var r,o,i=n(85697);n(61897);e.exports=function(e){var t="",n=Math.floor(.001*(Date.now()-1567752802062));return n===o?r++:(r=0,o=n),t+=i(7),t+=i(e),r>0&&(t+=i(r)),t+=i(n)}},85697:(e,t,n)=>{"use strict";var r=n(61897),o=n(82659),i=n(98886);e.exports=function(e){for(var t,n=0,a="";!t;)a+=i(o,r.get(),1),t=e<Math.pow(16,n+1),n++;return a}},43276:(e,t,n)=>{"use strict";var r=n(61897),o=n(66852),i=n(48905),a=n(24263)||0;function l(){return o(a)}e.exports=l,e.exports.generate=l,e.exports.seed=function(t){return r.seed(t),e.exports},e.exports.worker=function(t){return a=t,e.exports},e.exports.characters=function(e){return void 0!==e&&r.characters(e),r.shuffled()},e.exports.isValid=i},48905:(e,t,n)=>{"use strict";var r=n(61897);e.exports=function(e){return!(!e||"string"!=typeof e||e.length<6)&&!new RegExp("[^"+r.get().replace(/[|\\{}()[\]^$+*?.-]/g,"\\$&")+"]").test(e)}},82659:e=>{"use strict";var t,n="object"==typeof window&&(window.crypto||window.msCrypto);t=n&&n.getRandomValues?function(e){return n.getRandomValues(new Uint8Array(e))}:function(e){for(var t=[],n=0;n<e;n++)t.push(Math.floor(256*Math.random()));return t},e.exports=t},81452:e=>{"use strict";var t=1;e.exports={nextValue:function(){return(t=(9301*t+49297)%233280)/233280},seed:function(e){t=e}}},24263:e=>{"use strict";e.exports=0},98886:e=>{e.exports=function(e,t,n){for(var r=(2<<Math.log(t.length-1)/Math.LN2)-1,o=-~(1.6*r*n/t.length),i="";;)for(var a=e(o),l=o;l--;)if((i+=t[a[l]&r]||"").length===+n)return i}},14803:(e,t,n)=>{"use strict";var r=n(58859),o=n(69675),i=function(e,t,n){for(var r,o=e;null!=(r=o.next);o=r)if(r.key===t)return o.next=r.next,n||(r.next=e.next,e.next=r),r};e.exports=function(){var e,t={assert:function(e){if(!t.has(e))throw new o("Side channel does not contain "+r(e))},delete:function(t){var n=e&&e.next,r=function(e,t){if(e)return i(e,t,!0)}(e,t);return r&&n&&n===r&&(e=void 0),!!r},get:function(t){return function(e,t){if(e){var n=i(e,t);return n&&n.value}}(e,t)},has:function(t){return function(e,t){return!!e&&!!i(e,t)}(e,t)},set:function(t,n){e||(e={next:void 0}),function(e,t,n){var r=i(e,t);r?r.value=n:e.next={key:t,next:e.next,value:n}}(e,t,n)}};return t}},80507:(e,t,n)=>{"use strict";var r=n(70453),o=n(36556),i=n(58859),a=n(69675),l=r("%Map%",!0),s=o("Map.prototype.get",!0),c=o("Map.prototype.set",!0),u=o("Map.prototype.has",!0),d=o("Map.prototype.delete",!0),h=o("Map.prototype.size",!0);e.exports=!!l&&function(){var e,t={assert:function(e){if(!t.has(e))throw new a("Side channel does not contain "+i(e))},delete:function(t){if(e){var n=d(e,t);return 0===h(e)&&(e=void 0),n}return!1},get:function(t){if(e)return s(e,t)},has:function(t){return!!e&&u(e,t)},set:function(t,n){e||(e=new l),c(e,t,n)}};return t}},72271:(e,t,n)=>{"use strict";var r=n(70453),o=n(36556),i=n(58859),a=n(80507),l=n(69675),s=r("%WeakMap%",!0),c=o("WeakMap.prototype.get",!0),u=o("WeakMap.prototype.set",!0),d=o("WeakMap.prototype.has",!0),h=o("WeakMap.prototype.delete",!0);e.exports=s?function(){var e,t,n={assert:function(e){if(!n.has(e))throw new l("Side channel does not contain "+i(e))},delete:function(n){if(s&&n&&("object"==typeof n||"function"==typeof n)){if(e)return h(e,n)}else if(a&&t)return t.delete(n);return!1},get:function(n){return s&&n&&("object"==typeof n||"function"==typeof n)&&e?c(e,n):t&&t.get(n)},has:function(n){return s&&n&&("object"==typeof n||"function"==typeof n)&&e?d(e,n):!!t&&t.has(n)},set:function(n,r){s&&n&&("object"==typeof n||"function"==typeof n)?(e||(e=new s),u(e,n,r)):a&&(t||(t=a()),t.set(n,r))}};return n}:a},920:(e,t,n)=>{"use strict";var r=n(69675),o=n(58859),i=n(14803),a=n(80507),l=n(72271)||a||i;e.exports=function(){var e,t={assert:function(e){if(!t.has(e))throw new r("Side channel does not contain "+o(e))},delete:function(t){return!!e&&e.delete(t)},get:function(t){return e&&e.get(t)},has:function(t){return!!e&&e.has(t)},set:function(t,n){e||(e=l()),e.set(t,n)}};return t}},55809:(e,t,n)=>{"use strict";var r=n(85072),o=n.n(r),i=n(63700),a={insert:"head",singleton:!1};o()(i.A,a),i.A.locals},27554:(e,t,n)=>{"use strict";var r=n(85072),o=n.n(r),i=n(83467),a={insert:"head",singleton:!1};o()(i.A,a),i.A.locals},76486:(e,t,n)=>{"use strict";var r=n(85072),o=n.n(r),i=n(53743),a={insert:"head",singleton:!1};o()(i.A,a),i.A.locals},18028:(e,t,n)=>{"use strict";var r=n(85072),o=n.n(r),i=n(80859),a={insert:"head",singleton:!1};o()(i.A,a),i.A.locals},85072:(e,t,n)=>{"use strict";var r,o=function(){return void 0===r&&(r=Boolean(window&&document&&document.all&&!window.atob)),r},i=function(){var e={};return function(t){if(void 0===e[t]){var n=document.querySelector(t);if(window.HTMLIFrameElement&&n instanceof window.HTMLIFrameElement)try{n=n.contentDocument.head}catch(e){n=null}e[t]=n}return e[t]}}(),a=[];function l(e){for(var t=-1,n=0;n<a.length;n++)if(a[n].identifier===e){t=n;break}return t}function s(e,t){for(var n={},r=[],o=0;o<e.length;o++){var i=e[o],s=t.base?i[0]+t.base:i[0],c=n[s]||0,u="".concat(s," ").concat(c);n[s]=c+1;var d=l(u),h={css:i[1],media:i[2],sourceMap:i[3]};-1!==d?(a[d].references++,a[d].updater(h)):a.push({identifier:u,updater:v(h,t),references:1}),r.push(u)}return r}function c(e){var t=document.createElement("style"),r=e.attributes||{};if(void 0===r.nonce){var o=n.nc;o&&(r.nonce=o)}if(Object.keys(r).forEach((function(e){t.setAttribute(e,r[e])})),"function"==typeof e.insert)e.insert(t);else{var a=i(e.insert||"head");if(!a)throw new Error("Couldn't find a style target. This probably means that the value for the 'insert' parameter is invalid.");a.appendChild(t)}return t}var u,d=(u=[],function(e,t){return u[e]=t,u.filter(Boolean).join("\n")});function h(e,t,n,r){var o=n?"":r.media?"@media ".concat(r.media," {").concat(r.css,"}"):r.css;if(e.styleSheet)e.styleSheet.cssText=d(t,o);else{var i=document.createTextNode(o),a=e.childNodes;a[t]&&e.removeChild(a[t]),a.length?e.insertBefore(i,a[t]):e.appendChild(i)}}function p(e,t,n){var r=n.css,o=n.media,i=n.sourceMap;if(o?e.setAttribute("media",o):e.removeAttribute("media"),i&&"undefined"!=typeof btoa&&(r+="\n/*# sourceMappingURL=data:application/json;base64,".concat(btoa(unescape(encodeURIComponent(JSON.stringify(i))))," */")),e.styleSheet)e.styleSheet.cssText=r;else{for(;e.firstChild;)e.removeChild(e.firstChild);e.appendChild(document.createTextNode(r))}}var f=null,m=0;function v(e,t){var n,r,o;if(t.singleton){var i=m++;n=f||(f=c(t)),r=h.bind(null,n,i,!1),o=h.bind(null,n,i,!0)}else n=c(t),r=p.bind(null,n,t),o=function(){!function(e){if(null===e.parentNode)return!1;e.parentNode.removeChild(e)}(n)};return r(e),function(t){if(t){if(t.css===e.css&&t.media===e.media&&t.sourceMap===e.sourceMap)return;r(e=t)}else o()}}e.exports=function(e,t){(t=t||{}).singleton||"boolean"==typeof t.singleton||(t.singleton=o());var n=s(e=e||[],t);return function(e){if(e=e||[],"[object Array]"===Object.prototype.toString.call(e)){for(var r=0;r<n.length;r++){var o=l(n[r]);a[o].references--}for(var i=s(e,t),c=0;c<n.length;c++){var u=l(n[c]);0===a[u].references&&(a[u].updater(),a.splice(u,1))}n=i}}}},50098:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),function(e,t){for(var n in t)Object.defineProperty(e,n,{enumerable:!0,get:t[n]})}(t,{parseColor:function(){return p},formatColor:function(){return f}});const r=o(n(36568));function o(e){return e&&e.__esModule?e:{default:e}}let i=/^#([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})?$/i,a=/^#([a-f\d])([a-f\d])([a-f\d])([a-f\d])?$/i,l=/(?:\d+|\d*\.\d+)%?/,s=/(?:\s*,\s*|\s+)/,c=/\s*[,/]\s*/,u=/var\(--(?:[^ )]*?)(?:,(?:[^ )]*?|var\(--[^ )]*?\)))?\)/,d=new RegExp(`^(rgba?)\\(\\s*(${l.source}|${u.source})(?:${s.source}(${l.source}|${u.source}))?(?:${s.source}(${l.source}|${u.source}))?(?:${c.source}(${l.source}|${u.source}))?\\s*\\)$`),h=new RegExp(`^(hsla?)\\(\\s*((?:${l.source})(?:deg|rad|grad|turn)?|${u.source})(?:${s.source}(${l.source}|${u.source}))?(?:${s.source}(${l.source}|${u.source}))?(?:${c.source}(${l.source}|${u.source}))?\\s*\\)$`);function p(e,{loose:t=!1}={}){var n,o;if("string"!=typeof e)return null;if("transparent"===(e=e.trim()))return{mode:"rgb",color:["0","0","0"],alpha:"0"};if(e in r.default)return{mode:"rgb",color:r.default[e].map((e=>e.toString()))};let l=e.replace(a,((e,t,n,r,o)=>["#",t,t,n,n,r,r,o?o+o:""].join(""))).match(i);if(null!==l)return{mode:"rgb",color:[parseInt(l[1],16),parseInt(l[2],16),parseInt(l[3],16)].map((e=>e.toString())),alpha:l[4]?(parseInt(l[4],16)/255).toString():void 0};var s;let c=null!==(s=e.match(d))&&void 0!==s?s:e.match(h);if(null===c)return null;let u=[c[2],c[3],c[4]].filter(Boolean).map((e=>e.toString()));return 2===u.length&&u[0].startsWith("var(")?{mode:c[1],color:[u[0]],alpha:u[1]}:t||3===u.length?u.length<3&&!u.some((e=>/^var\(.*?\)$/.test(e)))?null:{mode:c[1],color:u,alpha:null===(n=c[5])||void 0===n||null===(o=n.toString)||void 0===o?void 0:o.call(n)}:null}function f({mode:e,color:t,alpha:n}){let r=void 0!==n;return"rgba"===e||"hsla"===e?`${e}(${t.join(", ")}${r?`, ${n}`:""})`:`${e}(${t.join(" ")}${r?` / ${n}`:""})`}},36568:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return n}});const n={aliceblue:[240,248,255],antiquewhite:[250,235,215],aqua:[0,255,255],aquamarine:[127,255,212],azure:[240,255,255],beige:[245,245,220],bisque:[255,228,196],black:[0,0,0],blanchedalmond:[255,235,205],blue:[0,0,255],blueviolet:[138,43,226],brown:[165,42,42],burlywood:[222,184,135],cadetblue:[95,158,160],chartreuse:[127,255,0],chocolate:[210,105,30],coral:[255,127,80],cornflowerblue:[100,149,237],cornsilk:[255,248,220],crimson:[220,20,60],cyan:[0,255,255],darkblue:[0,0,139],darkcyan:[0,139,139],darkgoldenrod:[184,134,11],darkgray:[169,169,169],darkgreen:[0,100,0],darkgrey:[169,169,169],darkkhaki:[189,183,107],darkmagenta:[139,0,139],darkolivegreen:[85,107,47],darkorange:[255,140,0],darkorchid:[153,50,204],darkred:[139,0,0],darksalmon:[233,150,122],darkseagreen:[143,188,143],darkslateblue:[72,61,139],darkslategray:[47,79,79],darkslategrey:[47,79,79],darkturquoise:[0,206,209],darkviolet:[148,0,211],deeppink:[255,20,147],deepskyblue:[0,191,255],dimgray:[105,105,105],dimgrey:[105,105,105],dodgerblue:[30,144,255],firebrick:[178,34,34],floralwhite:[255,250,240],forestgreen:[34,139,34],fuchsia:[255,0,255],gainsboro:[220,220,220],ghostwhite:[248,248,255],gold:[255,215,0],goldenrod:[218,165,32],gray:[128,128,128],green:[0,128,0],greenyellow:[173,255,47],grey:[128,128,128],honeydew:[240,255,240],hotpink:[255,105,180],indianred:[205,92,92],indigo:[75,0,130],ivory:[255,255,240],khaki:[240,230,140],lavender:[230,230,250],lavenderblush:[255,240,245],lawngreen:[124,252,0],lemonchiffon:[255,250,205],lightblue:[173,216,230],lightcoral:[240,128,128],lightcyan:[224,255,255],lightgoldenrodyellow:[250,250,210],lightgray:[211,211,211],lightgreen:[144,238,144],lightgrey:[211,211,211],lightpink:[255,182,193],lightsalmon:[255,160,122],lightseagreen:[32,178,170],lightskyblue:[135,206,250],lightslategray:[119,136,153],lightslategrey:[119,136,153],lightsteelblue:[176,196,222],lightyellow:[255,255,224],lime:[0,255,0],limegreen:[50,205,50],linen:[250,240,230],magenta:[255,0,255],maroon:[128,0,0],mediumaquamarine:[102,205,170],mediumblue:[0,0,205],mediumorchid:[186,85,211],mediumpurple:[147,112,219],mediumseagreen:[60,179,113],mediumslateblue:[123,104,238],mediumspringgreen:[0,250,154],mediumturquoise:[72,209,204],mediumvioletred:[199,21,133],midnightblue:[25,25,112],mintcream:[245,255,250],mistyrose:[255,228,225],moccasin:[255,228,181],navajowhite:[255,222,173],navy:[0,0,128],oldlace:[253,245,230],olive:[128,128,0],olivedrab:[107,142,35],orange:[255,165,0],orangered:[255,69,0],orchid:[218,112,214],palegoldenrod:[238,232,170],palegreen:[152,251,152],paleturquoise:[175,238,238],palevioletred:[219,112,147],papayawhip:[255,239,213],peachpuff:[255,218,185],peru:[205,133,63],pink:[255,192,203],plum:[221,160,221],powderblue:[176,224,230],purple:[128,0,128],rebeccapurple:[102,51,153],red:[255,0,0],rosybrown:[188,143,143],royalblue:[65,105,225],saddlebrown:[139,69,19],salmon:[250,128,114],sandybrown:[244,164,96],seagreen:[46,139,87],seashell:[255,245,238],sienna:[160,82,45],silver:[192,192,192],skyblue:[135,206,235],slateblue:[106,90,205],slategray:[112,128,144],slategrey:[112,128,144],snow:[255,250,250],springgreen:[0,255,127],steelblue:[70,130,180],tan:[210,180,140],teal:[0,128,128],thistle:[216,191,216],tomato:[255,99,71],turquoise:[64,224,208],violet:[238,130,238],wheat:[245,222,179],white:[255,255,255],whitesmoke:[245,245,245],yellow:[255,255,0],yellowgreen:[154,205,50]}},51504:e=>{function t(){}t.prototype={on:function(e,t,n){var r=this.e||(this.e={});return(r[e]||(r[e]=[])).push({fn:t,ctx:n}),this},once:function(e,t,n){var r=this;function o(){r.off(e,o),t.apply(n,arguments)}return o._=t,this.on(e,o,n)},emit:function(e){for(var t=[].slice.call(arguments,1),n=((this.e||(this.e={}))[e]||[]).slice(),r=0,o=n.length;r<o;r++)n[r].fn.apply(n[r].ctx,t);return this},off:function(e,t){var n=this.e||(this.e={}),r=n[e],o=[];if(r&&t)for(var i=0,a=r.length;i<a;i++)r[i].fn!==t&&r[i].fn._!==t&&o.push(r[i]);return o.length?n[e]=o:delete n[e],this}},e.exports=t,e.exports.TinyEmitter=t},52647:(e,t,n)=>{"use strict";n.d(t,{A:()=>x});var r=n(47168),o=n.n(r),i=n(17554),a=n.n(i);let l=300;const s=e=>{a()({targets:e,translateY:"-35px",opacity:1,duration:l,easing:"easeOutCubic"})},c=(e,t)=>{a()({targets:e,opacity:0,marginTop:"-40px",duration:l,easing:"easeOutExpo",complete:t})},u=e=>{a()({targets:e,left:0,opacity:1,duration:l,easing:"easeOutExpo"})},d=(e,t,n)=>{a()({targets:e,duration:10,easing:"easeOutQuad",left:t,opacity:n})},h=(e,t)=>{a()({targets:e,opacity:0,duration:l,easing:"easeOutExpo",complete:t})},p=e=>{let t=a().timeline();e.forEach((e=>{t.add({targets:e.el,opacity:0,right:"-40px",duration:300,offset:"-=150",easing:"easeOutExpo",complete:()=>{e.destroy()}})}))},f=n(65824),m=function(e){this.options={},this.id=f.generate(),this.toast=null;let t=!1;(()=>{e.toasts.push(this)})(),this.create=(e,o)=>{if(!e||t)return;o=i(o);let c=r();return this.toast=document.createElement("div"),this.toast.classList.add("toasted"),o.className&&o.className.forEach((e=>{this.toast.classList.add(e)})),n(e),a(),l(),m(),c.appendChild(this.toast),s(this.toast),v(),this.el=this.toast,t=!0,this};let n=e=>{e&&(("object"==typeof HTMLElement?e instanceof HTMLElement:e&&"object"==typeof e&&null!==e&&1===e.nodeType&&"string"==typeof e.nodeName)?this.toast.appendChild(e):this.toast.innerHTML=e)},r=()=>{let t=document.getElementById(e.id);return null===t&&(t=document.createElement("div"),t.id=e.id,document.body.appendChild(t)),t.className!==this.options.containerClass.join(" ")&&(t.className="",this.options.containerClass.forEach((e=>{t.classList.add(e)}))),t},i=e=>(e.position=e.position||"top-right",e.duration=e.duration||null,e.action=e.action||null,e.fullWidth=e.fullWidth||!1,e.fitToScreen=e.fitToScreen||null,e.className=e.className||null,e.containerClass=e.containerClass||null,e.icon=e.icon||null,e.type=e.type||"default",e.theme=e.theme||"material",e.color=e.color||null,e.iconColor=e.iconColor||null,e.onComplete=e.onComplete||null,e.className&&"string"==typeof e.className&&(e.className=e.className.split(" ")),e.className||(e.className=[]),e.theme&&e.className.push(e.theme.trim()),e.type&&e.className.push(e.type),e.containerClass&&"string"==typeof e.containerClass&&(e.containerClass=e.containerClass.split(" ")),e.containerClass||(e.containerClass=[]),e.position&&e.containerClass.push(e.position.trim()),e.fullWidth&&e.containerClass.push("full-width"),e.fitToScreen&&e.containerClass.push("fit-to-screen"),e.containerClass.unshift("toasted-container"),g.run("options",(t=>t(e,this.options))),this.options=e,e),a=()=>{let e=this.toast,t=new(o())(e,{prevent_default:!1});t.on("pan",(function(t){let n=t.deltaX;e.classList.contains("panning")||e.classList.add("panning");let r=1-Math.abs(n/80);r<0&&(r=0),d(e,n,r)})),t.on("panend",(t=>{let n=t.deltaX;Math.abs(n)>80?h(e,(()=>{"function"==typeof this.options.onComplete&&this.options.onComplete(),this.destroy()})):(e.classList.remove("panning"),u(e))}))},l=()=>{let e=this.options;if(e.icon){let t=document.createElement("i");t.classList.add("material-icons"),t.style.color=e.icon.color?e.icon.color:e.color,e.icon.after&&e.icon.name?(t.textContent=e.icon.name,t.classList.add("after"),this.toast.appendChild(t)):e.icon.name?(t.textContent=e.icon.name,this.toast.insertBefore(t,this.toast.firstChild)):(t.textContent=e.icon,this.toast.insertBefore(t,this.toast.firstChild))}},p=t=>{if(!t)return null;let n=document.createElement("a");if(n.style.color=t.color?t.color:this.options.color,n.classList.add("action"),t.text&&(n.text=t.text),t.href&&(n.href=t.href),t.icon){n.classList.add("icon");let e=document.createElement("i");e.classList.add("material-icons"),e.textContent=t.icon,n.appendChild(e)}if(t.class)switch(typeof t.class){case"string":t.class.split(" ").forEach((e=>{n.classList.add(e)}));break;case"array":t.class.forEach((e=>{n.classList.add(e)}))}return t.onClick&&"function"==typeof t.onClick&&n.addEventListener("click",(e=>{t.onClick&&(e.preventDefault(),t.onClick(e,this))})),g.run("actions",(r=>r(n,t,this,e))),n},m=()=>{let e=this.options,t=!1,n=document.createElement("span");if(n.classList.add("actions-wrapper"),Array.isArray(e.action))e.action.forEach((e=>{let r=p(e);r&&(n.appendChild(r),t=!0)}));else if("object"==typeof e.action){let r=p(e.action);r&&(n.appendChild(r),t=!0)}t&&this.toast.appendChild(n)},v=()=>{let e,t=this.options.duration;null!==t&&(e=setInterval((()=>{null===this.toast.parentNode&&window.clearInterval(e),this.toast.classList.contains("panning")||(t-=20),t<=0&&(c(this.toast,(()=>{"function"==typeof this.options.onComplete&&this.options.onComplete(),this.destroy()})),window.clearInterval(e))}),20))};return this.text=e=>(n(e),this),this.delete=(e=300)=>(setTimeout((()=>{c(this.toast,(()=>{this.destroy()}))}),e),!0),this.destroy=()=>{e.toasts=e.toasts.filter((e=>e.id!==this.id)),this.toast.parentNode&&this.toast.parentNode.removeChild(this.toast)},this.goAway=e=>this.delete(e),this.el=this.toast,this},v=n(65824);n(9491).polyfill();const g={hook:{options:[],actions:[]},run:function(e,t){Array.isArray(this.hook[e])?this.hook[e].forEach((e=>{(e||"function"==typeof e)&&t&&t(e)})):console.warn("[toasted] : hook not found")},utils:{warn:e=>{console.warn(`[toasted] : ${e}`)}}},w=function(e){e||(e={}),this.id=v.generate(),this.options=e,this.global={},this.groups=[],this.toasts=[],this.group=e=>{e||(e={}),e.globalToasts||(e.globalToasts={}),Object.assign(e.globalToasts,this.global);let t=new w(e);return this.groups.push(t),t};let t=(e,t)=>{let n=Object.assign({},this.options);return Object.assign(n,t),new m(this).create(e,n)},n=()=>{let e=this.options.globalToasts,n=(e,n)=>"string"==typeof n&&this[n]?this[n].apply(this,[e,{}]):t(e,n);e&&(this.global={},Object.keys(e).forEach((t=>{this.global[t]=(r={})=>e[t].apply(null,[r,n])})))};return this.register=(e,t,r)=>{r=r||{},!this.options.globalToasts&&(this.options.globalToasts={}),this.options.globalToasts[e]=function(e,n){return"function"==typeof t&&(t=t(e)),n(t,r)},n()},this.show=(e,n)=>t(e,n),this.success=(e,n)=>((n=n||{}).type="success",t(e,n)),this.info=(e,n)=>((n=n||{}).type="info",t(e,n)),this.error=(e,n)=>((n=n||{}).type="error",t(e,n)),this.clear=()=>{let e=this.toasts,t=e.slice(-1)[0];t&&t.options.position.includes("top")&&(e=e.reverse()),p(e),this.toasts=[]},n(),this};var y,b;e=n.hmd(e),w.extend=g.hook,w.utils=g.utils,y=window,b=function(){return w},"function"==typeof define&&n.amdO?define([],(function(){return y.Toasted=b()})):e.exports?e.exports=y.Toasted=b():y.Toasted=b();const x=w},8507:(e,t,n)=>{"use strict";const r="[data-trix-attachment]",o={preview:{presentation:"gallery",caption:{name:!0,size:!0}},file:{caption:{size:!0}}},i={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(e){return a(e.parentNode)===i[this.listAttribute].tagName}},numberList:{tagName:"ol",parse:!1},number:{tagName:"li",listAttribute:"numberList",group:!1,nestable:!0,test(e){return a(e.parentNode)===i[this.listAttribute].tagName}},attachmentGallery:{tagName:"div",exclusive:!0,terminal:!0,parse:!1,group:!1}},a=e=>{var t;return null==e||null===(t=e.tagName)||void 0===t?void 0:t.toLowerCase()},l=navigator.userAgent.match(/android\s([0-9]+.*Chrome)/i),s=l&&parseInt(l[1]);var c={composesExistingText:/Android.*Chrome/.test(navigator.userAgent),recentAndroid:s&&s>12,samsungAndroid:s&&navigator.userAgent.match(/Android.*SM-/),forcesObjectResizing:/Trident.*rv:11/.test(navigator.userAgent),supportsInputEvents:"undefined"!=typeof InputEvent&&["data","getTargetRanges","inputType"].every((e=>e in InputEvent.prototype))},u={ADD_ATTR:["language"],SAFE_FOR_XML:!1,RETURN_DOM:!0},d={attachFiles:"Attach Files",bold:"Bold",bullets:"Bullets",byte:"Byte",bytes:"Bytes",captionPlaceholder:"Add a caption…",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…",GB:"GB",KB:"KB",MB:"MB",PB:"PB",TB:"TB"};const h=[d.bytes,d.KB,d.MB,d.GB,d.TB,d.PB];var p={prefix:"IEC",precision:2,formatter(e){switch(e){case 0:return"0 ".concat(d.bytes);case 1:return"1 ".concat(d.byte);default:let t;"SI"===this.prefix?t=1e3:"IEC"===this.prefix&&(t=1024);const n=Math.floor(Math.log(e)/Math.log(t)),r=(e/Math.pow(t,n)).toFixed(this.precision).replace(/0*$/,"").replace(/\.$/,"");return"".concat(r," ").concat(h[n])}}};const f="\ufeff",m=" ",v=function(e){for(const t in e){const n=e[t];this[t]=n}return this},g=document.documentElement,w=g.matches,y=function(e){let{onElement:t,matchingSelector:n,withCallback:r,inPhase:o,preventDefault:i,times:a}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};const l=t||g,s=n,c="capturing"===o,u=function(e){null!=a&&0==--a&&u.destroy();const t=k(e.target,{matchingSelector:s});null!=t&&(null==r||r.call(t,e,t),i&&e.preventDefault())};return u.destroy=()=>l.removeEventListener(e,u,c),l.addEventListener(e,u,c),u},b=function(e){let{onElement:t,bubbles:n,cancelable:r,attributes:o}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};const i=null!=t?t:g;n=!1!==n,r=!1!==r;const a=document.createEvent("Events");return a.initEvent(e,n,r),null!=o&&v.call(a,o),i.dispatchEvent(a)},x=function(e,t){if(1===(null==e?void 0:e.nodeType))return w.call(e,t)},k=function(e){let{matchingSelector:t,untilNode:n}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};for(;e&&e.nodeType!==Node.ELEMENT_NODE;)e=e.parentNode;if(null!=e){if(null==t)return e;if(e.closest&&null==n)return e.closest(t);for(;e&&e!==n;){if(x(e,t))return e;e=e.parentNode}}},E=e=>document.activeElement!==e&&A(e,document.activeElement),A=function(e,t){if(e&&t)for(;t;){if(t===e)return!0;t=t.parentNode}},C=function(e){var t;if(null===(t=e)||void 0===t||!t.parentNode)return;let n=0;for(e=e.previousSibling;e;)n++,e=e.previousSibling;return n},B=e=>{var t;return null==e||null===(t=e.parentNode)||void 0===t?void 0:t.removeChild(e)},M=function(e){let{onlyNodesOfType:t,usingFilter:n,expandEntityReferences:r}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};const o=(()=>{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(e,o,null!=n?n:null,!0===r)},_=e=>{var t;return null==e||null===(t=e.tagName)||void 0===t?void 0:t.toLowerCase()},S=function(e){let t,n,r=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};"object"==typeof e?(r=e,e=r.tagName):r={attributes:r};const o=document.createElement(e);if(null!=r.editable&&(null==r.attributes&&(r.attributes={}),r.attributes.contenteditable=r.editable),r.attributes)for(t in r.attributes)n=r.attributes[t],o.setAttribute(t,n);if(r.style)for(t in r.style)n=r.style[t],o.style[t]=n;if(r.data)for(t in r.data)n=r.data[t],o.dataset[t]=n;return r.className&&r.className.split(" ").forEach((e=>{o.classList.add(e)})),r.textContent&&(o.textContent=r.textContent),r.childNodes&&[].concat(r.childNodes).forEach((e=>{o.appendChild(e)})),o};let N;const V=function(){if(null!=N)return N;N=[];for(const e in i){const t=i[e];t.tagName&&N.push(t.tagName)}return N},L=e=>I(null==e?void 0:e.firstChild),T=function(e){let{strict:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{strict:!0};return t?I(e):I(e)||!I(e.firstChild)&&function(e){return V().includes(_(e))&&!V().includes(_(e.firstChild))}(e)},I=e=>Z(e)&&"block"===(null==e?void 0:e.data),Z=e=>(null==e?void 0:e.nodeType)===Node.COMMENT_NODE,O=function(e){let{name:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(e)return H(e)?e.data===f?!t||e.parentNode.dataset.trixCursorTarget===t:void 0:O(e.firstChild)},D=e=>x(e,r),R=e=>H(e)&&""===(null==e?void 0:e.data),H=e=>(null==e?void 0:e.nodeType)===Node.TEXT_NODE,P={level2Enabled:!0,getLevel(){return this.level2Enabled&&c.supportsInputEvents?2:0},pickFiles(e){const t=S("input",{type:"file",multiple:!0,hidden:!0,id:this.fileInputId});t.addEventListener("change",(()=>{e(t.files),B(t)})),B(document.getElementById(this.fileInputId)),document.body.appendChild(t),t.click()}};var j={removeBlankTableCells:!1,tableCellSeparator:" | ",tableRowSeparator:"\n"},F={bold:{tagName:"strong",inheritable:!0,parser(e){const t=window.getComputedStyle(e);return"bold"===t.fontWeight||t.fontWeight>=600}},italic:{tagName:"em",inheritable:!0,parser:e=>"italic"===window.getComputedStyle(e).fontStyle},href:{groupTagName:"a",parser(e){const t="a:not(".concat(r,")"),n=e.closest(t);if(n)return n.getAttribute("href")}},strike:{tagName:"del",inheritable:!0},frozen:{style:{backgroundColor:"highlight"}}},z={getDefaultHTML:()=>'<div class="trix-button-row">\n      <span class="trix-button-group trix-button-group--text-tools" data-trix-button-group="text-tools">\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-bold" data-trix-attribute="bold" data-trix-key="b" title="'.concat(d.bold,'" tabindex="-1">').concat(d.bold,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-italic" data-trix-attribute="italic" data-trix-key="i" title="').concat(d.italic,'" tabindex="-1">').concat(d.italic,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-strike" data-trix-attribute="strike" title="').concat(d.strike,'" tabindex="-1">').concat(d.strike,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-link" data-trix-attribute="href" data-trix-action="link" data-trix-key="k" title="').concat(d.link,'" tabindex="-1">').concat(d.link,'</button>\n      </span>\n\n      <span class="trix-button-group trix-button-group--block-tools" data-trix-button-group="block-tools">\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-heading-1" data-trix-attribute="heading1" title="').concat(d.heading1,'" tabindex="-1">').concat(d.heading1,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-quote" data-trix-attribute="quote" title="').concat(d.quote,'" tabindex="-1">').concat(d.quote,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-code" data-trix-attribute="code" title="').concat(d.code,'" tabindex="-1">').concat(d.code,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-bullet-list" data-trix-attribute="bullet" title="').concat(d.bullets,'" tabindex="-1">').concat(d.bullets,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-number-list" data-trix-attribute="number" title="').concat(d.numbers,'" tabindex="-1">').concat(d.numbers,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-decrease-nesting-level" data-trix-action="decreaseNestingLevel" title="').concat(d.outdent,'" tabindex="-1">').concat(d.outdent,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-increase-nesting-level" data-trix-action="increaseNestingLevel" title="').concat(d.indent,'" tabindex="-1">').concat(d.indent,'</button>\n      </span>\n\n      <span class="trix-button-group trix-button-group--file-tools" data-trix-button-group="file-tools">\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-attach" data-trix-action="attachFiles" title="').concat(d.attachFiles,'" tabindex="-1">').concat(d.attachFiles,'</button>\n      </span>\n\n      <span class="trix-button-group-spacer"></span>\n\n      <span class="trix-button-group trix-button-group--history-tools" data-trix-button-group="history-tools">\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-undo" data-trix-action="undo" data-trix-key="z" title="').concat(d.undo,'" tabindex="-1">').concat(d.undo,'</button>\n        <button type="button" class="trix-button trix-button--icon trix-button--icon-redo" data-trix-action="redo" data-trix-key="shift+z" title="').concat(d.redo,'" tabindex="-1">').concat(d.redo,'</button>\n      </span>\n    </div>\n\n    <div class="trix-dialogs" data-trix-dialogs>\n      <div class="trix-dialog trix-dialog--link" data-trix-dialog="href" data-trix-dialog-attribute="href">\n        <div class="trix-dialog__link-fields">\n          <input type="url" name="href" class="trix-input trix-input--dialog" placeholder="').concat(d.urlPlaceholder,'" aria-label="').concat(d.url,'" data-trix-validate-href required data-trix-input>\n          <div class="trix-button-group">\n            <input type="button" class="trix-button trix-button--dialog" value="').concat(d.link,'" data-trix-method="setAttribute">\n            <input type="button" class="trix-button trix-button--dialog" value="').concat(d.unlink,'" data-trix-method="removeAttribute">\n          </div>\n        </div>\n      </div>\n    </div>')};const q={interval:5e3};var U=Object.freeze({__proto__:null,attachments:o,blockAttributes:i,browser:c,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"},dompurify:u,fileSize:p,input:P,keyNames:{8:"backspace",9:"tab",13:"return",27:"escape",37:"left",39:"right",46:"delete",68:"d",72:"h",79:"o"},lang:d,parser:j,textAttributes:F,toolbar:z,undo:q});class ${static proxyMethod(e){const{name:t,toMethod:n,toProperty:r,optional:o}=W(e);this.prototype[t]=function(){let e,i;var a,l;return n?i=o?null===(a=this[n])||void 0===a?void 0:a.call(this):this[n]():r&&(i=this[r]),o?(e=null===(l=i)||void 0===l?void 0:l[t],e?G.call(e,i,arguments):void 0):(e=i[t],G.call(e,i,arguments))}}}const W=function(e){const t=e.match(K);if(!t)throw new Error("can't parse @proxyMethod expression: ".concat(e));const n={name:t[4]};return null!=t[2]?n.toMethod=t[1]:n.toProperty=t[1],null!=t[3]&&(n.optional=!0),n},{apply:G}=Function.prototype,K=new RegExp("^(.+?)(\\(\\))?(\\?)?\\.(.+?)$");var Y,X,J;class Q extends ${static box(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";return e instanceof this?e:this.fromUCS2String(null==e?void 0:e.toString())}static fromUCS2String(e){return new this(e,re(e))}static fromCodepoints(e){return new this(oe(e),e)}constructor(e,t){super(...arguments),this.ucs2String=e,this.codepoints=t,this.length=this.codepoints.length,this.ucs2Length=this.ucs2String.length}offsetToUCS2Offset(e){return oe(this.codepoints.slice(0,Math.max(0,e))).length}offsetFromUCS2Offset(e){return re(this.ucs2String.slice(0,Math.max(0,e))).length}slice(){return this.constructor.fromCodepoints(this.codepoints.slice(...arguments))}charAt(e){return this.slice(e,e+1)}isEqualTo(e){return this.constructor.box(e).ucs2String===this.ucs2String}toJSON(){return this.ucs2String}getCacheKey(){return this.ucs2String}toString(){return this.ucs2String}}const ee=1===(null===(Y=Array.from)||void 0===Y?void 0:Y.call(Array,"👼").length),te=null!=(null===(X=" ".codePointAt)||void 0===X?void 0:X.call(" ",0)),ne=" 👼"===(null===(J=String.fromCodePoint)||void 0===J?void 0:J.call(String,32,128124));let re,oe;re=ee&&te?e=>Array.from(e).map((e=>e.codePointAt(0))):function(e){const t=[];let n=0;const{length:r}=e;for(;n<r;){let o=e.charCodeAt(n++);if(55296<=o&&o<=56319&&n<r){const t=e.charCodeAt(n++);56320==(64512&t)?o=((1023&o)<<10)+(1023&t)+65536:n--}t.push(o)}return t},oe=ne?e=>String.fromCodePoint(...Array.from(e||[])):function(e){return(()=>{const t=[];return Array.from(e).forEach((e=>{let n="";e>65535&&(e-=65536,n+=String.fromCharCode(e>>>10&1023|55296),e=56320|1023&e),t.push(n+String.fromCharCode(e))})),t})().join("")};let ie=0;class ae extends ${static fromJSONString(e){return this.fromJSON(JSON.parse(e))}constructor(){super(...arguments),this.id=++ie}hasSameConstructorAs(e){return this.constructor===(null==e?void 0:e.constructor)}isEqualTo(e){return this===e}inspect(){const e=[],t=this.contentsForInspection()||{};for(const n in t){const r=t[n];e.push("".concat(n,"=").concat(r))}return"#<".concat(this.constructor.name,":").concat(this.id).concat(e.length?" ".concat(e.join(", ")):"",">")}contentsForInspection(){}toJSONString(){return JSON.stringify(this)}toUTF16String(){return Q.box(this)}getCacheKey(){return this.id.toString()}}const le=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];if(e.length!==t.length)return!1;for(let n=0;n<e.length;n++)if(e[n]!==t[n])return!1;return!0},se=function(e){const t=e.slice(0);for(var n=arguments.length,r=new Array(n>1?n-1:0),o=1;o<n;o++)r[o-1]=arguments[o];return t.splice(...r),t},ce=/[\u05BE\u05C0\u05C3\u05D0-\u05EA\u05F0-\u05F4\u061B\u061F\u0621-\u063A\u0640-\u064A\u066D\u0671-\u06B7\u06BA-\u06BE\u06C0-\u06CE\u06D0-\u06D5\u06E5\u06E6\u200F\u202B\u202E\uFB1F-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE70-\uFE72\uFE74\uFE76-\uFEFC]/,ue=function(){const e=S("input",{dir:"auto",name:"x",dirName:"x.dir"}),t=S("textarea",{dir:"auto",name:"y",dirName:"y.dir"}),n=S("form");n.appendChild(e),n.appendChild(t);const r=function(){try{return new FormData(n).has(t.dirName)}catch(e){return!1}}(),o=function(){try{return e.matches(":dir(ltr),:dir(rtl)")}catch(e){return!1}}();return r?function(e){return t.value=e,new FormData(n).get(t.dirName)}:o?function(t){return e.value=t,e.matches(":dir(rtl)")?"rtl":"ltr"}:function(e){const t=e.trim().charAt(0);return ce.test(t)?"rtl":"ltr"}}();let de=null,he=null,pe=null,fe=null;const me=()=>(de||(de=ye().concat(ge())),de),ve=e=>i[e],ge=()=>(he||(he=Object.keys(i)),he),we=e=>F[e],ye=()=>(pe||(pe=Object.keys(F)),pe),be=function(e,t){xe(e).textContent=t.replace(/%t/g,e)},xe=function(e){const t=document.createElement("style");t.setAttribute("type","text/css"),t.setAttribute("data-tag-name",e.toLowerCase());const n=ke();return n&&t.setAttribute("nonce",n),document.head.insertBefore(t,document.head.firstChild),t},ke=function(){const e=Ee("trix-csp-nonce")||Ee("csp-nonce");if(e){const{nonce:t,content:n}=e;return""==t?n:t}},Ee=e=>document.head.querySelector("meta[name=".concat(e,"]")),Ae={"application/x-trix-feature-detection":"test"},Ce=function(e){const t=e.getData("text/plain"),n=e.getData("text/html");if(!t||!n)return null==t?void 0:t.length;{const{body:e}=(new DOMParser).parseFromString(n,"text/html");if(e.textContent===t)return!e.querySelector("*")}},Be=/Mac|^iP/.test(navigator.platform)?e=>e.metaKey:e=>e.ctrlKey,Me=e=>setTimeout(e,1),_e=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};const t={};for(const n in e){const r=e[n];t[n]=r}return t},Se=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(Object.keys(e).length!==Object.keys(t).length)return!1;for(const n in e)if(e[n]!==t[n])return!1;return!0},Ne=function(e){if(null!=e)return Array.isArray(e)||(e=[e,e]),[Te(e[0]),Te(null!=e[1]?e[1]:e[0])]},Ve=function(e){if(null==e)return;const[t,n]=Ne(e);return Ie(t,n)},Le=function(e,t){if(null==e||null==t)return;const[n,r]=Ne(e),[o,i]=Ne(t);return Ie(n,o)&&Ie(r,i)},Te=function(e){return"number"==typeof e?e:_e(e)},Ie=function(e,t){return"number"==typeof e?e===t:Se(e,t)};class Ze extends ${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(e){if(!this.selectionManagers.includes(e))return this.selectionManagers.push(e),this.start()}unregisterSelectionManager(e){if(this.selectionManagers=this.selectionManagers.filter((t=>t!==e)),0===this.selectionManagers.length)return this.stop()}notifySelectionManagersOfSelectionChange(){return this.selectionManagers.map((e=>e.selectionDidChange()))}update(){this.notifySelectionManagersOfSelectionChange()}reset(){this.update()}}const Oe=new Ze,De=function(){const e=window.getSelection();if(e.rangeCount>0)return e},Re=function(){var e;const t=null===(e=De())||void 0===e?void 0:e.getRangeAt(0);if(t&&!Pe(t))return t},He=function(e){const t=window.getSelection();return t.removeAllRanges(),t.addRange(e),Oe.update()},Pe=e=>je(e.startContainer)||je(e.endContainer),je=e=>!Object.getPrototypeOf(e),Fe=e=>e.replace(new RegExp("".concat(f),"g"),"").replace(new RegExp("".concat(m),"g")," "),ze=new RegExp("[^\\S".concat(m,"]")),qe=e=>e.replace(new RegExp("".concat(ze.source),"g")," ").replace(/\ {2,}/g," "),Ue=function(e,t){if(e.isEqualTo(t))return["",""];const n=$e(e,t),{length:r}=n.utf16String;let o;if(r){const{offset:i}=n,a=e.codepoints.slice(0,i).concat(e.codepoints.slice(i+r));o=$e(t,Q.fromCodepoints(a))}else o=$e(t,e);return[n.utf16String.toString(),o.utf16String.toString()]},$e=function(e,t){let n=0,r=e.length,o=t.length;for(;n<r&&e.charAt(n).isEqualTo(t.charAt(n));)n++;for(;r>n+1&&e.charAt(r-1).isEqualTo(t.charAt(o-1));)r--,o--;return{utf16String:e.slice(n,r),offset:n}};class We extends ae{static fromCommonAttributesOfObjects(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];if(!e.length)return new this;let t=Xe(e[0]),n=t.getKeys();return e.slice(1).forEach((e=>{n=t.getKeysCommonToHash(Xe(e)),t=t.slice(n)})),t}static box(e){return Xe(e)}constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};super(...arguments),this.values=Ye(e)}add(e,t){return this.merge(Ge(e,t))}remove(e){return new We(Ye(this.values,e))}get(e){return this.values[e]}has(e){return e in this.values}merge(e){return new We(Ke(this.values,Je(e)))}slice(e){const t={};return Array.from(e).forEach((e=>{this.has(e)&&(t[e]=this.values[e])})),new We(t)}getKeys(){return Object.keys(this.values)}getKeysCommonToHash(e){return e=Xe(e),this.getKeys().filter((t=>this.values[t]===e.values[t]))}isEqualTo(e){return le(this.toArray(),Xe(e).toArray())}isEmpty(){return 0===this.getKeys().length}toArray(){if(!this.array){const e=[];for(const t in this.values){const n=this.values[t];e.push(e.push(t,n))}this.array=e.slice(0)}return this.array}toObject(){return Ye(this.values)}toJSON(){return this.toObject()}contentsForInspection(){return{values:JSON.stringify(this.values)}}}const Ge=function(e,t){const n={};return n[e]=t,n},Ke=function(e,t){const n=Ye(e);for(const e in t){const r=t[e];n[e]=r}return n},Ye=function(e,t){const n={};return Object.keys(e).sort().forEach((r=>{r!==t&&(n[r]=e[r])})),n},Xe=function(e){return e instanceof We?e:new We(e)},Je=function(e){return e instanceof We?e.values:e};class Qe{static groupObjects(){let e,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],{depth:n,asTree:r}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};r&&null==n&&(n=0);const o=[];return Array.from(t).forEach((t=>{var i;if(e){var a,l,s;if(null!==(a=t.canBeGrouped)&&void 0!==a&&a.call(t,n)&&null!==(l=(s=e[e.length-1]).canBeGroupedWith)&&void 0!==l&&l.call(s,t,n))return void e.push(t);o.push(new this(e,{depth:n,asTree:r})),e=null}null!==(i=t.canBeGrouped)&&void 0!==i&&i.call(t,n)?e=[t]:o.push(t)})),e&&o.push(new this(e,{depth:n,asTree:r})),o}constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],{depth:t,asTree:n}=arguments.length>1?arguments[1]:void 0;this.objects=e,n&&(this.depth=t,this.objects=this.constructor.groupObjects(this.objects,{asTree:n,depth:this.depth+1}))}getObjects(){return this.objects}getDepth(){return this.depth}getCacheKey(){const e=["objectGroup"];return Array.from(this.getObjects()).forEach((t=>{e.push(t.getCacheKey())})),e.join("/")}}class et extends ${constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];super(...arguments),this.objects={},Array.from(e).forEach((e=>{const t=JSON.stringify(e);null==this.objects[t]&&(this.objects[t]=e)}))}find(e){const t=JSON.stringify(e);return this.objects[t]}}class tt{constructor(e){this.reset(e)}add(e){const t=nt(e);this.elements[t]=e}remove(e){const t=nt(e),n=this.elements[t];if(n)return delete this.elements[t],n}reset(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];return this.elements={},Array.from(e).forEach((e=>{this.add(e)})),e}}const nt=e=>e.dataset.trixStoreKey;class rt extends ${isPerforming(){return!0===this.performing}hasPerformed(){return!0===this.performed}hasSucceeded(){return this.performed&&this.succeeded}hasFailed(){return this.performed&&!this.succeeded}getPromise(){return this.promise||(this.promise=new Promise(((e,t)=>(this.performing=!0,this.perform(((n,r)=>{this.succeeded=n,this.performing=!1,this.performed=!0,this.succeeded?e(r):t(r)})))))),this.promise}perform(e){return e(!1)}release(){var e,t;null===(e=this.promise)||void 0===e||null===(t=e.cancel)||void 0===t||t.call(e),this.promise=null,this.performing=null,this.performed=null,this.succeeded=null}}rt.proxyMethod("getPromise().then"),rt.proxyMethod("getPromise().catch");class ot extends ${constructor(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};super(...arguments),this.object=e,this.options=t,this.childViews=[],this.rootView=this}getNodes(){return this.nodes||(this.nodes=this.createNodes()),this.nodes.map((e=>e.cloneNode(!0)))}invalidate(){var e;return this.nodes=null,this.childViews=[],null===(e=this.parentView)||void 0===e?void 0:e.invalidate()}invalidateViewForObject(e){var t;return null===(t=this.findViewForObject(e))||void 0===t?void 0:t.invalidate()}findOrCreateCachedChildView(e,t,n){let r=this.getCachedViewForObject(t);return r?this.recordChildView(r):(r=this.createChildView(...arguments),this.cacheViewForObject(r,t)),r}createChildView(e,t){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};t instanceof Qe&&(n.viewClass=e,e=it);const r=new e(t,n);return this.recordChildView(r)}recordChildView(e){return e.parentView=this,e.rootView=this.rootView,this.childViews.push(e),e}getAllChildViews(){let e=[];return this.childViews.forEach((t=>{e.push(t),e=e.concat(t.getAllChildViews())})),e}findElement(){return this.findElementForObject(this.object)}findElementForObject(e){const t=null==e?void 0:e.id;if(t)return this.rootView.element.querySelector("[data-trix-id='".concat(t,"']"))}findViewForObject(e){for(const t of this.getAllChildViews())if(t.object===e)return t}getViewCache(){return this.rootView!==this?this.rootView.getViewCache():this.isViewCachingEnabled()?(this.viewCache||(this.viewCache={}),this.viewCache):void 0}isViewCachingEnabled(){return!1!==this.shouldCacheViews}enableViewCaching(){this.shouldCacheViews=!0}disableViewCaching(){this.shouldCacheViews=!1}getCachedViewForObject(e){var t;return null===(t=this.getViewCache())||void 0===t?void 0:t[e.getCacheKey()]}cacheViewForObject(e,t){const n=this.getViewCache();n&&(n[t.getCacheKey()]=e)}garbageCollectCachedViews(){const e=this.getViewCache();if(e){const t=this.getAllChildViews().concat(this).map((e=>e.object.getCacheKey()));for(const n in e)t.includes(n)||delete e[n]}}}class it extends ot{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((e=>{this.findOrCreateCachedChildView(this.viewClass,e,this.options)})),this.childViews}createNodes(){const e=this.createContainerElement();return this.getChildViews().forEach((t=>{Array.from(t.getNodes()).forEach((t=>{e.appendChild(t)}))})),[e]}createContainerElement(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:this.objectGroup.getDepth();return this.getChildViews()[0].createContainerElement(e)}}const{entries:at,setPrototypeOf:lt,isFrozen:st,getPrototypeOf:ct,getOwnPropertyDescriptor:ut}=Object;let{freeze:dt,seal:ht,create:pt}=Object,{apply:ft,construct:mt}="undefined"!=typeof Reflect&&Reflect;dt||(dt=function(e){return e}),ht||(ht=function(e){return e}),ft||(ft=function(e,t,n){return e.apply(t,n)}),mt||(mt=function(e,t){return new e(...t)});const vt=St(Array.prototype.forEach),gt=St(Array.prototype.pop),wt=St(Array.prototype.push),yt=St(String.prototype.toLowerCase),bt=St(String.prototype.toString),xt=St(String.prototype.match),kt=St(String.prototype.replace),Et=St(String.prototype.indexOf),At=St(String.prototype.trim),Ct=St(Object.prototype.hasOwnProperty),Bt=St(RegExp.prototype.test),Mt=(_t=TypeError,function(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return mt(_t,t)});var _t;function St(e){return function(t){for(var n=arguments.length,r=new Array(n>1?n-1:0),o=1;o<n;o++)r[o-1]=arguments[o];return ft(e,t,r)}}function Nt(e,t){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:yt;lt&&lt(e,null);let r=t.length;for(;r--;){let o=t[r];if("string"==typeof o){const e=n(o);e!==o&&(st(t)||(t[r]=e),o=e)}e[o]=!0}return e}function Vt(e){for(let t=0;t<e.length;t++)Ct(e,t)||(e[t]=null);return e}function Lt(e){const t=pt(null);for(const[n,r]of at(e))Ct(e,n)&&(Array.isArray(r)?t[n]=Vt(r):r&&"object"==typeof r&&r.constructor===Object?t[n]=Lt(r):t[n]=r);return t}function Tt(e,t){for(;null!==e;){const n=ut(e,t);if(n){if(n.get)return St(n.get);if("function"==typeof n.value)return St(n.value)}e=ct(e)}return function(){return null}}const It=dt(["a","abbr","acronym","address","area","article","aside","audio","b","bdi","bdo","big","blink","blockquote","body","br","button","canvas","caption","center","cite","code","col","colgroup","content","data","datalist","dd","decorator","del","details","dfn","dialog","dir","div","dl","dt","element","em","fieldset","figcaption","figure","font","footer","form","h1","h2","h3","h4","h5","h6","head","header","hgroup","hr","html","i","img","input","ins","kbd","label","legend","li","main","map","mark","marquee","menu","menuitem","meter","nav","nobr","ol","optgroup","option","output","p","picture","pre","progress","q","rp","rt","ruby","s","samp","section","select","shadow","small","source","spacer","span","strike","strong","style","sub","summary","sup","table","tbody","td","template","textarea","tfoot","th","thead","time","tr","track","tt","u","ul","var","video","wbr"]),Zt=dt(["svg","a","altglyph","altglyphdef","altglyphitem","animatecolor","animatemotion","animatetransform","circle","clippath","defs","desc","ellipse","filter","font","g","glyph","glyphref","hkern","image","line","lineargradient","marker","mask","metadata","mpath","path","pattern","polygon","polyline","radialgradient","rect","stop","style","switch","symbol","text","textpath","title","tref","tspan","view","vkern"]),Ot=dt(["feBlend","feColorMatrix","feComponentTransfer","feComposite","feConvolveMatrix","feDiffuseLighting","feDisplacementMap","feDistantLight","feDropShadow","feFlood","feFuncA","feFuncB","feFuncG","feFuncR","feGaussianBlur","feImage","feMerge","feMergeNode","feMorphology","feOffset","fePointLight","feSpecularLighting","feSpotLight","feTile","feTurbulence"]),Dt=dt(["animate","color-profile","cursor","discard","font-face","font-face-format","font-face-name","font-face-src","font-face-uri","foreignobject","hatch","hatchpath","mesh","meshgradient","meshpatch","meshrow","missing-glyph","script","set","solidcolor","unknown","use"]),Rt=dt(["math","menclose","merror","mfenced","mfrac","mglyph","mi","mlabeledtr","mmultiscripts","mn","mo","mover","mpadded","mphantom","mroot","mrow","ms","mspace","msqrt","mstyle","msub","msup","msubsup","mtable","mtd","mtext","mtr","munder","munderover","mprescripts"]),Ht=dt(["maction","maligngroup","malignmark","mlongdiv","mscarries","mscarry","msgroup","mstack","msline","msrow","semantics","annotation","annotation-xml","mprescripts","none"]),Pt=dt(["#text"]),jt=dt(["accept","action","align","alt","autocapitalize","autocomplete","autopictureinpicture","autoplay","background","bgcolor","border","capture","cellpadding","cellspacing","checked","cite","class","clear","color","cols","colspan","controls","controlslist","coords","crossorigin","datetime","decoding","default","dir","disabled","disablepictureinpicture","disableremoteplayback","download","draggable","enctype","enterkeyhint","face","for","headers","height","hidden","high","href","hreflang","id","inputmode","integrity","ismap","kind","label","lang","list","loading","loop","low","max","maxlength","media","method","min","minlength","multiple","muted","name","nonce","noshade","novalidate","nowrap","open","optimum","pattern","placeholder","playsinline","popover","popovertarget","popovertargetaction","poster","preload","pubdate","radiogroup","readonly","rel","required","rev","reversed","role","rows","rowspan","spellcheck","scope","selected","shape","size","sizes","span","srclang","start","src","srcset","step","style","summary","tabindex","title","translate","type","usemap","valign","value","width","wrap","xmlns","slot"]),Ft=dt(["accent-height","accumulate","additive","alignment-baseline","amplitude","ascent","attributename","attributetype","azimuth","basefrequency","baseline-shift","begin","bias","by","class","clip","clippathunits","clip-path","clip-rule","color","color-interpolation","color-interpolation-filters","color-profile","color-rendering","cx","cy","d","dx","dy","diffuseconstant","direction","display","divisor","dur","edgemode","elevation","end","exponent","fill","fill-opacity","fill-rule","filter","filterunits","flood-color","flood-opacity","font-family","font-size","font-size-adjust","font-stretch","font-style","font-variant","font-weight","fx","fy","g1","g2","glyph-name","glyphref","gradientunits","gradienttransform","height","href","id","image-rendering","in","in2","intercept","k","k1","k2","k3","k4","kerning","keypoints","keysplines","keytimes","lang","lengthadjust","letter-spacing","kernelmatrix","kernelunitlength","lighting-color","local","marker-end","marker-mid","marker-start","markerheight","markerunits","markerwidth","maskcontentunits","maskunits","max","mask","media","method","mode","min","name","numoctaves","offset","operator","opacity","order","orient","orientation","origin","overflow","paint-order","path","pathlength","patterncontentunits","patterntransform","patternunits","points","preservealpha","preserveaspectratio","primitiveunits","r","rx","ry","radius","refx","refy","repeatcount","repeatdur","restart","result","rotate","scale","seed","shape-rendering","slope","specularconstant","specularexponent","spreadmethod","startoffset","stddeviation","stitchtiles","stop-color","stop-opacity","stroke-dasharray","stroke-dashoffset","stroke-linecap","stroke-linejoin","stroke-miterlimit","stroke-opacity","stroke","stroke-width","style","surfacescale","systemlanguage","tabindex","tablevalues","targetx","targety","transform","transform-origin","text-anchor","text-decoration","text-rendering","textlength","type","u1","u2","unicode","values","viewbox","visibility","version","vert-adv-y","vert-origin-x","vert-origin-y","width","word-spacing","wrap","writing-mode","xchannelselector","ychannelselector","x","x1","x2","xmlns","y","y1","y2","z","zoomandpan"]),zt=dt(["accent","accentunder","align","bevelled","close","columnsalign","columnlines","columnspan","denomalign","depth","dir","display","displaystyle","encoding","fence","frame","height","href","id","largeop","length","linethickness","lspace","lquote","mathbackground","mathcolor","mathsize","mathvariant","maxsize","minsize","movablelimits","notation","numalign","open","rowalign","rowlines","rowspacing","rowspan","rspace","rquote","scriptlevel","scriptminsize","scriptsizemultiplier","selection","separator","separators","stretchy","subscriptshift","supscriptshift","symmetric","voffset","width","xmlns"]),qt=dt(["xlink:href","xml:id","xlink:title","xml:space","xmlns:xlink"]),Ut=ht(/\{\{[\w\W]*|[\w\W]*\}\}/gm),$t=ht(/<%[\w\W]*|[\w\W]*%>/gm),Wt=ht(/\$\{[\w\W]*}/gm),Gt=ht(/^data-[\-\w.\u00B7-\uFFFF]+$/),Kt=ht(/^aria-[\-\w]+$/),Yt=ht(/^(?:(?:(?:f|ht)tps?|mailto|tel|callto|sms|cid|xmpp):|[^a-z]|[a-z+.\-]+(?:[^a-z+.\-:]|$))/i),Xt=ht(/^(?:\w+script|data):/i),Jt=ht(/[\u0000-\u0020\u00A0\u1680\u180E\u2000-\u2029\u205F\u3000]/g),Qt=ht(/^html$/i),en=ht(/^[a-z][.\w]*(-[.\w]+)+$/i);var tn=Object.freeze({__proto__:null,ARIA_ATTR:Kt,ATTR_WHITESPACE:Jt,CUSTOM_ELEMENT:en,DATA_ATTR:Gt,DOCTYPE_NAME:Qt,ERB_EXPR:$t,IS_ALLOWED_URI:Yt,IS_SCRIPT_OR_DATA:Xt,MUSTACHE_EXPR:Ut,TMPLIT_EXPR:Wt});var nn=function e(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"undefined"==typeof window?null:window;const n=t=>e(t);if(n.version="3.2.3",n.removed=[],!t||!t.document||9!==t.document.nodeType)return n.isSupported=!1,n;let{document:r}=t;const o=r,i=o.currentScript,{DocumentFragment:a,HTMLTemplateElement:l,Node:s,Element:c,NodeFilter:u,NamedNodeMap:d=t.NamedNodeMap||t.MozNamedAttrMap,HTMLFormElement:h,DOMParser:p,trustedTypes:f}=t,m=c.prototype,v=Tt(m,"cloneNode"),g=Tt(m,"remove"),w=Tt(m,"nextSibling"),y=Tt(m,"childNodes"),b=Tt(m,"parentNode");if("function"==typeof l){const e=r.createElement("template");e.content&&e.content.ownerDocument&&(r=e.content.ownerDocument)}let x,k="";const{implementation:E,createNodeIterator:A,createDocumentFragment:C,getElementsByTagName:B}=r,{importNode:M}=o;let _={afterSanitizeAttributes:[],afterSanitizeElements:[],afterSanitizeShadowDOM:[],beforeSanitizeAttributes:[],beforeSanitizeElements:[],beforeSanitizeShadowDOM:[],uponSanitizeAttribute:[],uponSanitizeElement:[],uponSanitizeShadowNode:[]};n.isSupported="function"==typeof at&&"function"==typeof b&&E&&void 0!==E.createHTMLDocument;const{MUSTACHE_EXPR:S,ERB_EXPR:N,TMPLIT_EXPR:V,DATA_ATTR:L,ARIA_ATTR:T,IS_SCRIPT_OR_DATA:I,ATTR_WHITESPACE:Z,CUSTOM_ELEMENT:O}=tn;let{IS_ALLOWED_URI:D}=tn,R=null;const H=Nt({},[...It,...Zt,...Ot,...Rt,...Pt]);let P=null;const j=Nt({},[...jt,...Ft,...zt,...qt]);let F=Object.seal(pt(null,{tagNameCheck:{writable:!0,configurable:!1,enumerable:!0,value:null},attributeNameCheck:{writable:!0,configurable:!1,enumerable:!0,value:null},allowCustomizedBuiltInElements:{writable:!0,configurable:!1,enumerable:!0,value:!1}})),z=null,q=null,U=!0,$=!0,W=!1,G=!0,K=!1,Y=!0,X=!1,J=!1,Q=!1,ee=!1,te=!1,ne=!1,re=!0,oe=!1,ie=!0,ae=!1,le={},se=null;const ce=Nt({},["annotation-xml","audio","colgroup","desc","foreignobject","head","iframe","math","mi","mn","mo","ms","mtext","noembed","noframes","noscript","plaintext","script","style","svg","template","thead","title","video","xmp"]);let ue=null;const de=Nt({},["audio","video","img","source","image","track"]);let he=null;const pe=Nt({},["alt","class","for","id","label","name","pattern","placeholder","role","summary","title","value","style","xmlns"]),fe="http://www.w3.org/1998/Math/MathML",me="http://www.w3.org/2000/svg",ve="http://www.w3.org/1999/xhtml";let ge=ve,we=!1,ye=null;const be=Nt({},[fe,me,ve],bt);let xe=Nt({},["mi","mo","mn","ms","mtext"]),ke=Nt({},["annotation-xml"]);const Ee=Nt({},["title","style","font","a","script"]);let Ae=null;const Ce=["application/xhtml+xml","text/html"];let Be=null,Me=null;const _e=r.createElement("form"),Se=function(e){return e instanceof RegExp||e instanceof Function},Ne=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};if(!Me||Me!==e){if(e&&"object"==typeof e||(e={}),e=Lt(e),Ae=-1===Ce.indexOf(e.PARSER_MEDIA_TYPE)?"text/html":e.PARSER_MEDIA_TYPE,Be="application/xhtml+xml"===Ae?bt:yt,R=Ct(e,"ALLOWED_TAGS")?Nt({},e.ALLOWED_TAGS,Be):H,P=Ct(e,"ALLOWED_ATTR")?Nt({},e.ALLOWED_ATTR,Be):j,ye=Ct(e,"ALLOWED_NAMESPACES")?Nt({},e.ALLOWED_NAMESPACES,bt):be,he=Ct(e,"ADD_URI_SAFE_ATTR")?Nt(Lt(pe),e.ADD_URI_SAFE_ATTR,Be):pe,ue=Ct(e,"ADD_DATA_URI_TAGS")?Nt(Lt(de),e.ADD_DATA_URI_TAGS,Be):de,se=Ct(e,"FORBID_CONTENTS")?Nt({},e.FORBID_CONTENTS,Be):ce,z=Ct(e,"FORBID_TAGS")?Nt({},e.FORBID_TAGS,Be):{},q=Ct(e,"FORBID_ATTR")?Nt({},e.FORBID_ATTR,Be):{},le=!!Ct(e,"USE_PROFILES")&&e.USE_PROFILES,U=!1!==e.ALLOW_ARIA_ATTR,$=!1!==e.ALLOW_DATA_ATTR,W=e.ALLOW_UNKNOWN_PROTOCOLS||!1,G=!1!==e.ALLOW_SELF_CLOSE_IN_ATTR,K=e.SAFE_FOR_TEMPLATES||!1,Y=!1!==e.SAFE_FOR_XML,X=e.WHOLE_DOCUMENT||!1,ee=e.RETURN_DOM||!1,te=e.RETURN_DOM_FRAGMENT||!1,ne=e.RETURN_TRUSTED_TYPE||!1,Q=e.FORCE_BODY||!1,re=!1!==e.SANITIZE_DOM,oe=e.SANITIZE_NAMED_PROPS||!1,ie=!1!==e.KEEP_CONTENT,ae=e.IN_PLACE||!1,D=e.ALLOWED_URI_REGEXP||Yt,ge=e.NAMESPACE||ve,xe=e.MATHML_TEXT_INTEGRATION_POINTS||xe,ke=e.HTML_INTEGRATION_POINTS||ke,F=e.CUSTOM_ELEMENT_HANDLING||{},e.CUSTOM_ELEMENT_HANDLING&&Se(e.CUSTOM_ELEMENT_HANDLING.tagNameCheck)&&(F.tagNameCheck=e.CUSTOM_ELEMENT_HANDLING.tagNameCheck),e.CUSTOM_ELEMENT_HANDLING&&Se(e.CUSTOM_ELEMENT_HANDLING.attributeNameCheck)&&(F.attributeNameCheck=e.CUSTOM_ELEMENT_HANDLING.attributeNameCheck),e.CUSTOM_ELEMENT_HANDLING&&"boolean"==typeof e.CUSTOM_ELEMENT_HANDLING.allowCustomizedBuiltInElements&&(F.allowCustomizedBuiltInElements=e.CUSTOM_ELEMENT_HANDLING.allowCustomizedBuiltInElements),K&&($=!1),te&&(ee=!0),le&&(R=Nt({},Pt),P=[],!0===le.html&&(Nt(R,It),Nt(P,jt)),!0===le.svg&&(Nt(R,Zt),Nt(P,Ft),Nt(P,qt)),!0===le.svgFilters&&(Nt(R,Ot),Nt(P,Ft),Nt(P,qt)),!0===le.mathMl&&(Nt(R,Rt),Nt(P,zt),Nt(P,qt))),e.ADD_TAGS&&(R===H&&(R=Lt(R)),Nt(R,e.ADD_TAGS,Be)),e.ADD_ATTR&&(P===j&&(P=Lt(P)),Nt(P,e.ADD_ATTR,Be)),e.ADD_URI_SAFE_ATTR&&Nt(he,e.ADD_URI_SAFE_ATTR,Be),e.FORBID_CONTENTS&&(se===ce&&(se=Lt(se)),Nt(se,e.FORBID_CONTENTS,Be)),ie&&(R["#text"]=!0),X&&Nt(R,["html","head","body"]),R.table&&(Nt(R,["tbody"]),delete z.tbody),e.TRUSTED_TYPES_POLICY){if("function"!=typeof e.TRUSTED_TYPES_POLICY.createHTML)throw Mt('TRUSTED_TYPES_POLICY configuration option must provide a "createHTML" hook.');if("function"!=typeof e.TRUSTED_TYPES_POLICY.createScriptURL)throw Mt('TRUSTED_TYPES_POLICY configuration option must provide a "createScriptURL" hook.');x=e.TRUSTED_TYPES_POLICY,k=x.createHTML("")}else void 0===x&&(x=function(e,t){if("object"!=typeof e||"function"!=typeof e.createPolicy)return null;let n=null;const r="data-tt-policy-suffix";t&&t.hasAttribute(r)&&(n=t.getAttribute(r));const o="dompurify"+(n?"#"+n:"");try{return e.createPolicy(o,{createHTML:e=>e,createScriptURL:e=>e})}catch(e){return console.warn("TrustedTypes policy "+o+" could not be created."),null}}(f,i)),null!==x&&"string"==typeof k&&(k=x.createHTML(""));dt&&dt(e),Me=e}},Ve=Nt({},[...Zt,...Ot,...Dt]),Le=Nt({},[...Rt,...Ht]),Te=function(e){wt(n.removed,{element:e});try{b(e).removeChild(e)}catch(t){g(e)}},Ie=function(e,t){try{wt(n.removed,{attribute:t.getAttributeNode(e),from:t})}catch(e){wt(n.removed,{attribute:null,from:t})}if(t.removeAttribute(e),"is"===e)if(ee||te)try{Te(t)}catch(e){}else try{t.setAttribute(e,"")}catch(e){}},Ze=function(e){let t=null,n=null;if(Q)e="<remove></remove>"+e;else{const t=xt(e,/^[\r\n\t ]+/);n=t&&t[0]}"application/xhtml+xml"===Ae&&ge===ve&&(e='<html xmlns="http://www.w3.org/1999/xhtml"><head></head><body>'+e+"</body></html>");const o=x?x.createHTML(e):e;if(ge===ve)try{t=(new p).parseFromString(o,Ae)}catch(e){}if(!t||!t.documentElement){t=E.createDocument(ge,"template",null);try{t.documentElement.innerHTML=we?k:o}catch(e){}}const i=t.body||t.documentElement;return e&&n&&i.insertBefore(r.createTextNode(n),i.childNodes[0]||null),ge===ve?B.call(t,X?"html":"body")[0]:X?t.documentElement:i},Oe=function(e){return A.call(e.ownerDocument||e,e,u.SHOW_ELEMENT|u.SHOW_COMMENT|u.SHOW_TEXT|u.SHOW_PROCESSING_INSTRUCTION|u.SHOW_CDATA_SECTION,null)},De=function(e){return e instanceof h&&("string"!=typeof e.nodeName||"string"!=typeof e.textContent||"function"!=typeof e.removeChild||!(e.attributes instanceof d)||"function"!=typeof e.removeAttribute||"function"!=typeof e.setAttribute||"string"!=typeof e.namespaceURI||"function"!=typeof e.insertBefore||"function"!=typeof e.hasChildNodes)},Re=function(e){return"function"==typeof s&&e instanceof s};function He(e,t,r){vt(e,(e=>{e.call(n,t,r,Me)}))}const Pe=function(e){let t=null;if(He(_.beforeSanitizeElements,e,null),De(e))return Te(e),!0;const r=Be(e.nodeName);if(He(_.uponSanitizeElement,e,{tagName:r,allowedTags:R}),e.hasChildNodes()&&!Re(e.firstElementChild)&&Bt(/<[/\w]/g,e.innerHTML)&&Bt(/<[/\w]/g,e.textContent))return Te(e),!0;if(7===e.nodeType)return Te(e),!0;if(Y&&8===e.nodeType&&Bt(/<[/\w]/g,e.data))return Te(e),!0;if(!R[r]||z[r]){if(!z[r]&&Fe(r)){if(F.tagNameCheck instanceof RegExp&&Bt(F.tagNameCheck,r))return!1;if(F.tagNameCheck instanceof Function&&F.tagNameCheck(r))return!1}if(ie&&!se[r]){const t=b(e)||e.parentNode,n=y(e)||e.childNodes;if(n&&t)for(let r=n.length-1;r>=0;--r){const o=v(n[r],!0);o.__removalCount=(e.__removalCount||0)+1,t.insertBefore(o,w(e))}}return Te(e),!0}return e instanceof c&&!function(e){let t=b(e);t&&t.tagName||(t={namespaceURI:ge,tagName:"template"});const n=yt(e.tagName),r=yt(t.tagName);return!!ye[e.namespaceURI]&&(e.namespaceURI===me?t.namespaceURI===ve?"svg"===n:t.namespaceURI===fe?"svg"===n&&("annotation-xml"===r||xe[r]):Boolean(Ve[n]):e.namespaceURI===fe?t.namespaceURI===ve?"math"===n:t.namespaceURI===me?"math"===n&&ke[r]:Boolean(Le[n]):e.namespaceURI===ve?!(t.namespaceURI===me&&!ke[r])&&!(t.namespaceURI===fe&&!xe[r])&&!Le[n]&&(Ee[n]||!Ve[n]):!("application/xhtml+xml"!==Ae||!ye[e.namespaceURI]))}(e)?(Te(e),!0):"noscript"!==r&&"noembed"!==r&&"noframes"!==r||!Bt(/<\/no(script|embed|frames)/i,e.innerHTML)?(K&&3===e.nodeType&&(t=e.textContent,vt([S,N,V],(e=>{t=kt(t,e," ")})),e.textContent!==t&&(wt(n.removed,{element:e.cloneNode()}),e.textContent=t)),He(_.afterSanitizeElements,e,null),!1):(Te(e),!0)},je=function(e,t,n){if(re&&("id"===t||"name"===t)&&(n in r||n in _e))return!1;if($&&!q[t]&&Bt(L,t));else if(U&&Bt(T,t));else if(!P[t]||q[t]){if(!(Fe(e)&&(F.tagNameCheck instanceof RegExp&&Bt(F.tagNameCheck,e)||F.tagNameCheck instanceof Function&&F.tagNameCheck(e))&&(F.attributeNameCheck instanceof RegExp&&Bt(F.attributeNameCheck,t)||F.attributeNameCheck instanceof Function&&F.attributeNameCheck(t))||"is"===t&&F.allowCustomizedBuiltInElements&&(F.tagNameCheck instanceof RegExp&&Bt(F.tagNameCheck,n)||F.tagNameCheck instanceof Function&&F.tagNameCheck(n))))return!1}else if(he[t]);else if(Bt(D,kt(n,Z,"")));else if("src"!==t&&"xlink:href"!==t&&"href"!==t||"script"===e||0!==Et(n,"data:")||!ue[e])if(W&&!Bt(I,kt(n,Z,"")));else if(n)return!1;return!0},Fe=function(e){return"annotation-xml"!==e&&xt(e,O)},ze=function(e){He(_.beforeSanitizeAttributes,e,null);const{attributes:t}=e;if(!t||De(e))return;const r={attrName:"",attrValue:"",keepAttr:!0,allowedAttributes:P,forceKeepAttr:void 0};let o=t.length;for(;o--;){const i=t[o],{name:a,namespaceURI:l,value:s}=i,c=Be(a);let u="value"===a?s:At(s);if(r.attrName=c,r.attrValue=u,r.keepAttr=!0,r.forceKeepAttr=void 0,He(_.uponSanitizeAttribute,e,r),u=r.attrValue,!oe||"id"!==c&&"name"!==c||(Ie(a,e),u="user-content-"+u),Y&&Bt(/((--!?|])>)|<\/(style|title)/i,u)){Ie(a,e);continue}if(r.forceKeepAttr)continue;if(Ie(a,e),!r.keepAttr)continue;if(!G&&Bt(/\/>/i,u)){Ie(a,e);continue}K&&vt([S,N,V],(e=>{u=kt(u,e," ")}));const d=Be(e.nodeName);if(je(d,c,u)){if(x&&"object"==typeof f&&"function"==typeof f.getAttributeType)if(l);else switch(f.getAttributeType(d,c)){case"TrustedHTML":u=x.createHTML(u);break;case"TrustedScriptURL":u=x.createScriptURL(u)}try{l?e.setAttributeNS(l,a,u):e.setAttribute(a,u),De(e)?Te(e):gt(n.removed)}catch(e){}}}He(_.afterSanitizeAttributes,e,null)},qe=function e(t){let n=null;const r=Oe(t);for(He(_.beforeSanitizeShadowDOM,t,null);n=r.nextNode();)He(_.uponSanitizeShadowNode,n,null),Pe(n),ze(n),n.content instanceof a&&e(n.content);He(_.afterSanitizeShadowDOM,t,null)};return n.sanitize=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},r=null,i=null,l=null,c=null;if(we=!e,we&&(e="\x3c!--\x3e"),"string"!=typeof e&&!Re(e)){if("function"!=typeof e.toString)throw Mt("toString is not a function");if("string"!=typeof(e=e.toString()))throw Mt("dirty is not a string, aborting")}if(!n.isSupported)return e;if(J||Ne(t),n.removed=[],"string"==typeof e&&(ae=!1),ae){if(e.nodeName){const t=Be(e.nodeName);if(!R[t]||z[t])throw Mt("root node is forbidden and cannot be sanitized in-place")}}else if(e instanceof s)r=Ze("\x3c!----\x3e"),i=r.ownerDocument.importNode(e,!0),1===i.nodeType&&"BODY"===i.nodeName||"HTML"===i.nodeName?r=i:r.appendChild(i);else{if(!ee&&!K&&!X&&-1===e.indexOf("<"))return x&&ne?x.createHTML(e):e;if(r=Ze(e),!r)return ee?null:ne?k:""}r&&Q&&Te(r.firstChild);const u=Oe(ae?e:r);for(;l=u.nextNode();)Pe(l),ze(l),l.content instanceof a&&qe(l.content);if(ae)return e;if(ee){if(te)for(c=C.call(r.ownerDocument);r.firstChild;)c.appendChild(r.firstChild);else c=r;return(P.shadowroot||P.shadowrootmode)&&(c=M.call(o,c,!0)),c}let d=X?r.outerHTML:r.innerHTML;return X&&R["!doctype"]&&r.ownerDocument&&r.ownerDocument.doctype&&r.ownerDocument.doctype.name&&Bt(Qt,r.ownerDocument.doctype.name)&&(d="<!DOCTYPE "+r.ownerDocument.doctype.name+">\n"+d),K&&vt([S,N,V],(e=>{d=kt(d,e," ")})),x&&ne?x.createHTML(d):d},n.setConfig=function(){Ne(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}),J=!0},n.clearConfig=function(){Me=null,J=!1},n.isValidAttribute=function(e,t,n){Me||Ne({});const r=Be(e),o=Be(t);return je(r,o,n)},n.addHook=function(e,t){"function"==typeof t&&wt(_[e],t)},n.removeHook=function(e){return gt(_[e])},n.removeHooks=function(e){_[e]=[]},n.removeAllHooks=function(){_={afterSanitizeAttributes:[],afterSanitizeElements:[],afterSanitizeShadowDOM:[],beforeSanitizeAttributes:[],beforeSanitizeElements:[],beforeSanitizeShadowDOM:[],uponSanitizeAttribute:[],uponSanitizeElement:[],uponSanitizeShadowNode:[]}},n}();nn.addHook("uponSanitizeAttribute",(function(e,t){/^data-trix-/.test(t.attrName)&&(t.forceKeepAttr=!0)}));const rn="style href src width height language class".split(" "),on="javascript:".split(" "),an="script iframe form noscript".split(" ");class ln extends ${static setHTML(e,t){const n=new this(t).sanitize(),r=n.getHTML?n.getHTML():n.outerHTML;e.innerHTML=r}static sanitize(e,t){const n=new this(e,t);return n.sanitize(),n}constructor(e){let{allowedAttributes:t,forbiddenProtocols:n,forbiddenElements:r}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};super(...arguments),this.allowedAttributes=t||rn,this.forbiddenProtocols=n||on,this.forbiddenElements=r||an,this.body=sn(e)}sanitize(){return this.sanitizeElements(),this.normalizeListElementNesting(),nn.setConfig(u),this.body=nn.sanitize(this.body),this.body}getHTML(){return this.body.innerHTML}getBody(){return this.body}sanitizeElements(){const e=M(this.body),t=[];for(;e.nextNode();){const n=e.currentNode;switch(n.nodeType){case Node.ELEMENT_NODE:this.elementIsRemovable(n)?t.push(n):this.sanitizeElement(n);break;case Node.COMMENT_NODE:t.push(n)}}return t.forEach((e=>B(e))),this.body}sanitizeElement(e){return e.hasAttribute("href")&&this.forbiddenProtocols.includes(e.protocol)&&e.removeAttribute("href"),Array.from(e.attributes).forEach((t=>{let{name:n}=t;this.allowedAttributes.includes(n)||0===n.indexOf("data-trix")||e.removeAttribute(n)})),e}normalizeListElementNesting(){return Array.from(this.body.querySelectorAll("ul,ol")).forEach((e=>{const t=e.previousElementSibling;t&&"li"===_(t)&&t.appendChild(e)})),this.body}elementIsRemovable(e){if((null==e?void 0:e.nodeType)===Node.ELEMENT_NODE)return this.elementIsForbidden(e)||this.elementIsntSerializable(e)}elementIsForbidden(e){return this.forbiddenElements.includes(_(e))}elementIsntSerializable(e){return"false"===e.getAttribute("data-trix-serialize")&&!D(e)}}const sn=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";e=e.replace(/<\/html[^>]*>[^]*$/i,"</html>");const t=document.implementation.createHTMLDocument("");return t.documentElement.innerHTML=e,Array.from(t.head.querySelectorAll("style")).forEach((e=>{t.body.appendChild(e)})),t.body},{css:cn}=U;class un extends ot{constructor(){super(...arguments),this.attachment=this.object,this.attachment.uploadProgressDelegate=this,this.attachmentPiece=this.options.piece}createContentNodes(){return[]}createNodes(){let e;const t=e=S({tagName:"figure",className:this.getClassName(),data:this.getData(),editable:!1}),n=this.getHref();return n&&(e=S({tagName:"a",editable:!1,attributes:{href:n,tabindex:-1}}),t.appendChild(e)),this.attachment.hasContent()?ln.setHTML(e,this.attachment.getContent()):this.createContentNodes().forEach((t=>{e.appendChild(t)})),e.appendChild(this.createCaptionElement()),this.attachment.isPending()&&(this.progressElement=S({tagName:"progress",attributes:{class:cn.attachmentProgress,value:this.attachment.getUploadProgress(),max:100},data:{trixMutable:!0,trixStoreKey:["progressElement",this.attachment.id].join("/")}}),t.appendChild(this.progressElement)),[dn("left"),t,dn("right")]}createCaptionElement(){const e=S({tagName:"figcaption",className:cn.attachmentCaption}),t=this.attachmentPiece.getCaption();if(t)e.classList.add("".concat(cn.attachmentCaption,"--edited")),e.textContent=t;else{let t,n;const r=this.getCaptionConfig();if(r.name&&(t=this.attachment.getFilename()),r.size&&(n=this.attachment.getFormattedFilesize()),t){const n=S({tagName:"span",className:cn.attachmentName,textContent:t});e.appendChild(n)}if(n){t&&e.appendChild(document.createTextNode(" "));const r=S({tagName:"span",className:cn.attachmentSize,textContent:n});e.appendChild(r)}}return e}getClassName(){const e=[cn.attachment,"".concat(cn.attachment,"--").concat(this.attachment.getType())],t=this.attachment.getExtension();return t&&e.push("".concat(cn.attachment,"--").concat(t)),e.join(" ")}getData(){const e={trixAttachment:JSON.stringify(this.attachment),trixContentType:this.attachment.getContentType(),trixId:this.attachment.id},{attributes:t}=this.attachmentPiece;return t.isEmpty()||(e.trixAttributes=JSON.stringify(t)),this.attachment.isPending()&&(e.trixSerialize=!1),e}getHref(){if(!hn(this.attachment.getContent(),"a"))return this.attachment.getHref()}getCaptionConfig(){var e;const t=this.attachment.getType(),n=_e(null===(e=o[t])||void 0===e?void 0:e.caption);return"file"===t&&(n.name=!0),n}findProgressElement(){var e;return null===(e=this.findElement())||void 0===e?void 0:e.querySelector("progress")}attachmentDidChangeUploadProgress(){const e=this.attachment.getUploadProgress(),t=this.findProgressElement();t&&(t.value=e)}}const dn=e=>S({tagName:"span",textContent:f,data:{trixCursorTarget:e,trixSerialize:!1}}),hn=function(e,t){const n=S("div");return ln.setHTML(n,e||""),n.querySelector(t)};class pn extends un{constructor(){super(...arguments),this.attachment.previewDelegate=this}createContentNodes(){return this.image=S({tagName:"img",attributes:{src:""},data:{trixMutable:!0}}),this.refresh(this.image),[this.image]}createCaptionElement(){const e=super.createCaptionElement(...arguments);return e.textContent||e.setAttribute("data-trix-placeholder",d.captionPlaceholder),e}refresh(e){var t;if(e||(e=null===(t=this.findElement())||void 0===t?void 0:t.querySelector("img")),e)return this.updateAttributesForImage(e)}updateAttributesForImage(e){const t=this.attachment.getURL(),n=this.attachment.getPreviewURL();if(e.src=n||t,n===t)e.removeAttribute("data-trix-serialized-attributes");else{const n=JSON.stringify({src:t});e.setAttribute("data-trix-serialized-attributes",n)}const r=this.attachment.getWidth(),o=this.attachment.getHeight();null!=r&&(e.width=r),null!=o&&(e.height=o);const i=["imageElement",this.attachment.id,e.src,e.width,e.height].join("/");e.dataset.trixStoreKey=i}attachmentDidChangeAttributes(){return this.refresh(this.image),this.refresh()}}class fn extends ot{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 e=this.attachment?this.createAttachmentNodes():this.createStringNodes();const t=this.createElement();if(t){const n=function(e){for(;null!==(t=e)&&void 0!==t&&t.firstElementChild;){var t;e=e.firstElementChild}return e}(t);Array.from(e).forEach((e=>{n.appendChild(e)})),e=[t]}return e}createAttachmentNodes(){const e=this.attachment.isPreviewable()?pn:un;return this.createChildView(e,this.piece.attachment,{piece:this.piece}).getNodes()}createStringNodes(){var e;if(null!==(e=this.textConfig)&&void 0!==e&&e.plaintext)return[document.createTextNode(this.string)];{const e=[],t=this.string.split("\n");for(let n=0;n<t.length;n++){const r=t[n];if(n>0){const t=S("br");e.push(t)}if(r.length){const t=document.createTextNode(this.preserveSpaces(r));e.push(t)}}return e}}createElement(){let e,t,n;const r={};for(t in this.attributes){n=this.attributes[t];const i=we(t);if(i){if(i.tagName){var o;const t=S(i.tagName);o?(o.appendChild(t),o=t):e=o=t}if(i.styleProperty&&(r[i.styleProperty]=n),i.style)for(t in i.style)n=i.style[t],r[t]=n}}if(Object.keys(r).length)for(t in e||(e=S("span")),r)n=r[t],e.style[t]=n;return e}createContainerElement(){for(const e in this.attributes){const t=this.attributes[e],n=we(e);if(n&&n.groupTagName){const r={};return r[e]=t,S(n.groupTagName,r)}}}preserveSpaces(e){return this.context.isLast&&(e=e.replace(/\ $/,m)),e=e.replace(/(\S)\ {3}(\S)/g,"$1 ".concat(m," $2")).replace(/\ {2}/g,"".concat(m," ")).replace(/\ {2}/g," ".concat(m)),(this.context.isFirst||this.context.followsWhitespace)&&(e=e.replace(/^\ /,m)),e}}class mn extends ot{constructor(){super(...arguments),this.text=this.object,this.textConfig=this.options.textConfig}createNodes(){const e=[],t=Qe.groupObjects(this.getPieces()),n=t.length-1;for(let o=0;o<t.length;o++){const i=t[o],a={};0===o&&(a.isFirst=!0),o===n&&(a.isLast=!0),vn(r)&&(a.followsWhitespace=!0);const l=this.findOrCreateCachedChildView(fn,i,{textConfig:this.textConfig,context:a});e.push(...Array.from(l.getNodes()||[]));var r=i}return e}getPieces(){return Array.from(this.text.getPieces()).filter((e=>!e.hasAttribute("blockBreak")))}}const vn=e=>/\s$/.test(null==e?void 0:e.toString()),{css:gn}=U;class wn extends ot{constructor(){super(...arguments),this.block=this.object,this.attributes=this.block.getAttributes()}createNodes(){const e=[document.createComment("block")];if(this.block.isEmpty())e.push(S("br"));else{var t;const n=null===(t=ve(this.block.getLastAttribute()))||void 0===t?void 0:t.text,r=this.findOrCreateCachedChildView(mn,this.block.text,{textConfig:n});e.push(...Array.from(r.getNodes()||[])),this.shouldAddExtraNewlineElement()&&e.push(S("br"))}if(this.attributes.length)return e;{let t;const{tagName:n}=i.default;this.block.isRTL()&&(t={dir:"rtl"});const r=S({tagName:n,attributes:t});return e.forEach((e=>r.appendChild(e))),[r]}}createContainerElement(e){const t={};let n;const r=this.attributes[e],{tagName:o,htmlAttributes:i=[]}=ve(r);if(0===e&&this.block.isRTL()&&Object.assign(t,{dir:"rtl"}),"attachmentGallery"===r){const e=this.block.getBlockBreakPosition();n="".concat(gn.attachmentGallery," ").concat(gn.attachmentGallery,"--").concat(e)}return Object.entries(this.block.htmlAttributes).forEach((e=>{let[n,r]=e;i.includes(n)&&(t[n]=r)})),S({tagName:o,className:n,attributes:t})}shouldAddExtraNewlineElement(){return/\n\n$/.test(this.block.toString())}}class yn extends ot{static render(e){const t=S("div"),n=new this(e,{element:t});return n.render(),n.sync(),t}constructor(){super(...arguments),this.element=this.options.element,this.elementStore=new tt,this.setDocument(this.object)}setDocument(e){e.isEqualTo(this.document)||(this.document=this.object=e)}render(){if(this.childViews=[],this.shadowElement=S("div"),!this.document.isEmpty()){const e=Qe.groupObjects(this.document.getBlocks(),{asTree:!0});Array.from(e).forEach((e=>{const t=this.findOrCreateCachedChildView(wn,e);Array.from(t.getNodes()).map((e=>this.shadowElement.appendChild(e)))}))}}isSynced(){return xn(this.shadowElement,this.element)}sync(){const e=this.createDocumentFragmentForSync();for(;this.element.lastChild;)this.element.removeChild(this.element.lastChild);return this.element.appendChild(e),this.didSync()}didSync(){return this.elementStore.reset(bn(this.element)),Me((()=>this.garbageCollectCachedViews()))}createDocumentFragmentForSync(){const e=document.createDocumentFragment();return Array.from(this.shadowElement.childNodes).forEach((t=>{e.appendChild(t.cloneNode(!0))})),Array.from(bn(e)).forEach((e=>{const t=this.elementStore.remove(e);t&&e.parentNode.replaceChild(t,e)})),e}}const bn=e=>e.querySelectorAll("[data-trix-store-key]"),xn=(e,t)=>kn(e.innerHTML)===kn(t.innerHTML),kn=e=>e.replace(/&nbsp;/g," ");function En(e){var t,n;function r(t,n){try{var i=e[t](n),a=i.value,l=a instanceof An;Promise.resolve(l?a.v:a).then((function(n){if(l){var s="return"===t?"return":"next";if(!a.k||n.done)return r(s,n);n=e[s](n).value}o(i.done?"return":"normal",n)}),(function(e){r("throw",e)}))}catch(e){o("throw",e)}}function o(e,o){switch(e){case"return":t.resolve({value:o,done:!0});break;case"throw":t.reject(o);break;default:t.resolve({value:o,done:!1})}(t=t.next)?r(t.key,t.arg):n=null}this._invoke=function(e,o){return new Promise((function(i,a){var l={key:e,arg:o,resolve:i,reject:a,next:null};n?n=n.next=l:(t=n=l,r(e,o))}))},"function"!=typeof e.return&&(this.return=void 0)}function An(e,t){this.v=e,this.k=t}function Cn(e,t,n){return(t=function(e){var t=function(e,t){if("object"!=typeof e||null===e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!=typeof r)return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"==typeof t?t:String(t)}(t))in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function Bn(e,t){return function(e,t){return t.get?t.get.call(e):t.value}(e,_n(e,t,"get"))}function Mn(e,t,n){return function(e,t,n){if(t.set)t.set.call(e,n);else{if(!t.writable)throw new TypeError("attempted to set read only private field");t.value=n}}(e,_n(e,t,"set"),n),n}function _n(e,t,n){if(!t.has(e))throw new TypeError("attempted to "+n+" private field on non-instance");return t.get(e)}function Sn(e,t,n){if(!t.has(e))throw new TypeError("attempted to get private field on non-instance");return n}function Nn(e,t){if(t.has(e))throw new TypeError("Cannot initialize the same private elements twice on an object")}function Vn(e,t,n){Nn(e,t),t.set(e,n)}En.prototype["function"==typeof Symbol&&Symbol.asyncIterator||"@@asyncIterator"]=function(){return this},En.prototype.next=function(e){return this._invoke("next",e)},En.prototype.throw=function(e){return this._invoke("throw",e)},En.prototype.return=function(e){return this._invoke("return",e)};class Ln extends ae{static registerType(e,t){t.type=e,this.types[e]=t}static fromJSON(e){const t=this.types[e.type];if(t)return t.fromJSON(e)}constructor(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};super(...arguments),this.attributes=We.box(t)}copyWithAttributes(e){return new this.constructor(this.getValue(),e)}copyWithAdditionalAttributes(e){return this.copyWithAttributes(this.attributes.merge(e))}copyWithoutAttribute(e){return this.copyWithAttributes(this.attributes.remove(e))}copy(){return this.copyWithAttributes(this.attributes)}getAttribute(e){return this.attributes.get(e)}getAttributesHash(){return this.attributes}getAttributes(){return this.attributes.toObject()}hasAttribute(e){return this.attributes.has(e)}hasSameStringValueAsPiece(e){return e&&this.toString()===e.toString()}hasSameAttributesAsPiece(e){return e&&(this.attributes===e.attributes||this.attributes.isEqualTo(e.attributes))}isBlockBreak(){return!1}isEqualTo(e){return super.isEqualTo(...arguments)||this.hasSameConstructorAs(e)&&this.hasSameStringValueAsPiece(e)&&this.hasSameAttributesAsPiece(e)}isEmpty(){return 0===this.length}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(e){return this.getAttribute("href")===e.getAttribute("href")}getLength(){return this.length}canBeConsolidatedWith(e){return!1}}Cn(Ln,"types",{});class Tn extends rt{constructor(e){super(...arguments),this.url=e}perform(e){const t=new Image;t.onload=()=>(t.width=this.width=t.naturalWidth,t.height=this.height=t.naturalHeight,e(!0,t)),t.onerror=()=>e(!1),t.src=this.url}}class In extends ae{static attachmentForFile(e){const t=new this(this.attributesForFile(e));return t.setFile(e),t}static attributesForFile(e){return new We({filename:e.name,filesize:e.size,contentType:e.type})}static fromJSON(e){return new this(e)}constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};super(e),this.releaseFile=this.releaseFile.bind(this),this.attributes=We.box(e),this.didChangeAttributes()}getAttribute(e){return this.attributes.get(e)}hasAttribute(e){return this.attributes.has(e)}getAttributes(){return this.attributes.toObject()}setAttributes(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};const t=this.attributes.merge(e);var n,r,o,i;if(!this.attributes.isEqualTo(t))return this.attributes=t,this.didChangeAttributes(),null===(n=this.previewDelegate)||void 0===n||null===(r=n.attachmentDidChangeAttributes)||void 0===r||r.call(n,this),null===(o=this.delegate)||void 0===o||null===(i=o.attachmentDidChangeAttributes)||void 0===i?void 0:i.call(o,this)}didChangeAttributes(){if(this.isPreviewable())return this.preloadURL()}isPending(){return null!=this.file&&!(this.getURL()||this.getHref())}isPreviewable(){return this.attributes.has("previewable")?this.attributes.get("previewable"):In.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(){const e=this.attributes.get("filesize");return"number"==typeof e?p.formatter(e):""}getExtension(){var e;return null===(e=this.getFilename().match(/\.(\w+)$/))||void 0===e?void 0:e[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(e){if(this.file=e,this.isPreviewable())return this.preloadFile()}releaseFile(){this.releasePreloadedFile(),this.file=null}getUploadProgress(){return null!=this.uploadProgress?this.uploadProgress:0}setUploadProgress(e){var t,n;if(this.uploadProgress!==e)return this.uploadProgress=e,null===(t=this.uploadProgressDelegate)||void 0===t||null===(n=t.attachmentDidChangeUploadProgress)||void 0===n?void 0:n.call(t,this)}toJSON(){return this.getAttributes()}getCacheKey(){return[super.getCacheKey(...arguments),this.attributes.getCacheKey(),this.getPreviewURL()].join("/")}getPreviewURL(){return this.previewURL||this.preloadingURL}setPreviewURL(e){var t,n,r,o;if(e!==this.getPreviewURL())return this.previewURL=e,null===(t=this.previewDelegate)||void 0===t||null===(n=t.attachmentDidChangeAttributes)||void 0===n||n.call(t,this),null===(r=this.delegate)||void 0===r||null===(o=r.attachmentDidChangePreviewURL)||void 0===o?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(e,t){if(e&&e!==this.getPreviewURL())return this.preloadingURL=e,new Tn(e).then((n=>{let{width:r,height:o}=n;return this.getWidth()&&this.getHeight()||this.setAttributes({width:r,height:o}),this.preloadingURL=null,this.setPreviewURL(e),null==t?void 0:t()})).catch((()=>(this.preloadingURL=null,null==t?void 0:t())))}}Cn(In,"previewablePattern",/^image(\/(gif|png|webp|jpe?g)|$)/);class Zn extends Ln{static fromJSON(e){return new this(In.fromJSON(e.attachment),e.attributes)}constructor(e){super(...arguments),this.attachment=e,this.length=1,this.ensureAttachmentExclusivelyHasAttribute("href"),this.attachment.hasContent()||this.removeProhibitedAttributes()}ensureAttachmentExclusivelyHasAttribute(e){this.hasAttribute(e)&&(this.attachment.hasAttribute(e)||this.attachment.setAttributes(this.attributes.slice([e])),this.attributes=this.attributes.remove(e))}removeProhibitedAttributes(){const e=this.attributes.slice(Zn.permittedAttributes);e.isEqualTo(this.attributes)||(this.attributes=e)}getValue(){return this.attachment}isSerializable(){return!this.attachment.isPending()}getCaption(){return this.attributes.get("caption")||""}isEqualTo(e){var t;return super.isEqualTo(e)&&this.attachment.id===(null==e||null===(t=e.attachment)||void 0===t?void 0:t.id)}toString(){return""}toJSON(){const e=super.toJSON(...arguments);return e.attachment=this.attachment,e}getCacheKey(){return[super.getCacheKey(...arguments),this.attachment.getCacheKey()].join("/")}toConsole(){return JSON.stringify(this.toString())}}Cn(Zn,"permittedAttributes",["caption","presentation"]),Ln.registerType("attachment",Zn);class On extends Ln{static fromJSON(e){return new this(e.string,e.attributes)}constructor(e){super(...arguments),this.string=(e=>e.replace(/\r\n?/g,"\n"))(e),this.length=this.string.length}getValue(){return this.string}toString(){return this.string.toString()}isBlockBreak(){return"\n"===this.toString()&&!0===this.getAttribute("blockBreak")}toJSON(){const e=super.toJSON(...arguments);return e.string=this.string,e}canBeConsolidatedWith(e){return e&&this.hasSameConstructorAs(e)&&this.hasSameAttributesAsPiece(e)}consolidateWith(e){return new this.constructor(this.toString()+e.toString(),this.attributes)}splitAtOffset(e){let t,n;return 0===e?(t=null,n=this):e===this.length?(t=this,n=null):(t=new this.constructor(this.string.slice(0,e),this.attributes),n=new this.constructor(this.string.slice(e),this.attributes)),[t,n]}toConsole(){let{string:e}=this;return e.length>15&&(e=e.slice(0,14)+"…"),JSON.stringify(e.toString())}}Ln.registerType("string",On);class Dn extends ae{static box(e){return e instanceof this?e:new this(e)}constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];super(...arguments),this.objects=e.slice(0),this.length=this.objects.length}indexOf(e){return this.objects.indexOf(e)}splice(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return new this.constructor(se(this.objects,...t))}eachObject(e){return this.objects.map(((t,n)=>e(t,n)))}insertObjectAtIndex(e,t){return this.splice(t,0,e)}insertSplittableListAtIndex(e,t){return this.splice(t,0,...e.objects)}insertSplittableListAtPosition(e,t){const[n,r]=this.splitObjectAtPosition(t);return new this.constructor(n).insertSplittableListAtIndex(e,r)}editObjectAtIndex(e,t){return this.replaceObjectAtIndex(t(this.objects[e]),e)}replaceObjectAtIndex(e,t){return this.splice(t,1,e)}removeObjectAtIndex(e){return this.splice(e,1)}getObjectAtIndex(e){return this.objects[e]}getSplittableListInRange(e){const[t,n,r]=this.splitObjectsAtRange(e);return new this.constructor(t.slice(n,r+1))}selectSplittableList(e){const t=this.objects.filter((t=>e(t)));return new this.constructor(t)}removeObjectsInRange(e){const[t,n,r]=this.splitObjectsAtRange(e);return new this.constructor(t).splice(n,r-n+1)}transformObjectsInRange(e,t){const[n,r,o]=this.splitObjectsAtRange(e),i=n.map(((e,n)=>r<=n&&n<=o?t(e):e));return new this.constructor(i)}splitObjectsAtRange(e){let t,[n,r,o]=this.splitObjectAtPosition(Hn(e));return[n,t]=new this.constructor(n).splitObjectAtPosition(Pn(e)+o),[n,r,t-1]}getObjectAtPosition(e){const{index:t}=this.findIndexAndOffsetAtPosition(e);return this.objects[t]}splitObjectAtPosition(e){let t,n;const{index:r,offset:o}=this.findIndexAndOffsetAtPosition(e),i=this.objects.slice(0);if(null!=r)if(0===o)t=r,n=0;else{const e=this.getObjectAtIndex(r),[a,l]=e.splitAtOffset(o);i.splice(r,1,a,l),t=r+1,n=a.getLength()-o}else t=i.length,n=0;return[i,t,n]}consolidate(){const e=[];let t=this.objects[0];return this.objects.slice(1).forEach((n=>{var r,o;null!==(r=(o=t).canBeConsolidatedWith)&&void 0!==r&&r.call(o,n)?t=t.consolidateWith(n):(e.push(t),t=n)})),t&&e.push(t),new this.constructor(e)}consolidateFromIndexToIndex(e,t){const n=this.objects.slice(0).slice(e,t+1),r=new this.constructor(n).consolidate().toArray();return this.splice(e,n.length,...r)}findIndexAndOffsetAtPosition(e){let t,n=0;for(t=0;t<this.objects.length;t++){const r=n+this.objects[t].getLength();if(n<=e&&e<r)return{index:t,offset:e-n};n=r}return{index:null,offset:null}}findPositionAtIndexAndOffset(e,t){let n=0;for(let r=0;r<this.objects.length;r++){const o=this.objects[r];if(r<e)n+=o.getLength();else if(r===e){n+=t;break}}return n}getEndPosition(){return null==this.endPosition&&(this.endPosition=0,this.objects.forEach((e=>this.endPosition+=e.getLength()))),this.endPosition}toString(){return this.objects.join("")}toArray(){return this.objects.slice(0)}toJSON(){return this.toArray()}isEqualTo(e){return super.isEqualTo(...arguments)||Rn(this.objects,null==e?void 0:e.objects)}contentsForInspection(){return{objects:"[".concat(this.objects.map((e=>e.inspect())).join(", "),"]")}}}const Rn=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];if(e.length!==t.length)return!1;let n=!0;for(let r=0;r<e.length;r++){const o=e[r];n&&!o.isEqualTo(t[r])&&(n=!1)}return n},Hn=e=>e[0],Pn=e=>e[1];class jn extends ae{static textForAttachmentWithAttributes(e,t){return new this([new Zn(e,t)])}static textForStringWithAttributes(e,t){return new this([new On(e,t)])}static fromJSON(e){return new this(Array.from(e).map((e=>Ln.fromJSON(e))))}constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];super(...arguments);const t=e.filter((e=>!e.isEmpty()));this.pieceList=new Dn(t)}copy(){return this.copyWithPieceList(this.pieceList)}copyWithPieceList(e){return new this.constructor(e.consolidate().toArray())}copyUsingObjectMap(e){const t=this.getPieces().map((t=>e.find(t)||t));return new this.constructor(t)}appendText(e){return this.insertTextAtPosition(e,this.getLength())}insertTextAtPosition(e,t){return this.copyWithPieceList(this.pieceList.insertSplittableListAtPosition(e.pieceList,t))}removeTextAtRange(e){return this.copyWithPieceList(this.pieceList.removeObjectsInRange(e))}replaceTextAtRange(e,t){return this.removeTextAtRange(t).insertTextAtPosition(e,t[0])}moveTextFromRangeToPosition(e,t){if(e[0]<=t&&t<=e[1])return;const n=this.getTextAtRange(e),r=n.getLength();return e[0]<t&&(t-=r),this.removeTextAtRange(e).insertTextAtPosition(n,t)}addAttributeAtRange(e,t,n){const r={};return r[e]=t,this.addAttributesAtRange(r,n)}addAttributesAtRange(e,t){return this.copyWithPieceList(this.pieceList.transformObjectsInRange(t,(t=>t.copyWithAdditionalAttributes(e))))}removeAttributeAtRange(e,t){return this.copyWithPieceList(this.pieceList.transformObjectsInRange(t,(t=>t.copyWithoutAttribute(e))))}setAttributesAtRange(e,t){return this.copyWithPieceList(this.pieceList.transformObjectsInRange(t,(t=>t.copyWithAttributes(e))))}getAttributesAtPosition(e){var t;return(null===(t=this.pieceList.getObjectAtPosition(e))||void 0===t?void 0:t.getAttributes())||{}}getCommonAttributes(){const e=Array.from(this.pieceList.toArray()).map((e=>e.getAttributes()));return We.fromCommonAttributesOfObjects(e).toObject()}getCommonAttributesAtRange(e){return this.getTextAtRange(e).getCommonAttributes()||{}}getExpandedRangeForAttributeAtOffset(e,t){let n,r=n=t;const o=this.getLength();for(;r>0&&this.getCommonAttributesAtRange([r-1,n])[e];)r--;for(;n<o&&this.getCommonAttributesAtRange([t,n+1])[e];)n++;return[r,n]}getTextAtRange(e){return this.copyWithPieceList(this.pieceList.getSplittableListInRange(e))}getStringAtRange(e){return this.pieceList.getSplittableListInRange(e).toString()}getStringAtPosition(e){return this.getStringAtRange([e,e+1])}startsWithString(e){return this.getStringAtRange([0,e.length])===e}endsWithString(e){const t=this.getLength();return this.getStringAtRange([t-e.length,t])===e}getAttachmentPieces(){return this.pieceList.toArray().filter((e=>!!e.attachment))}getAttachments(){return this.getAttachmentPieces().map((e=>e.attachment))}getAttachmentAndPositionById(e){let t=0;for(const r of this.pieceList.toArray()){var n;if((null===(n=r.attachment)||void 0===n?void 0:n.id)===e)return{attachment:r.attachment,position:t};t+=r.length}return{attachment:null,position:null}}getAttachmentById(e){const{attachment:t}=this.getAttachmentAndPositionById(e);return t}getRangeOfAttachment(e){const t=this.getAttachmentAndPositionById(e.id),n=t.position;if(e=t.attachment)return[n,n+1]}updateAttributesForAttachment(e,t){const n=this.getRangeOfAttachment(t);return n?this.addAttributesAtRange(e,n):this}getLength(){return this.pieceList.getEndPosition()}isEmpty(){return 0===this.getLength()}isEqualTo(e){var t;return super.isEqualTo(e)||(null==e||null===(t=e.pieceList)||void 0===t?void 0:t.isEqualTo(this.pieceList))}isBlockBreak(){return 1===this.getLength()&&this.pieceList.getObjectAtIndex(0).isBlockBreak()}eachPiece(e){return this.pieceList.eachObject(e)}getPieces(){return this.pieceList.toArray()}getPieceAtPosition(e){return this.pieceList.getObjectAtPosition(e)}contentsForInspection(){return{pieceList:this.pieceList.inspect()}}toSerializableText(){const e=this.pieceList.selectSplittableList((e=>e.isSerializable()));return this.copyWithPieceList(e)}toString(){return this.pieceList.toString()}toJSON(){return this.pieceList.toJSON()}toConsole(){return JSON.stringify(this.pieceList.toArray().map((e=>JSON.parse(e.toConsole()))))}getDirection(){return ue(this.toString())}isRTL(){return"rtl"===this.getDirection()}}class Fn extends ae{static fromJSON(e){return new this(jn.fromJSON(e.text),e.attributes,e.htmlAttributes)}constructor(e,t,n){super(...arguments),this.text=zn(e||new jn),this.attributes=t||[],this.htmlAttributes=n||{}}isEmpty(){return this.text.isBlockBreak()}isEqualTo(e){return!!super.isEqualTo(e)||this.text.isEqualTo(null==e?void 0:e.text)&&le(this.attributes,null==e?void 0:e.attributes)&&Se(this.htmlAttributes,null==e?void 0:e.htmlAttributes)}copyWithText(e){return new Fn(e,this.attributes,this.htmlAttributes)}copyWithoutText(){return this.copyWithText(null)}copyWithAttributes(e){return new Fn(this.text,e,this.htmlAttributes)}copyWithoutAttributes(){return this.copyWithAttributes(null)}copyUsingObjectMap(e){const t=e.find(this.text);return t?this.copyWithText(t):this.copyWithText(this.text.copyUsingObjectMap(e))}addAttribute(e){const t=this.attributes.concat(Kn(e));return this.copyWithAttributes(t)}addHTMLAttribute(e,t){const n=Object.assign({},this.htmlAttributes,{[e]:t});return new Fn(this.text,this.attributes,n)}removeAttribute(e){const{listAttribute:t}=ve(e),n=Xn(Xn(this.attributes,e),t);return this.copyWithAttributes(n)}removeLastAttribute(){return this.removeAttribute(this.getLastAttribute())}getLastAttribute(){return Yn(this.attributes)}getAttributes(){return this.attributes.slice(0)}getAttributeLevel(){return this.attributes.length}getAttributeAtLevel(e){return this.attributes[e-1]}hasAttribute(e){return this.attributes.includes(e)}hasAttributes(){return this.getAttributeLevel()>0}getLastNestableAttribute(){return Yn(this.getNestableAttributes())}getNestableAttributes(){return this.attributes.filter((e=>ve(e).nestable))}getNestingLevel(){return this.getNestableAttributes().length}decreaseNestingLevel(){const e=this.getLastNestableAttribute();return e?this.removeAttribute(e):this}increaseNestingLevel(){const e=this.getLastNestableAttribute();if(e){const t=this.attributes.lastIndexOf(e),n=se(this.attributes,t+1,0,...Kn(e));return this.copyWithAttributes(n)}return this}getListItemAttributes(){return this.attributes.filter((e=>ve(e).listAttribute))}isListItem(){var e;return null===(e=ve(this.getLastAttribute()))||void 0===e?void 0:e.listAttribute}isTerminalBlock(){var e;return null===(e=ve(this.getLastAttribute()))||void 0===e?void 0:e.terminal}breaksOnReturn(){var e;return null===(e=ve(this.getLastAttribute()))||void 0===e?void 0:e.breakOnReturn}findLineBreakInDirectionFromPosition(e,t){const n=this.toString();let r;switch(e){case"forward":r=n.indexOf("\n",t);break;case"backward":r=n.slice(0,t).lastIndexOf("\n")}if(-1!==r)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(e){return!this.hasAttributes()&&!e.hasAttributes()&&this.getDirection()===e.getDirection()}consolidateWith(e){const t=jn.textForStringWithAttributes("\n"),n=this.getTextWithoutBlockBreak().appendText(t);return this.copyWithText(n.appendText(e.text))}splitAtOffset(e){let t,n;return 0===e?(t=null,n=this):e===this.getLength()?(t=this,n=null):(t=this.copyWithText(this.text.getTextAtRange([0,e])),n=this.copyWithText(this.text.getTextAtRange([e,this.getLength()]))),[t,n]}getBlockBreakPosition(){return this.text.getLength()-1}getTextWithoutBlockBreak(){return Wn(this.text)?this.text.getTextAtRange([0,this.getBlockBreakPosition()]):this.text.copy()}canBeGrouped(e){return this.attributes[e]}canBeGroupedWith(e,t){const n=e.getAttributes(),r=n[t],o=this.attributes[t];return o===r&&!(!1===ve(o).group&&!(()=>{if(!fe){fe=[];for(const e in i){const{listAttribute:t}=i[e];null!=t&&fe.push(t)}}return fe})().includes(n[t+1]))&&(this.getDirection()===e.getDirection()||e.isEmpty())}}const zn=function(e){return e=qn(e),$n(e)},qn=function(e){let t=!1;const n=e.getPieces();let r=n.slice(0,n.length-1);const o=n[n.length-1];return o?(r=r.map((e=>e.isBlockBreak()?(t=!0,Gn(e)):e)),t?new jn([...r,o]):e):e},Un=jn.textForStringWithAttributes("\n",{blockBreak:!0}),$n=function(e){return Wn(e)?e:e.appendText(Un)},Wn=function(e){const t=e.getLength();return 0!==t&&e.getTextAtRange([t-1,t]).isBlockBreak()},Gn=e=>e.copyWithoutAttribute("blockBreak"),Kn=function(e){const{listAttribute:t}=ve(e);return t?[t,e]:[e]},Yn=e=>e.slice(-1)[0],Xn=function(e,t){const n=e.lastIndexOf(t);return-1===n?e:se(e,n,1)};class Jn extends ae{static fromJSON(e){return new this(Array.from(e).map((e=>Fn.fromJSON(e))))}static fromString(e,t){const n=jn.textForStringWithAttributes(e,t);return new this([new Fn(n)])}constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];super(...arguments),0===e.length&&(e=[new Fn]),this.blockList=Dn.box(e)}isEmpty(){const e=this.getBlockAtIndex(0);return 1===this.blockList.length&&e.isEmpty()&&!e.hasAttributes()}copy(){const e=(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).consolidateBlocks?this.blockList.consolidate().toArray():this.blockList.toArray();return new this.constructor(e)}copyUsingObjectsFromDocument(e){const t=new et(e.getObjects());return this.copyUsingObjectMap(t)}copyUsingObjectMap(e){const t=this.getBlocks().map((t=>e.find(t)||t.copyUsingObjectMap(e)));return new this.constructor(t)}copyWithBaseBlockAttributes(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];const t=this.getBlocks().map((t=>{const n=e.concat(t.getAttributes());return t.copyWithAttributes(n)}));return new this.constructor(t)}replaceBlock(e,t){const n=this.blockList.indexOf(e);return-1===n?this:new this.constructor(this.blockList.replaceObjectAtIndex(t,n))}insertDocumentAtRange(e,t){const{blockList:n}=e;t=Ne(t);let[r]=t;const{index:o,offset:i}=this.locationFromPosition(r);let a=this;const l=this.getBlockAtPosition(r);return Ve(t)&&l.isEmpty()&&!l.hasAttributes()?a=new this.constructor(a.blockList.removeObjectAtIndex(o)):l.getBlockBreakPosition()===i&&r++,a=a.removeTextAtRange(t),new this.constructor(a.blockList.insertSplittableListAtPosition(n,r))}mergeDocumentAtRange(e,t){let n,r;t=Ne(t);const[o]=t,i=this.locationFromPosition(o),a=this.getBlockAtIndex(i.index).getAttributes(),l=e.getBaseBlockAttributes(),s=a.slice(-l.length);if(le(l,s)){const t=a.slice(0,-l.length);n=e.copyWithBaseBlockAttributes(t)}else n=e.copy({consolidateBlocks:!0}).copyWithBaseBlockAttributes(a);const c=n.getBlockCount(),u=n.getBlockAtIndex(0);if(le(a,u.getAttributes())){const e=u.getTextWithoutBlockBreak();if(r=this.insertTextAtRange(e,t),c>1){n=new this.constructor(n.getBlocks().slice(1));const t=o+e.getLength();r=r.insertDocumentAtRange(n,t)}}else r=this.insertDocumentAtRange(n,t);return r}insertTextAtRange(e,t){t=Ne(t);const[n]=t,{index:r,offset:o}=this.locationFromPosition(n),i=this.removeTextAtRange(t);return new this.constructor(i.blockList.editObjectAtIndex(r,(t=>t.copyWithText(t.text.insertTextAtPosition(e,o)))))}removeTextAtRange(e){let t;e=Ne(e);const[n,r]=e;if(Ve(e))return this;const[o,i]=Array.from(this.locationRangeFromRange(e)),a=o.index,l=o.offset,s=this.getBlockAtIndex(a),c=i.index,u=i.offset,d=this.getBlockAtIndex(c);if(r-n==1&&s.getBlockBreakPosition()===l&&d.getBlockBreakPosition()!==u&&"\n"===d.text.getStringAtPosition(u))t=this.blockList.editObjectAtIndex(c,(e=>e.copyWithText(e.text.removeTextAtRange([u,u+1]))));else{let e;const n=s.text.getTextAtRange([0,l]),r=d.text.getTextAtRange([u,d.getLength()]),o=n.appendText(r);e=a!==c&&0===l&&s.getAttributeLevel()>=d.getAttributeLevel()?d.copyWithText(o):s.copyWithText(o);const i=c+1-a;t=this.blockList.splice(a,i,e)}return new this.constructor(t)}moveTextFromRangeToPosition(e,t){let n;e=Ne(e);const[r,o]=e;if(r<=t&&t<=o)return this;let i=this.getDocumentAtRange(e),a=this.removeTextAtRange(e);const l=r<t;l&&(t-=i.getLength());const[s,...c]=i.getBlocks();return 0===c.length?(n=s.getTextWithoutBlockBreak(),l&&(t+=1)):n=s.text,a=a.insertTextAtRange(n,t),0===c.length?a:(i=new this.constructor(c),t+=n.getLength(),a.insertDocumentAtRange(i,t))}addAttributeAtRange(e,t,n){let{blockList:r}=this;return this.eachBlockAtRange(n,((n,o,i)=>r=r.editObjectAtIndex(i,(function(){return ve(e)?n.addAttribute(e,t):o[0]===o[1]?n:n.copyWithText(n.text.addAttributeAtRange(e,t,o))})))),new this.constructor(r)}addAttribute(e,t){let{blockList:n}=this;return this.eachBlock(((r,o)=>n=n.editObjectAtIndex(o,(()=>r.addAttribute(e,t))))),new this.constructor(n)}removeAttributeAtRange(e,t){let{blockList:n}=this;return this.eachBlockAtRange(t,(function(t,r,o){ve(e)?n=n.editObjectAtIndex(o,(()=>t.removeAttribute(e))):r[0]!==r[1]&&(n=n.editObjectAtIndex(o,(()=>t.copyWithText(t.text.removeAttributeAtRange(e,r)))))})),new this.constructor(n)}updateAttributesForAttachment(e,t){const n=this.getRangeOfAttachment(t),[r]=Array.from(n),{index:o}=this.locationFromPosition(r),i=this.getTextAtIndex(o);return new this.constructor(this.blockList.editObjectAtIndex(o,(n=>n.copyWithText(i.updateAttributesForAttachment(e,t)))))}removeAttributeForAttachment(e,t){const n=this.getRangeOfAttachment(t);return this.removeAttributeAtRange(e,n)}setHTMLAttributeAtPosition(e,t,n){const r=this.getBlockAtPosition(e),o=r.addHTMLAttribute(t,n);return this.replaceBlock(r,o)}insertBlockBreakAtRange(e){let t;e=Ne(e);const[n]=e,{offset:r}=this.locationFromPosition(n),o=this.removeTextAtRange(e);return 0===r&&(t=[new Fn]),new this.constructor(o.blockList.insertSplittableListAtPosition(new Dn(t),n))}applyBlockAttributeAtRange(e,t,n){const r=this.expandRangeToLineBreaksAndSplitBlocks(n);let o=r.document;n=r.range;const i=ve(e);if(i.listAttribute){o=o.removeLastListAttributeAtRange(n,{exceptAttributeName:e});const t=o.convertLineBreaksToBlockBreaksInRange(n);o=t.document,n=t.range}else o=i.exclusive?o.removeBlockAttributesAtRange(n):i.terminal?o.removeLastTerminalAttributeAtRange(n):o.consolidateBlocksAtRange(n);return o.addAttributeAtRange(e,t,n)}removeLastListAttributeAtRange(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},{blockList:n}=this;return this.eachBlockAtRange(e,(function(e,r,o){const i=e.getLastAttribute();i&&ve(i).listAttribute&&i!==t.exceptAttributeName&&(n=n.editObjectAtIndex(o,(()=>e.removeAttribute(i))))})),new this.constructor(n)}removeLastTerminalAttributeAtRange(e){let{blockList:t}=this;return this.eachBlockAtRange(e,(function(e,n,r){const o=e.getLastAttribute();o&&ve(o).terminal&&(t=t.editObjectAtIndex(r,(()=>e.removeAttribute(o))))})),new this.constructor(t)}removeBlockAttributesAtRange(e){let{blockList:t}=this;return this.eachBlockAtRange(e,(function(e,n,r){e.hasAttributes()&&(t=t.editObjectAtIndex(r,(()=>e.copyWithoutAttributes())))})),new this.constructor(t)}expandRangeToLineBreaksAndSplitBlocks(e){let t;e=Ne(e);let[n,r]=e;const o=this.locationFromPosition(n),i=this.locationFromPosition(r);let a=this;const l=a.getBlockAtIndex(o.index);if(o.offset=l.findLineBreakInDirectionFromPosition("backward",o.offset),null!=o.offset&&(t=a.positionFromLocation(o),a=a.insertBlockBreakAtRange([t,t+1]),i.index+=1,i.offset-=a.getBlockAtIndex(o.index).getLength(),o.index+=1),o.offset=0,0===i.offset&&i.index>o.index)i.index-=1,i.offset=a.getBlockAtIndex(i.index).getBlockBreakPosition();else{const e=a.getBlockAtIndex(i.index);"\n"===e.text.getStringAtRange([i.offset-1,i.offset])?i.offset-=1:i.offset=e.findLineBreakInDirectionFromPosition("forward",i.offset),i.offset!==e.getBlockBreakPosition()&&(t=a.positionFromLocation(i),a=a.insertBlockBreakAtRange([t,t+1]))}return n=a.positionFromLocation(o),r=a.positionFromLocation(i),{document:a,range:e=Ne([n,r])}}convertLineBreaksToBlockBreaksInRange(e){e=Ne(e);let[t]=e;const n=this.getStringAtRange(e).slice(0,-1);let r=this;return n.replace(/.*?\n/g,(function(e){t+=e.length,r=r.insertBlockBreakAtRange([t-1,t])})),{document:r,range:e}}consolidateBlocksAtRange(e){e=Ne(e);const[t,n]=e,r=this.locationFromPosition(t).index,o=this.locationFromPosition(n).index;return new this.constructor(this.blockList.consolidateFromIndexToIndex(r,o))}getDocumentAtRange(e){e=Ne(e);const t=this.blockList.getSplittableListInRange(e).toArray();return new this.constructor(t)}getStringAtRange(e){let t;const n=e=Ne(e);return n[n.length-1]!==this.getLength()&&(t=-1),this.getDocumentAtRange(e).toString().slice(0,t)}getBlockAtIndex(e){return this.blockList.getObjectAtIndex(e)}getBlockAtPosition(e){const{index:t}=this.locationFromPosition(e);return this.getBlockAtIndex(t)}getTextAtIndex(e){var t;return null===(t=this.getBlockAtIndex(e))||void 0===t?void 0:t.text}getTextAtPosition(e){const{index:t}=this.locationFromPosition(e);return this.getTextAtIndex(t)}getPieceAtPosition(e){const{index:t,offset:n}=this.locationFromPosition(e);return this.getTextAtIndex(t).getPieceAtPosition(n)}getCharacterAtPosition(e){const{index:t,offset:n}=this.locationFromPosition(e);return this.getTextAtIndex(t).getStringAtRange([n,n+1])}getLength(){return this.blockList.getEndPosition()}getBlocks(){return this.blockList.toArray()}getBlockCount(){return this.blockList.length}getEditCount(){return this.editCount}eachBlock(e){return this.blockList.eachObject(e)}eachBlockAtRange(e,t){let n,r;e=Ne(e);const[o,i]=e,a=this.locationFromPosition(o),l=this.locationFromPosition(i);if(a.index===l.index)return n=this.getBlockAtIndex(a.index),r=[a.offset,l.offset],t(n,r,a.index);for(let e=a.index;e<=l.index;e++)if(n=this.getBlockAtIndex(e),n){switch(e){case a.index:r=[a.offset,n.text.getLength()];break;case l.index:r=[0,l.offset];break;default:r=[0,n.text.getLength()]}t(n,r,e)}}getCommonAttributesAtRange(e){e=Ne(e);const[t]=e;if(Ve(e))return this.getCommonAttributesAtPosition(t);{const t=[],n=[];return this.eachBlockAtRange(e,(function(e,r){if(r[0]!==r[1])return t.push(e.text.getCommonAttributesAtRange(r)),n.push(Qn(e))})),We.fromCommonAttributesOfObjects(t).merge(We.fromCommonAttributesOfObjects(n)).toObject()}}getCommonAttributesAtPosition(e){let t,n;const{index:r,offset:o}=this.locationFromPosition(e),i=this.getBlockAtIndex(r);if(!i)return{};const a=Qn(i),l=i.text.getAttributesAtPosition(o),s=i.text.getAttributesAtPosition(o-1),c=Object.keys(F).filter((e=>F[e].inheritable));for(t in s)n=s[t],(n===l[t]||c.includes(t))&&(a[t]=n);return a}getRangeOfCommonAttributeAtPosition(e,t){const{index:n,offset:r}=this.locationFromPosition(t),o=this.getTextAtIndex(n),[i,a]=Array.from(o.getExpandedRangeForAttributeAtOffset(e,r)),l=this.positionFromLocation({index:n,offset:i}),s=this.positionFromLocation({index:n,offset:a});return Ne([l,s])}getBaseBlockAttributes(){let e=this.getBlockAtIndex(0).getAttributes();for(let t=1;t<this.getBlockCount();t++){const n=this.getBlockAtIndex(t).getAttributes(),r=Math.min(e.length,n.length);e=(()=>{const t=[];for(let o=0;o<r&&n[o]===e[o];o++)t.push(n[o]);return t})()}return e}getAttachmentById(e){for(const t of this.getAttachments())if(t.id===e)return t}getAttachmentPieces(){let e=[];return this.blockList.eachObject((t=>{let{text:n}=t;return e=e.concat(n.getAttachmentPieces())})),e}getAttachments(){return this.getAttachmentPieces().map((e=>e.attachment))}getRangeOfAttachment(e){let t=0;const n=this.blockList.toArray();for(let r=0;r<n.length;r++){const{text:o}=n[r],i=o.getRangeOfAttachment(e);if(i)return Ne([t+i[0],t+i[1]]);t+=o.getLength()}}getLocationRangeOfAttachment(e){const t=this.getRangeOfAttachment(e);return this.locationRangeFromRange(t)}getAttachmentPieceForAttachment(e){for(const t of this.getAttachmentPieces())if(t.attachment===e)return t}findRangesForBlockAttribute(e){let t=0;const n=[];return this.getBlocks().forEach((r=>{const o=r.getLength();r.hasAttribute(e)&&n.push([t,t+o]),t+=o})),n}findRangesForTextAttribute(e){let{withValue:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=0,r=[];const o=[];return this.getPieces().forEach((i=>{const a=i.getLength();(function(n){return t?n.getAttribute(e)===t:n.hasAttribute(e)})(i)&&(r[1]===n?r[1]=n+a:o.push(r=[n,n+a])),n+=a})),o}locationFromPosition(e){const t=this.blockList.findIndexAndOffsetAtPosition(Math.max(0,e));if(null!=t.index)return t;{const e=this.getBlocks();return{index:e.length-1,offset:e[e.length-1].getLength()}}}positionFromLocation(e){return this.blockList.findPositionAtIndexAndOffset(e.index,e.offset)}locationRangeFromPosition(e){return Ne(this.locationFromPosition(e))}locationRangeFromRange(e){if(!(e=Ne(e)))return;const[t,n]=Array.from(e),r=this.locationFromPosition(t),o=this.locationFromPosition(n);return Ne([r,o])}rangeFromLocationRange(e){let t;e=Ne(e);const n=this.positionFromLocation(e[0]);return Ve(e)||(t=this.positionFromLocation(e[1])),Ne([n,t])}isEqualTo(e){return this.blockList.isEqualTo(null==e?void 0:e.blockList)}getTexts(){return this.getBlocks().map((e=>e.text))}getPieces(){const e=[];return Array.from(this.getTexts()).forEach((t=>{e.push(...Array.from(t.getPieces()||[]))})),e}getObjects(){return this.getBlocks().concat(this.getTexts()).concat(this.getPieces())}toSerializableDocument(){const e=[];return this.blockList.eachObject((t=>e.push(t.copyWithText(t.text.toSerializableText())))),new this.constructor(e)}toString(){return this.blockList.toString()}toJSON(){return this.blockList.toJSON()}toConsole(){return JSON.stringify(this.blockList.toArray().map((e=>JSON.parse(e.text.toConsole()))))}}const Qn=function(e){const t={},n=e.getLastAttribute();return n&&(t[n]=!0),t},er=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return{string:e=Fe(e),attributes:t,type:"string"}},tr=(e,t)=>{try{return JSON.parse(e.getAttribute("data-trix-".concat(t)))}catch(e){return{}}};class nr extends ${static parse(e,t){const n=new this(e,t);return n.parse(),n}constructor(e){let{referenceElement:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};super(...arguments),this.html=e,this.referenceElement=t,this.blocks=[],this.blockElements=[],this.processedElements=[]}getDocument(){return Jn.fromJSON(this.blocks)}parse(){try{this.createHiddenContainer(),ln.setHTML(this.containerElement,this.html);const e=M(this.containerElement,{usingFilter:ar});for(;e.nextNode();)this.processNode(e.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=S({tagName:"div",style:{display:"none"}}),document.body.appendChild(this.containerElement))}removeHiddenContainer(){return B(this.containerElement)}processNode(e){switch(e.nodeType){case Node.TEXT_NODE:if(!this.isInsignificantTextNode(e))return this.appendBlockForTextNode(e),this.processTextNode(e);break;case Node.ELEMENT_NODE:return this.appendBlockForElement(e),this.processElement(e)}}appendBlockForTextNode(e){const t=e.parentNode;if(t===this.currentBlockElement&&this.isBlockElement(e.previousSibling))return this.appendStringWithAttributes("\n");if(t===this.containerElement||this.isBlockElement(t)){var n;const e=this.getBlockAttributes(t),r=this.getBlockHTMLAttributes(t);le(e,null===(n=this.currentBlock)||void 0===n?void 0:n.attributes)||(this.currentBlock=this.appendBlockForAttributesWithElement(e,t,r),this.currentBlockElement=t)}}appendBlockForElement(e){const t=this.isBlockElement(e),n=A(this.currentBlockElement,e);if(t&&!this.isBlockElement(e.firstChild)){if(!this.isInsignificantTextNode(e.firstChild)||!this.isBlockElement(e.firstElementChild)){const t=this.getBlockAttributes(e),r=this.getBlockHTMLAttributes(e);if(e.firstChild){if(n&&le(t,this.currentBlock.attributes))return this.appendStringWithAttributes("\n");this.currentBlock=this.appendBlockForAttributesWithElement(t,e,r),this.currentBlockElement=e}}}else if(this.currentBlockElement&&!n&&!t){const t=this.findParentBlockElement(e);if(t)return this.appendBlockForElement(t);this.currentBlock=this.appendEmptyBlock(),this.currentBlockElement=null}}findParentBlockElement(e){let{parentElement:t}=e;for(;t&&t!==this.containerElement;){if(this.isBlockElement(t)&&this.blockElements.includes(t))return t;t=t.parentElement}return null}processTextNode(e){let t=e.data;var n;return rr(e.parentNode)||(t=qe(t),cr(null===(n=e.previousSibling)||void 0===n?void 0:n.textContent)&&(t=lr(t))),this.appendStringWithAttributes(t,this.getTextAttributes(e.parentNode))}processElement(e){let t;if(D(e)){if(t=tr(e,"attachment"),Object.keys(t).length){const n=this.getTextAttributes(e);this.appendAttachmentWithAttributes(t,n),e.innerHTML=""}return this.processedElements.push(e)}switch(_(e)){case"br":return this.isExtraBR(e)||this.isBlockElement(e.nextSibling)||this.appendStringWithAttributes("\n",this.getTextAttributes(e)),this.processedElements.push(e);case"img":t={url:e.getAttribute("src"),contentType:"image"};const n=(e=>{const t=e.getAttribute("width"),n=e.getAttribute("height"),r={};return t&&(r.width=parseInt(t,10)),n&&(r.height=parseInt(n,10)),r})(e);for(const e in n){const r=n[e];t[e]=r}return this.appendAttachmentWithAttributes(t,this.getTextAttributes(e)),this.processedElements.push(e);case"tr":if(this.needsTableSeparator(e))return this.appendStringWithAttributes(j.tableRowSeparator);break;case"td":if(this.needsTableSeparator(e))return this.appendStringWithAttributes(j.tableCellSeparator)}}appendBlockForAttributesWithElement(e,t){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};this.blockElements.push(t);const r=function(){return{text:[],attributes:arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},htmlAttributes:arguments.length>1&&void 0!==arguments[1]?arguments[1]:{}}}(e,n);return this.blocks.push(r),r}appendEmptyBlock(){return this.appendBlockForAttributesWithElement([],null)}appendStringWithAttributes(e,t){return this.appendPiece(er(e,t))}appendAttachmentWithAttributes(e,t){return this.appendPiece(function(e){return{attachment:e,attributes:arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},type:"attachment"}}(e,t))}appendPiece(e){return 0===this.blocks.length&&this.appendEmptyBlock(),this.blocks[this.blocks.length-1].text.push(e)}appendStringToTextAtIndex(e,t){const{text:n}=this.blocks[t],r=n[n.length-1];if("string"!==(null==r?void 0:r.type))return n.push(er(e));r.string+=e}prependStringToTextAtIndex(e,t){const{text:n}=this.blocks[t],r=n[0];if("string"!==(null==r?void 0:r.type))return n.unshift(er(e));r.string=e+r.string}getTextAttributes(e){let t;const n={};for(const r in F){const o=F[r];if(o.tagName&&k(e,{matchingSelector:o.tagName,untilNode:this.containerElement}))n[r]=!0;else if(o.parser){if(t=o.parser(e),t){let i=!1;for(const n of this.findBlockElementAncestors(e))if(o.parser(n)===t){i=!0;break}i||(n[r]=t)}}else o.styleProperty&&(t=e.style[o.styleProperty],t&&(n[r]=t))}if(D(e)){const r=tr(e,"attributes");for(const e in r)t=r[e],n[e]=t}return n}getBlockAttributes(e){const t=[];for(;e&&e!==this.containerElement;){for(const r in i){const o=i[r];var n;!1!==o.parse&&_(e)===o.tagName&&(null!==(n=o.test)&&void 0!==n&&n.call(o,e)||!o.test)&&(t.push(r),o.listAttribute&&t.push(o.listAttribute))}e=e.parentNode}return t.reverse()}getBlockHTMLAttributes(e){const t={},n=Object.values(i).find((t=>t.tagName===_(e)));return((null==n?void 0:n.htmlAttributes)||[]).forEach((n=>{e.hasAttribute(n)&&(t[n]=e.getAttribute(n))})),t}findBlockElementAncestors(e){const t=[];for(;e&&e!==this.containerElement;){const n=_(e);V().includes(n)&&t.push(e),e=e.parentNode}return t}isBlockElement(e){if((null==e?void 0:e.nodeType)===Node.ELEMENT_NODE&&!D(e)&&!k(e,{matchingSelector:"td",untilNode:this.containerElement}))return V().includes(_(e))||"block"===window.getComputedStyle(e).display}isInsignificantTextNode(e){if((null==e?void 0:e.nodeType)!==Node.TEXT_NODE)return;if(!sr(e.data))return;const{parentNode:t,previousSibling:n,nextSibling:r}=e;return or(t.previousSibling)&&!this.isBlockElement(t.previousSibling)||rr(t)?void 0:!n||this.isBlockElement(n)||!r||this.isBlockElement(r)}isExtraBR(e){return"br"===_(e)&&this.isBlockElement(e.parentNode)&&e.parentNode.lastChild===e}needsTableSeparator(e){if(j.removeBlankTableCells){var t;const n=null===(t=e.previousSibling)||void 0===t?void 0:t.textContent;return n&&/\S/.test(n)}return e.previousSibling}translateBlockElementMarginsToNewlines(){const e=this.getMarginOfDefaultBlockElement();for(let t=0;t<this.blocks.length;t++){const n=this.getMarginOfBlockElementAtIndex(t);n&&(n.top>2*e.top&&this.prependStringToTextAtIndex("\n",t),n.bottom>2*e.bottom&&this.appendStringToTextAtIndex("\n",t))}}getMarginOfBlockElementAtIndex(e){const t=this.blockElements[e];if(t&&t.textContent&&!V().includes(_(t))&&!this.processedElements.includes(t))return ir(t)}getMarginOfDefaultBlockElement(){const e=S(i.default.tagName);return this.containerElement.appendChild(e),ir(e)}}const rr=function(e){const{whiteSpace:t}=window.getComputedStyle(e);return["pre","pre-wrap","pre-line"].includes(t)},or=e=>e&&!cr(e.textContent),ir=function(e){const t=window.getComputedStyle(e);if("block"===t.display)return{top:parseInt(t.marginTop),bottom:parseInt(t.marginBottom)}},ar=function(e){return"style"===_(e)?NodeFilter.FILTER_REJECT:NodeFilter.FILTER_ACCEPT},lr=e=>e.replace(new RegExp("^".concat(ze.source,"+")),""),sr=e=>new RegExp("^".concat(ze.source,"*$")).test(e),cr=e=>/\s$/.test(e),ur=["contenteditable","data-trix-id","data-trix-store-key","data-trix-mutable","data-trix-placeholder","tabindex"],dr="data-trix-serialized-attributes",hr="[".concat(dr,"]"),pr=new RegExp("\x3c!--block--\x3e","g"),fr={"application/json":function(e){let t;if(e instanceof Jn)t=e;else{if(!(e instanceof HTMLElement))throw new Error("unserializable object");t=nr.parse(e.innerHTML).getDocument()}return t.toSerializableDocument().toJSONString()},"text/html":function(e){let t;if(e instanceof Jn)t=yn.render(e);else{if(!(e instanceof HTMLElement))throw new Error("unserializable object");t=e.cloneNode(!0)}return Array.from(t.querySelectorAll("[data-trix-serialize=false]")).forEach((e=>{B(e)})),ur.forEach((e=>{Array.from(t.querySelectorAll("[".concat(e,"]"))).forEach((t=>{t.removeAttribute(e)}))})),Array.from(t.querySelectorAll(hr)).forEach((e=>{try{const t=JSON.parse(e.getAttribute(dr));e.removeAttribute(dr);for(const n in t){const r=t[n];e.setAttribute(n,r)}}catch(e){}})),t.innerHTML.replace(pr,"")}};var mr=Object.freeze({__proto__:null});class vr extends ${constructor(e,t){super(...arguments),this.attachmentManager=e,this.attachment=t,this.id=this.attachment.id,this.file=this.attachment.file}remove(){return this.attachmentManager.requestRemovalOfAttachment(this.attachment)}}vr.proxyMethod("attachment.getAttribute"),vr.proxyMethod("attachment.hasAttribute"),vr.proxyMethod("attachment.setAttribute"),vr.proxyMethod("attachment.getAttributes"),vr.proxyMethod("attachment.setAttributes"),vr.proxyMethod("attachment.isPending"),vr.proxyMethod("attachment.isPreviewable"),vr.proxyMethod("attachment.getURL"),vr.proxyMethod("attachment.getHref"),vr.proxyMethod("attachment.getFilename"),vr.proxyMethod("attachment.getFilesize"),vr.proxyMethod("attachment.getFormattedFilesize"),vr.proxyMethod("attachment.getExtension"),vr.proxyMethod("attachment.getContentType"),vr.proxyMethod("attachment.getFile"),vr.proxyMethod("attachment.setFile"),vr.proxyMethod("attachment.releaseFile"),vr.proxyMethod("attachment.getUploadProgress"),vr.proxyMethod("attachment.setUploadProgress");class gr extends ${constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];super(...arguments),this.managedAttachments={},Array.from(e).forEach((e=>{this.manageAttachment(e)}))}getAttachments(){const e=[];for(const t in this.managedAttachments){const n=this.managedAttachments[t];e.push(n)}return e}manageAttachment(e){return this.managedAttachments[e.id]||(this.managedAttachments[e.id]=new vr(this,e)),this.managedAttachments[e.id]}attachmentIsManaged(e){return e.id in this.managedAttachments}requestRemovalOfAttachment(e){var t,n;if(this.attachmentIsManaged(e))return null===(t=this.delegate)||void 0===t||null===(n=t.attachmentManagerDidRequestRemovalOfAttachment)||void 0===n?void 0:n.call(t,e)}unmanageAttachment(e){const t=this.managedAttachments[e.id];return delete this.managedAttachments[e.id],t}}class wr{constructor(e){this.composition=e,this.document=this.composition.document;const t=this.composition.getSelectedRange();this.startPosition=t[0],this.endPosition=t[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()?0!==this.startLocation.offset:this.breaksOnReturn&&"\n"!==this.nextCharacter}shouldBreakFormattedBlock(){return this.block.hasAttributes()&&!this.block.isListItem()&&(this.breaksOnReturn&&"\n"===this.nextCharacter||"\n"===this.previousCharacter)}shouldDecreaseListLevel(){return this.block.hasAttributes()&&this.block.isListItem()&&this.block.isEmpty()}shouldPrependListItem(){return this.block.isListItem()&&0===this.startLocation.offset&&!this.block.isEmpty()}shouldRemoveLastBlockAttribute(){return this.block.hasAttributes()&&!this.block.isListItem()&&this.block.isEmpty()}}class yr extends ${constructor(){super(...arguments),this.document=new Jn,this.attachments=[],this.currentAttributes={},this.revision=0}setDocument(e){var t,n;if(!e.isEqualTo(this.document))return this.document=e,this.refreshAttachments(),this.revision++,null===(t=this.delegate)||void 0===t||null===(n=t.compositionDidChangeDocument)||void 0===n?void 0:n.call(t,e)}getSnapshot(){return{document:this.document,selectedRange:this.getSelectedRange()}}loadSnapshot(e){var t,n,r,o;let{document:i,selectedRange:a}=e;return null===(t=this.delegate)||void 0===t||null===(n=t.compositionWillLoadSnapshot)||void 0===n||n.call(t),this.setDocument(null!=i?i:new Jn),this.setSelection(null!=a?a:[0,0]),null===(r=this.delegate)||void 0===r||null===(o=r.compositionDidLoadSnapshot)||void 0===o?void 0:o.call(r)}insertText(e){let{updatePosition:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{updatePosition:!0};const n=this.getSelectedRange();this.setDocument(this.document.insertTextAtRange(e,n));const r=n[0],o=r+e.getLength();return t&&this.setSelection(o),this.notifyDelegateOfInsertionAtRange([r,o])}insertBlock(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:new Fn;const t=new Jn([e]);return this.insertDocument(t)}insertDocument(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:new Jn;const t=this.getSelectedRange();this.setDocument(this.document.insertDocumentAtRange(e,t));const n=t[0],r=n+e.getLength();return this.setSelection(r),this.notifyDelegateOfInsertionAtRange([n,r])}insertString(e,t){const n=this.getCurrentTextAttributes(),r=jn.textForStringWithAttributes(e,n);return this.insertText(r,t)}insertBlockBreak(){const e=this.getSelectedRange();this.setDocument(this.document.insertBlockBreakAtRange(e));const t=e[0],n=t+1;return this.setSelection(n),this.notifyDelegateOfInsertionAtRange([t,n])}insertLineBreak(){const e=new wr(this);if(e.shouldDecreaseListLevel())return this.decreaseListLevel(),this.setSelection(e.startPosition);if(e.shouldPrependListItem()){const t=new Jn([e.block.copyWithoutText()]);return this.insertDocument(t)}return e.shouldInsertBlockBreak()?this.insertBlockBreak():e.shouldRemoveLastBlockAttribute()?this.removeLastBlockAttribute():e.shouldBreakFormattedBlock()?this.breakFormattedBlock(e):this.insertString("\n")}insertHTML(e){const t=nr.parse(e).getDocument(),n=this.getSelectedRange();this.setDocument(this.document.mergeDocumentAtRange(t,n));const r=n[0],o=r+t.getLength()-1;return this.setSelection(o),this.notifyDelegateOfInsertionAtRange([r,o])}replaceHTML(e){const t=nr.parse(e).getDocument().copyUsingObjectsFromDocument(this.document),n=this.getLocationRange({strict:!1}),r=this.document.rangeFromLocationRange(n);return this.setDocument(t),this.setSelection(r)}insertFile(e){return this.insertFiles([e])}insertFiles(e){const t=[];return Array.from(e).forEach((e=>{var n;if(null!==(n=this.delegate)&&void 0!==n&&n.compositionShouldAcceptFile(e)){const n=In.attachmentForFile(e);t.push(n)}})),this.insertAttachments(t)}insertAttachment(e){return this.insertAttachments([e])}insertAttachments(e){let t=new jn;return Array.from(e).forEach((e=>{var n;const r=e.getType(),i=null===(n=o[r])||void 0===n?void 0:n.presentation,a=this.getCurrentTextAttributes();i&&(a.presentation=i);const l=jn.textForAttachmentWithAttributes(e,a);t=t.appendText(l)})),this.insertText(t)}shouldManageDeletingInDirection(e){const t=this.getLocationRange();if(Ve(t)){if("backward"===e&&0===t[0].offset)return!0;if(this.shouldManageMovingCursorInDirection(e))return!0}else if(t[0].index!==t[1].index)return!0;return!1}deleteInDirection(e){let t,n,r,{length:o}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};const i=this.getLocationRange();let a=this.getSelectedRange();const l=Ve(a);if(l?n="backward"===e&&0===i[0].offset:r=i[0].index!==i[1].index,n&&this.canDecreaseBlockAttributeLevel()){const e=this.getBlock();if(e.isListItem()?this.decreaseListLevel():this.decreaseBlockAttributeLevel(),this.setSelection(a[0]),e.isEmpty())return!1}return l&&(a=this.getExpandedRangeInDirection(e,{length:o}),"backward"===e&&(t=this.getAttachmentAtRange(a))),t?(this.editAttachment(t),!1):(this.setDocument(this.document.removeTextAtRange(a)),this.setSelection(a[0]),!n&&!r&&void 0)}moveTextFromRange(e){const[t]=Array.from(this.getSelectedRange());return this.setDocument(this.document.moveTextFromRangeToPosition(e,t)),this.setSelection(t)}removeAttachment(e){const t=this.document.getRangeOfAttachment(e);if(t)return this.stopEditingAttachment(),this.setDocument(this.document.removeTextAtRange(t)),this.setSelection(t[0])}removeLastBlockAttribute(){const[e,t]=Array.from(this.getSelectedRange()),n=this.document.getBlockAtPosition(t);return this.removeCurrentAttribute(n.getLastAttribute()),this.setSelection(e)}insertPlaceholder(){return this.placeholderPosition=this.getPosition(),this.insertString(" ")}selectPlaceholder(){if(null!=this.placeholderPosition)return this.setSelectedRange([this.placeholderPosition,this.placeholderPosition+1]),this.getSelectedRange()}forgetPlaceholder(){this.placeholderPosition=null}hasCurrentAttribute(e){const t=this.currentAttributes[e];return null!=t&&!1!==t}toggleCurrentAttribute(e){const t=!this.currentAttributes[e];return t?this.setCurrentAttribute(e,t):this.removeCurrentAttribute(e)}canSetCurrentAttribute(e){return ve(e)?this.canSetCurrentBlockAttribute(e):this.canSetCurrentTextAttribute(e)}canSetCurrentTextAttribute(e){const t=this.getSelectedDocument();if(t){for(const e of Array.from(t.getAttachments()))if(!e.hasContent())return!1;return!0}}canSetCurrentBlockAttribute(e){const t=this.getBlock();if(t)return!t.isTerminalBlock()}setCurrentAttribute(e,t){return ve(e)?this.setBlockAttribute(e,t):(this.setTextAttribute(e,t),this.currentAttributes[e]=t,this.notifyDelegateOfCurrentAttributesChange())}setHTMLAtributeAtPosition(e,t,n){var r;const o=this.document.getBlockAtPosition(e),i=null===(r=ve(o.getLastAttribute()))||void 0===r?void 0:r.htmlAttributes;if(o&&null!=i&&i.includes(t)){const r=this.document.setHTMLAttributeAtPosition(e,t,n);this.setDocument(r)}}setTextAttribute(e,t){const n=this.getSelectedRange();if(!n)return;const[r,o]=Array.from(n);if(r!==o)return this.setDocument(this.document.addAttributeAtRange(e,t,n));if("href"===e){const e=jn.textForStringWithAttributes(t,{href:t});return this.insertText(e)}}setBlockAttribute(e,t){const n=this.getSelectedRange();if(this.canSetCurrentAttribute(e))return this.setDocument(this.document.applyBlockAttributeAtRange(e,t,n)),this.setSelection(n)}removeCurrentAttribute(e){return ve(e)?(this.removeBlockAttribute(e),this.updateCurrentAttributes()):(this.removeTextAttribute(e),delete this.currentAttributes[e],this.notifyDelegateOfCurrentAttributesChange())}removeTextAttribute(e){const t=this.getSelectedRange();if(t)return this.setDocument(this.document.removeAttributeAtRange(e,t))}removeBlockAttribute(e){const t=this.getSelectedRange();if(t)return this.setDocument(this.document.removeAttributeAtRange(e,t))}canDecreaseNestingLevel(){var e;return(null===(e=this.getBlock())||void 0===e?void 0:e.getNestingLevel())>0}canIncreaseNestingLevel(){var e;const t=this.getBlock();if(t){if(null===(e=ve(t.getLastNestableAttribute()))||void 0===e||!e.listAttribute)return t.getNestingLevel()>0;{const e=this.getPreviousBlock();if(e)return function(){let e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return le((arguments.length>0&&void 0!==arguments[0]?arguments[0]:[]).slice(0,e.length),e)}(e.getListItemAttributes(),t.getListItemAttributes())}}}decreaseNestingLevel(){const e=this.getBlock();if(e)return this.setDocument(this.document.replaceBlock(e,e.decreaseNestingLevel()))}increaseNestingLevel(){const e=this.getBlock();if(e)return this.setDocument(this.document.replaceBlock(e,e.increaseNestingLevel()))}canDecreaseBlockAttributeLevel(){var e;return(null===(e=this.getBlock())||void 0===e?void 0:e.getAttributeLevel())>0}decreaseBlockAttributeLevel(){var e;const t=null===(e=this.getBlock())||void 0===e?void 0:e.getLastAttribute();if(t)return this.removeCurrentAttribute(t)}decreaseListLevel(){let[e]=Array.from(this.getSelectedRange());const{index:t}=this.document.locationFromPosition(e);let n=t;const r=this.getBlock().getAttributeLevel();let o=this.document.getBlockAtIndex(n+1);for(;o&&o.isListItem()&&!(o.getAttributeLevel()<=r);)n++,o=this.document.getBlockAtIndex(n+1);e=this.document.positionFromLocation({index:t,offset:0});const i=this.document.positionFromLocation({index:n,offset:0});return this.setDocument(this.document.removeLastListAttributeAtRange([e,i]))}updateCurrentAttributes(){const e=this.getSelectedRange({ignoreLock:!0});if(e){const t=this.document.getCommonAttributesAtRange(e);if(Array.from(me()).forEach((e=>{t[e]||this.canSetCurrentAttribute(e)||(t[e]=!1)})),!Se(t,this.currentAttributes))return this.currentAttributes=t,this.notifyDelegateOfCurrentAttributesChange()}}getCurrentAttributes(){return v.call({},this.currentAttributes)}getCurrentTextAttributes(){const e={};for(const t in this.currentAttributes){const n=this.currentAttributes[t];!1!==n&&we(t)&&(e[t]=n)}return e}freezeSelection(){return this.setCurrentAttribute("frozen",!0)}thawSelection(){return this.removeCurrentAttribute("frozen")}hasFrozenSelection(){return this.hasCurrentAttribute("frozen")}setSelection(e){var t;const n=this.document.locationRangeFromRange(e);return null===(t=this.delegate)||void 0===t?void 0:t.compositionDidRequestChangingSelectionToLocationRange(n)}getSelectedRange(){const e=this.getLocationRange();if(e)return this.document.rangeFromLocationRange(e)}setSelectedRange(e){const t=this.document.locationRangeFromRange(e);return this.getSelectionManager().setLocationRange(t)}getPosition(){const e=this.getLocationRange();if(e)return this.document.positionFromLocation(e[0])}getLocationRange(e){return this.targetLocationRange?this.targetLocationRange:this.getSelectionManager().getLocationRange(e)||Ne({index:0,offset:0})}withTargetLocationRange(e,t){let n;this.targetLocationRange=e;try{n=t()}finally{this.targetLocationRange=null}return n}withTargetRange(e,t){const n=this.document.locationRangeFromRange(e);return this.withTargetLocationRange(n,t)}withTargetDOMRange(e,t){const n=this.createLocationRangeFromDOMRange(e,{strict:!1});return this.withTargetLocationRange(n,t)}getExpandedRangeInDirection(e){let{length:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},[n,r]=Array.from(this.getSelectedRange());return"backward"===e?t?n-=t:n=this.translateUTF16PositionFromOffset(n,-1):t?r+=t:r=this.translateUTF16PositionFromOffset(r,1),Ne([n,r])}shouldManageMovingCursorInDirection(e){if(this.editingAttachment)return!0;const t=this.getExpandedRangeInDirection(e);return null!=this.getAttachmentAtRange(t)}moveCursorInDirection(e){let t,n;if(this.editingAttachment)n=this.document.getRangeOfAttachment(this.editingAttachment);else{const r=this.getSelectedRange();n=this.getExpandedRangeInDirection(e),t=!Le(r,n)}if("backward"===e?this.setSelectedRange(n[0]):this.setSelectedRange(n[1]),t){const e=this.getAttachmentAtRange(n);if(e)return this.editAttachment(e)}}expandSelectionInDirection(e){let{length:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};const n=this.getExpandedRangeInDirection(e,{length:t});return this.setSelectedRange(n)}expandSelectionForEditing(){if(this.hasCurrentAttribute("href"))return this.expandSelectionAroundCommonAttribute("href")}expandSelectionAroundCommonAttribute(e){const t=this.getPosition(),n=this.document.getRangeOfCommonAttributeAtPosition(e,t);return this.setSelectedRange(n)}selectionContainsAttachments(){var e;return(null===(e=this.getSelectedAttachments())||void 0===e?void 0:e.length)>0}selectionIsInCursorTarget(){return this.editingAttachment||this.positionIsCursorTarget(this.getPosition())}positionIsCursorTarget(e){const t=this.document.locationFromPosition(e);if(t)return this.locationIsCursorTarget(t)}positionIsBlockBreak(e){var t;return null===(t=this.document.getPieceAtPosition(e))||void 0===t?void 0:t.isBlockBreak()}getSelectedDocument(){const e=this.getSelectedRange();if(e)return this.document.getDocumentAtRange(e)}getSelectedAttachments(){var e;return null===(e=this.getSelectedDocument())||void 0===e?void 0:e.getAttachments()}getAttachments(){return this.attachments.slice(0)}refreshAttachments(){const e=this.document.getAttachments(),{added:t,removed:n}=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];const n=[],r=[],o=new Set;e.forEach((e=>{o.add(e)}));const i=new Set;return t.forEach((e=>{i.add(e),o.has(e)||n.push(e)})),e.forEach((e=>{i.has(e)||r.push(e)})),{added:n,removed:r}}(this.attachments,e);return this.attachments=e,Array.from(n).forEach((e=>{var t,n;e.delegate=null,null===(t=this.delegate)||void 0===t||null===(n=t.compositionDidRemoveAttachment)||void 0===n||n.call(t,e)})),(()=>{const e=[];return Array.from(t).forEach((t=>{var n,r;t.delegate=this,e.push(null===(n=this.delegate)||void 0===n||null===(r=n.compositionDidAddAttachment)||void 0===r?void 0:r.call(n,t))})),e})()}attachmentDidChangeAttributes(e){var t,n;return this.revision++,null===(t=this.delegate)||void 0===t||null===(n=t.compositionDidEditAttachment)||void 0===n?void 0:n.call(t,e)}attachmentDidChangePreviewURL(e){var t,n;return this.revision++,null===(t=this.delegate)||void 0===t||null===(n=t.compositionDidChangeAttachmentPreviewURL)||void 0===n?void 0:n.call(t,e)}editAttachment(e,t){var n,r;if(e!==this.editingAttachment)return this.stopEditingAttachment(),this.editingAttachment=e,null===(n=this.delegate)||void 0===n||null===(r=n.compositionDidStartEditingAttachment)||void 0===r?void 0:r.call(n,this.editingAttachment,t)}stopEditingAttachment(){var e,t;this.editingAttachment&&(null===(e=this.delegate)||void 0===e||null===(t=e.compositionDidStopEditingAttachment)||void 0===t||t.call(e,this.editingAttachment),this.editingAttachment=null)}updateAttributesForAttachment(e,t){return this.setDocument(this.document.updateAttributesForAttachment(e,t))}removeAttributeForAttachment(e,t){return this.setDocument(this.document.removeAttributeForAttachment(e,t))}breakFormattedBlock(e){let{document:t}=e;const{block:n}=e;let r=e.startPosition,o=[r-1,r];n.getBlockBreakPosition()===e.startLocation.offset?(n.breaksOnReturn()&&"\n"===e.nextCharacter?r+=1:t=t.removeTextAtRange(o),o=[r,r]):"\n"===e.nextCharacter?"\n"===e.previousCharacter?o=[r-1,r+1]:(o=[r,r+1],r+=1):e.startLocation.offset-1!=0&&(r+=1);const i=new Jn([n.removeLastAttribute().copyWithoutText()]);return this.setDocument(t.insertDocumentAtRange(i,o)),this.setSelection(r)}getPreviousBlock(){const e=this.getLocationRange();if(e){const{index:t}=e[0];if(t>0)return this.document.getBlockAtIndex(t-1)}}getBlock(){const e=this.getLocationRange();if(e)return this.document.getBlockAtIndex(e[0].index)}getAttachmentAtRange(e){const t=this.document.getDocumentAtRange(e);if(t.toString()==="".concat("","\n"))return t.getAttachments()[0]}notifyDelegateOfCurrentAttributesChange(){var e,t;return null===(e=this.delegate)||void 0===e||null===(t=e.compositionDidChangeCurrentAttributes)||void 0===t?void 0:t.call(e,this.currentAttributes)}notifyDelegateOfInsertionAtRange(e){var t,n;return null===(t=this.delegate)||void 0===t||null===(n=t.compositionDidPerformInsertionAtRange)||void 0===n?void 0:n.call(t,e)}translateUTF16PositionFromOffset(e,t){const n=this.document.toUTF16String(),r=n.offsetFromUCS2Offset(e);return n.offsetToUCS2Offset(r+t)}}yr.proxyMethod("getSelectionManager().getPointRange"),yr.proxyMethod("getSelectionManager().setLocationRangeFromPointRange"),yr.proxyMethod("getSelectionManager().createLocationRangeFromDOMRange"),yr.proxyMethod("getSelectionManager().locationIsCursorTarget"),yr.proxyMethod("getSelectionManager().selectionIsExpanded"),yr.proxyMethod("delegate?.getSelectionManager");class br extends ${constructor(e){super(...arguments),this.composition=e,this.undoEntries=[],this.redoEntries=[]}recordUndoEntry(e){let{context:t,consolidatable:n}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};const r=this.undoEntries.slice(-1)[0];if(!n||!xr(r,e,t)){const n=this.createEntry({description:e,context:t});this.undoEntries.push(n),this.redoEntries=[]}}undo(){const e=this.undoEntries.pop();if(e){const t=this.createEntry(e);return this.redoEntries.push(t),this.composition.loadSnapshot(e.snapshot)}}redo(){const e=this.redoEntries.pop();if(e){const t=this.createEntry(e);return this.undoEntries.push(t),this.composition.loadSnapshot(e.snapshot)}}canUndo(){return this.undoEntries.length>0}canRedo(){return this.redoEntries.length>0}createEntry(){let{description:e,context:t}=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return{description:null==e?void 0:e.toString(),context:JSON.stringify(t),snapshot:this.composition.getSnapshot()}}}const xr=(e,t,n)=>(null==e?void 0:e.description)===(null==t?void 0:t.toString())&&(null==e?void 0:e.context)===JSON.stringify(n),kr="attachmentGallery";class Er{constructor(e){this.document=e.document,this.selectedRange=e.selectedRange}perform(){return this.removeBlockAttribute(),this.applyBlockAttribute()}getSnapshot(){return{document:this.document,selectedRange:this.selectedRange}}removeBlockAttribute(){return this.findRangesOfBlocks().map((e=>this.document=this.document.removeAttributeAtRange(kr,e)))}applyBlockAttribute(){let e=0;this.findRangesOfPieces().forEach((t=>{t[1]-t[0]>1&&(t[0]+=e,t[1]+=e,"\n"!==this.document.getCharacterAtPosition(t[1])&&(this.document=this.document.insertBlockBreakAtRange(t[1]),t[1]<this.selectedRange[1]&&this.moveSelectedRangeForward(),t[1]++,e++),0!==t[0]&&"\n"!==this.document.getCharacterAtPosition(t[0]-1)&&(this.document=this.document.insertBlockBreakAtRange(t[0]),t[0]<this.selectedRange[0]&&this.moveSelectedRangeForward(),t[0]++,e++),this.document=this.document.applyBlockAttributeAtRange(kr,!0,t))}))}findRangesOfBlocks(){return this.document.findRangesForBlockAttribute(kr)}findRangesOfPieces(){return this.document.findRangesForTextAttribute("presentation",{withValue:"gallery"})}moveSelectedRangeForward(){this.selectedRange[0]+=1,this.selectedRange[1]+=1}}const Ar=function(e){const t=new Er(e);return t.perform(),t.getSnapshot()},Cr=[Ar];class Br{constructor(e,t,n){this.insertFiles=this.insertFiles.bind(this),this.composition=e,this.selectionManager=t,this.element=n,this.undoManager=new br(this.composition),this.filters=Cr.slice(0)}loadDocument(e){return this.loadSnapshot({document:e,selectedRange:[0,0]})}loadHTML(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";const t=nr.parse(e,{referenceElement:this.element}).getDocument();return this.loadDocument(t)}loadJSON(e){let{document:t,selectedRange:n}=e;return t=Jn.fromJSON(t),this.loadSnapshot({document:t,selectedRange:n})}loadSnapshot(e){return this.undoManager=new br(this.composition),this.composition.loadSnapshot(e)}getDocument(){return this.composition.document}getSelectedDocument(){return this.composition.getSelectedDocument()}getSnapshot(){return this.composition.getSnapshot()}toJSON(){return this.getSnapshot()}deleteInDirection(e){return this.composition.deleteInDirection(e)}insertAttachment(e){return this.composition.insertAttachment(e)}insertAttachments(e){return this.composition.insertAttachments(e)}insertDocument(e){return this.composition.insertDocument(e)}insertFile(e){return this.composition.insertFile(e)}insertFiles(e){return this.composition.insertFiles(e)}insertHTML(e){return this.composition.insertHTML(e)}insertString(e){return this.composition.insertString(e)}insertText(e){return this.composition.insertText(e)}insertLineBreak(){return this.composition.insertLineBreak()}getSelectedRange(){return this.composition.getSelectedRange()}getPosition(){return this.composition.getPosition()}getClientRectAtPosition(e){const t=this.getDocument().locationRangeFromRange([e,e+1]);return this.selectionManager.getClientRectAtLocationRange(t)}expandSelectionInDirection(e){return this.composition.expandSelectionInDirection(e)}moveCursorInDirection(e){return this.composition.moveCursorInDirection(e)}setSelectedRange(e){return this.composition.setSelectedRange(e)}activateAttribute(e){let t=!(arguments.length>1&&void 0!==arguments[1])||arguments[1];return this.composition.setCurrentAttribute(e,t)}attributeIsActive(e){return this.composition.hasCurrentAttribute(e)}canActivateAttribute(e){return this.composition.canSetCurrentAttribute(e)}deactivateAttribute(e){return this.composition.removeCurrentAttribute(e)}setHTMLAtributeAtPosition(e,t,n){this.composition.setHTMLAtributeAtPosition(e,t,n)}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(e){let{context:t,consolidatable:n}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return this.undoManager.recordUndoEntry(e,{context:t,consolidatable:n})}redo(){if(this.canRedo())return this.undoManager.redo()}undo(){if(this.canUndo())return this.undoManager.undo()}}class Mr{constructor(e){this.element=e}findLocationFromContainerAndOffset(e,t){let{strict:n}=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{strict:!0},r=0,o=!1;const i={index:0,offset:0},a=this.findAttachmentElementParentForNode(e);a&&(e=a.parentNode,t=C(a));const l=M(this.element,{usingFilter:Vr});for(;l.nextNode();){const a=l.currentNode;if(a===e&&H(e)){O(a)||(i.offset+=t);break}if(a.parentNode===e){if(r++===t)break}else if(!A(e,a)&&r>0)break;T(a,{strict:n})?(o&&i.index++,i.offset=0,o=!0):i.offset+=_r(a)}return i}findContainerAndOffsetFromLocation(e){let t,n;if(0===e.index&&0===e.offset){for(t=this.element,n=0;t.firstChild;)if(t=t.firstChild,L(t)){n=1;break}return[t,n]}let[r,o]=this.findNodeAndOffsetFromLocation(e);if(r){if(H(r))0===_r(r)?(t=r.parentNode.parentNode,n=C(r.parentNode),O(r,{name:"right"})&&n++):(t=r,n=e.offset-o);else{if(t=r.parentNode,!T(r.previousSibling)&&!L(t))for(;r===t.lastChild&&(r=t,t=t.parentNode,!L(t)););n=C(r),0!==e.offset&&n++}return[t,n]}}findNodeAndOffsetFromLocation(e){let t,n,r=0;for(const o of this.getSignificantNodesForIndex(e.index)){const i=_r(o);if(e.offset<=r+i)if(H(o)){if(t=o,n=r,e.offset===n&&O(t))break}else t||(t=o,n=r);if(r+=i,r>e.offset)break}return[t,n]}findAttachmentElementParentForNode(e){for(;e&&e!==this.element;){if(D(e))return e;e=e.parentNode}}getSignificantNodesForIndex(e){const t=[],n=M(this.element,{usingFilter:Sr});let r=!1;for(;n.nextNode();){const i=n.currentNode;var o;if(I(i)){if(null!=o?o++:o=0,o===e)r=!0;else if(r)break}else r&&t.push(i)}return t}}const _r=function(e){return e.nodeType===Node.TEXT_NODE?O(e)?0:e.textContent.length:"br"===_(e)||D(e)?1:0},Sr=function(e){return Nr(e)===NodeFilter.FILTER_ACCEPT?Vr(e):NodeFilter.FILTER_REJECT},Nr=function(e){return R(e)?NodeFilter.FILTER_REJECT:NodeFilter.FILTER_ACCEPT},Vr=function(e){return D(e.parentNode)?NodeFilter.FILTER_REJECT:NodeFilter.FILTER_ACCEPT};class Lr{createDOMRangeFromPoint(e){let t,{x:n,y:r}=e;if(document.caretPositionFromPoint){const{offsetNode:e,offset:o}=document.caretPositionFromPoint(n,r);return t=document.createRange(),t.setStart(e,o),t}if(document.caretRangeFromPoint)return document.caretRangeFromPoint(n,r);if(document.body.createTextRange){const o=Re();try{const e=document.body.createTextRange();e.moveToPoint(n,r),e.select()}catch(e){}return t=Re(),He(o),t}}getClientRectsForDOMRange(e){const t=Array.from(e.getClientRects());return[t[0],t[t.length-1]]}}class Tr extends ${constructor(e){super(...arguments),this.didMouseDown=this.didMouseDown.bind(this),this.selectionDidChange=this.selectionDidChange.bind(this),this.element=e,this.locationMapper=new Mr(this.element),this.pointMapper=new Lr,this.lockCount=0,y("mousedown",{onElement:this.element,withCallback:this.didMouseDown})}getLocationRange(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return!1===e.strict?this.createLocationRangeFromDOMRange(Re()):e.ignoreLock?this.currentLocationRange:this.lockedLocationRange?this.lockedLocationRange:this.currentLocationRange}setLocationRange(e){if(this.lockedLocationRange)return;e=Ne(e);const t=this.createDOMRangeFromLocationRange(e);t&&(He(t),this.updateCurrentLocationRange(e))}setLocationRangeFromPointRange(e){e=Ne(e);const t=this.getLocationAtPoint(e[0]),n=this.getLocationAtPoint(e[1]);this.setLocationRange([t,n])}getClientRectAtLocationRange(e){const t=this.createDOMRangeFromLocationRange(e);if(t)return this.getClientRectsForDOMRange(t)[1]}locationIsCursorTarget(e){const t=Array.from(this.findNodeAndOffsetFromLocation(e))[0];return O(t)}lock(){0==this.lockCount++&&(this.updateCurrentLocationRange(),this.lockedLocationRange=this.getLocationRange())}unlock(){if(0==--this.lockCount){const{lockedLocationRange:e}=this;if(this.lockedLocationRange=null,null!=e)return this.setLocationRange(e)}}clearSelection(){var e;return null===(e=De())||void 0===e?void 0:e.removeAllRanges()}selectionIsCollapsed(){var e;return!0===(null===(e=Re())||void 0===e?void 0:e.collapsed)}selectionIsExpanded(){return!this.selectionIsCollapsed()}createLocationRangeFromDOMRange(e,t){if(null==e||!this.domRangeWithinElement(e))return;const n=this.findLocationFromContainerAndOffset(e.startContainer,e.startOffset,t);if(!n)return;const r=e.collapsed?void 0:this.findLocationFromContainerAndOffset(e.endContainer,e.endOffset,t);return Ne([n,r])}didMouseDown(){return this.pauseTemporarily()}pauseTemporarily(){let e;this.paused=!0;const t=()=>{if(this.paused=!1,clearTimeout(n),Array.from(e).forEach((e=>{e.destroy()})),A(document,this.element))return this.selectionDidChange()},n=setTimeout(t,200);e=["mousemove","keydown"].map((e=>y(e,{onElement:document,withCallback:t})))}selectionDidChange(){if(!this.paused&&!E(this.element))return this.updateCurrentLocationRange()}updateCurrentLocationRange(e){var t,n;if((null!=e?e:e=this.createLocationRangeFromDOMRange(Re()))&&!Le(e,this.currentLocationRange))return this.currentLocationRange=e,null===(t=this.delegate)||void 0===t||null===(n=t.locationRangeDidChange)||void 0===n?void 0:n.call(t,this.currentLocationRange.slice(0))}createDOMRangeFromLocationRange(e){const t=this.findContainerAndOffsetFromLocation(e[0]),n=Ve(e)?t:this.findContainerAndOffsetFromLocation(e[1])||t;if(null!=t&&null!=n){const e=document.createRange();return e.setStart(...Array.from(t||[])),e.setEnd(...Array.from(n||[])),e}}getLocationAtPoint(e){const t=this.createDOMRangeFromPoint(e);var n;if(t)return null===(n=this.createLocationRangeFromDOMRange(t))||void 0===n?void 0:n[0]}domRangeWithinElement(e){return e.collapsed?A(this.element,e.startContainer):A(this.element,e.startContainer)&&A(this.element,e.endContainer)}}Tr.proxyMethod("locationMapper.findLocationFromContainerAndOffset"),Tr.proxyMethod("locationMapper.findContainerAndOffsetFromLocation"),Tr.proxyMethod("locationMapper.findNodeAndOffsetFromLocation"),Tr.proxyMethod("pointMapper.createDOMRangeFromPoint"),Tr.proxyMethod("pointMapper.getClientRectsForDOMRange");var Ir=Object.freeze({__proto__:null,Attachment:In,AttachmentManager:gr,AttachmentPiece:Zn,Block:Fn,Composition:yr,Document:Jn,Editor:Br,HTMLParser:nr,HTMLSanitizer:ln,LineBreakInsertion:wr,LocationMapper:Mr,ManagedAttachment:vr,Piece:Ln,PointMapper:Lr,SelectionManager:Tr,SplittableList:Dn,StringPiece:On,Text:jn,UndoManager:br}),Zr=Object.freeze({__proto__:null,ObjectView:ot,AttachmentView:un,BlockView:wn,DocumentView:yn,PieceView:fn,PreviewableAttachmentView:pn,TextView:mn});const{lang:Or,css:Dr,keyNames:Rr}=U,Hr=function(e){return function(){const t=e.apply(this,arguments);t.do(),this.undos||(this.undos=[]),this.undos.push(t.undo)}};class Pr extends ${constructor(e,t,n){let r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{};super(...arguments),Cn(this,"makeElementMutable",Hr((()=>({do:()=>{this.element.dataset.trixMutable=!0},undo:()=>delete this.element.dataset.trixMutable})))),Cn(this,"addToolbar",Hr((()=>{const e=S({tagName:"div",className:Dr.attachmentToolbar,data:{trixMutable:!0},childNodes:S({tagName:"div",className:"trix-button-row",childNodes:S({tagName:"span",className:"trix-button-group trix-button-group--actions",childNodes:S({tagName:"button",className:"trix-button trix-button--remove",textContent:Or.remove,attributes:{title:Or.remove},data:{trixAction:"remove"}})})})});return this.attachment.isPreviewable()&&e.appendChild(S({tagName:"div",className:Dr.attachmentMetadataContainer,childNodes:S({tagName:"span",className:Dr.attachmentMetadata,childNodes:[S({tagName:"span",className:Dr.attachmentName,textContent:this.attachment.getFilename(),attributes:{title:this.attachment.getFilename()}}),S({tagName:"span",className:Dr.attachmentSize,textContent:this.attachment.getFormattedFilesize()})]})})),y("click",{onElement:e,withCallback:this.didClickToolbar}),y("click",{onElement:e,matchingSelector:"[data-trix-action]",withCallback:this.didClickActionButton}),b("trix-attachment-before-toolbar",{onElement:this.element,attributes:{toolbar:e,attachment:this.attachment}}),{do:()=>this.element.appendChild(e),undo:()=>B(e)}}))),Cn(this,"installCaptionEditor",Hr((()=>{const e=S({tagName:"textarea",className:Dr.attachmentCaptionEditor,attributes:{placeholder:Or.captionPlaceholder},data:{trixMutable:!0}});e.value=this.attachmentPiece.getCaption();const t=e.cloneNode();t.classList.add("trix-autoresize-clone"),t.tabIndex=-1;const n=function(){t.value=e.value,e.style.height=t.scrollHeight+"px"};y("input",{onElement:e,withCallback:n}),y("input",{onElement:e,withCallback:this.didInputCaption}),y("keydown",{onElement:e,withCallback:this.didKeyDownCaption}),y("change",{onElement:e,withCallback:this.didChangeCaption}),y("blur",{onElement:e,withCallback:this.didBlurCaption});const r=this.element.querySelector("figcaption"),o=r.cloneNode();return{do:()=>{if(r.style.display="none",o.appendChild(e),o.appendChild(t),o.classList.add("".concat(Dr.attachmentCaption,"--editing")),r.parentElement.insertBefore(o,r),n(),this.options.editCaption)return Me((()=>e.focus()))},undo(){B(o),r.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=e,this.element=t,this.container=n,this.options=r,this.attachment=this.attachmentPiece.attachment,"a"===_(this.element)&&(this.element=this.element.firstChild),this.install()}install(){this.makeElementMutable(),this.addToolbar(),this.attachment.isPreviewable()&&this.installCaptionEditor()}uninstall(){var e;let t=this.undos.pop();for(this.savePendingCaption();t;)t(),t=this.undos.pop();null===(e=this.delegate)||void 0===e||e.didUninstallAttachmentEditor(this)}savePendingCaption(){if(null!=this.pendingCaption){const o=this.pendingCaption;var e,t,n,r;this.pendingCaption=null,o?null===(e=this.delegate)||void 0===e||null===(t=e.attachmentEditorDidRequestUpdatingAttributesForAttachment)||void 0===t||t.call(e,{caption:o},this.attachment):null===(n=this.delegate)||void 0===n||null===(r=n.attachmentEditorDidRequestRemovingAttributeForAttachment)||void 0===r||r.call(n,"caption",this.attachment)}}didClickToolbar(e){return e.preventDefault(),e.stopPropagation()}didClickActionButton(e){var t;if("remove"===e.target.getAttribute("data-trix-action"))return null===(t=this.delegate)||void 0===t?void 0:t.attachmentEditorDidRequestRemovalOfAttachment(this.attachment)}didKeyDownCaption(e){var t,n;if("return"===Rr[e.keyCode])return e.preventDefault(),this.savePendingCaption(),null===(t=this.delegate)||void 0===t||null===(n=t.attachmentEditorDidRequestDeselectingAttachment)||void 0===n?void 0:n.call(t,this.attachment)}didInputCaption(e){this.pendingCaption=e.target.value.replace(/\s/g," ").trim()}didChangeCaption(e){return this.savePendingCaption()}didBlurCaption(e){return this.savePendingCaption()}}class jr extends ${constructor(e,t){super(...arguments),this.didFocus=this.didFocus.bind(this),this.didBlur=this.didBlur.bind(this),this.didClickAttachment=this.didClickAttachment.bind(this),this.element=e,this.composition=t,this.documentView=new yn(this.composition.document,{element:this.element}),y("focus",{onElement:this.element,withCallback:this.didFocus}),y("blur",{onElement:this.element,withCallback:this.didBlur}),y("click",{onElement:this.element,matchingSelector:"a[contenteditable=false]",preventDefault:!0}),y("mousedown",{onElement:this.element,matchingSelector:r,withCallback:this.didClickAttachment}),y("click",{onElement:this.element,matchingSelector:"a".concat(r),preventDefault:!0})}didFocus(e){var t;const n=()=>{var e,t;if(!this.focused)return this.focused=!0,null===(e=this.delegate)||void 0===e||null===(t=e.compositionControllerDidFocus)||void 0===t?void 0:t.call(e)};return(null===(t=this.blurPromise)||void 0===t?void 0:t.then(n))||n()}didBlur(e){this.blurPromise=new Promise((e=>Me((()=>{var t,n;return E(this.element)||(this.focused=null,null===(t=this.delegate)||void 0===t||null===(n=t.compositionControllerDidBlur)||void 0===n||n.call(t)),this.blurPromise=null,e()}))))}didClickAttachment(e,t){var n,r;const o=this.findAttachmentForElement(t),i=!!k(e.target,{matchingSelector:"figcaption"});return null===(n=this.delegate)||void 0===n||null===(r=n.compositionControllerDidSelectAttachment)||void 0===r?void 0:r.call(n,o,{editCaption:i})}getSerializableElement(){return this.isEditingAttachment()?this.documentView.shadowElement:this.element}render(){var e,t,n,r,o,i;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()&&(null===(n=this.delegate)||void 0===n||null===(r=n.compositionControllerWillSyncDocumentView)||void 0===r||r.call(n),this.documentView.sync(),null===(o=this.delegate)||void 0===o||null===(i=o.compositionControllerDidSyncDocumentView)||void 0===i||i.call(o)),null===(e=this.delegate)||void 0===e||null===(t=e.compositionControllerDidRender)||void 0===t?void 0:t.call(e)}rerenderViewForObject(e){return this.invalidateViewForObject(e),this.render()}invalidateViewForObject(e){return this.documentView.invalidateViewForObject(e)}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(e,t){var n;if((null===(n=this.attachmentEditor)||void 0===n?void 0:n.attachment)===e)return;const r=this.documentView.findElementForObject(e);if(!r)return;this.uninstallAttachmentEditor();const o=this.composition.document.getAttachmentPieceForAttachment(e);this.attachmentEditor=new Pr(o,r,this.element,t),this.attachmentEditor.delegate=this}uninstallAttachmentEditor(){var e;return null===(e=this.attachmentEditor)||void 0===e?void 0:e.uninstall()}didUninstallAttachmentEditor(){return this.attachmentEditor=null,this.render()}attachmentEditorDidRequestUpdatingAttributesForAttachment(e,t){var n,r;return null===(n=this.delegate)||void 0===n||null===(r=n.compositionControllerWillUpdateAttachment)||void 0===r||r.call(n,t),this.composition.updateAttributesForAttachment(e,t)}attachmentEditorDidRequestRemovingAttributeForAttachment(e,t){var n,r;return null===(n=this.delegate)||void 0===n||null===(r=n.compositionControllerWillUpdateAttachment)||void 0===r||r.call(n,t),this.composition.removeAttributeForAttachment(e,t)}attachmentEditorDidRequestRemovalOfAttachment(e){var t,n;return null===(t=this.delegate)||void 0===t||null===(n=t.compositionControllerDidRequestRemovalOfAttachment)||void 0===n?void 0:n.call(t,e)}attachmentEditorDidRequestDeselectingAttachment(e){var t,n;return null===(t=this.delegate)||void 0===t||null===(n=t.compositionControllerDidRequestDeselectingAttachment)||void 0===n?void 0:n.call(t,e)}canSyncDocumentView(){return!this.isEditingAttachment()}findAttachmentForElement(e){return this.composition.document.getAttachmentById(parseInt(e.dataset.trixId,10))}}class Fr extends ${}const zr="data-trix-mutable",qr="[".concat(zr,"]"),Ur={attributes:!0,childList:!0,characterData:!0,characterDataOldValue:!0,subtree:!0};class $r extends ${constructor(e){super(e),this.didMutate=this.didMutate.bind(this),this.element=e,this.observer=new window.MutationObserver(this.didMutate),this.start()}start(){return this.reset(),this.observer.observe(this.element,Ur)}stop(){return this.observer.disconnect()}didMutate(e){var t,n;if(this.mutations.push(...Array.from(this.findSignificantMutations(e)||[])),this.mutations.length)return null===(t=this.delegate)||void 0===t||null===(n=t.elementDidMutate)||void 0===n||n.call(t,this.getMutationSummary()),this.reset()}reset(){this.mutations=[]}findSignificantMutations(e){return e.filter((e=>this.mutationIsSignificant(e)))}mutationIsSignificant(e){if(this.nodeIsMutable(e.target))return!1;for(const t of Array.from(this.nodesModifiedByMutation(e)))if(this.nodeIsSignificant(t))return!0;return!1}nodeIsSignificant(e){return e!==this.element&&!this.nodeIsMutable(e)&&!R(e)}nodeIsMutable(e){return k(e,{matchingSelector:qr})}nodesModifiedByMutation(e){const t=[];switch(e.type){case"attributes":e.attributeName!==zr&&t.push(e.target);break;case"characterData":t.push(e.target.parentNode),t.push(e.target);break;case"childList":t.push(...Array.from(e.addedNodes||[])),t.push(...Array.from(e.removedNodes||[]))}return t}getMutationSummary(){return this.getTextMutationSummary()}getTextMutationSummary(){const{additions:e,deletions:t}=this.getTextChangesFromCharacterData(),n=this.getTextChangesFromChildList();Array.from(n.additions).forEach((t=>{Array.from(e).includes(t)||e.push(t)})),t.push(...Array.from(n.deletions||[]));const r={},o=e.join("");o&&(r.textAdded=o);const i=t.join("");return i&&(r.textDeleted=i),r}getMutationsByType(e){return Array.from(this.mutations).filter((t=>t.type===e))}getTextChangesFromChildList(){let e,t;const n=[],r=[];Array.from(this.getMutationsByType("childList")).forEach((e=>{n.push(...Array.from(e.addedNodes||[])),r.push(...Array.from(e.removedNodes||[]))})),0===n.length&&1===r.length&&I(r[0])?(e=[],t=["\n"]):(e=Wr(n),t=Wr(r));const o=e.filter(((e,n)=>e!==t[n])).map(Fe),i=t.filter(((t,n)=>t!==e[n])).map(Fe);return{additions:o,deletions:i}}getTextChangesFromCharacterData(){let e,t;const n=this.getMutationsByType("characterData");if(n.length){const r=n[0],o=n[n.length-1],i=function(e,t){let n,r;return e=Q.box(e),(t=Q.box(t)).length<e.length?[r,n]=Ue(e,t):[n,r]=Ue(t,e),{added:n,removed:r}}(Fe(r.oldValue),Fe(o.target.data));e=i.added,t=i.removed}return{additions:e?[e]:[],deletions:t?[t]:[]}}}const Wr=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];const t=[];for(const n of Array.from(e))switch(n.nodeType){case Node.TEXT_NODE:t.push(n.data);break;case Node.ELEMENT_NODE:"br"===_(n)?t.push("\n"):t.push(...Array.from(Wr(n.childNodes)||[]))}return t};class Gr extends rt{constructor(e){super(...arguments),this.file=e}perform(e){const t=new FileReader;return t.onerror=()=>e(!1),t.onload=()=>{t.onerror=null;try{t.abort()}catch(e){}return e(!0,this.file)},t.readAsArrayBuffer(this.file)}}class Kr{constructor(e){this.element=e}shouldIgnore(e){return!!c.samsungAndroid&&(this.previousEvent=this.event,this.event=e,this.checkSamsungKeyboardBuggyModeStart(),this.checkSamsungKeyboardBuggyModeEnd(),this.buggyMode)}checkSamsungKeyboardBuggyModeStart(){this.insertingLongTextAfterUnidentifiedChar()&&Yr(this.element.innerText,this.event.data)&&(this.buggyMode=!0,this.event.preventDefault())}checkSamsungKeyboardBuggyModeEnd(){this.buggyMode&&"insertText"!==this.event.inputType&&(this.buggyMode=!1)}insertingLongTextAfterUnidentifiedChar(){var e;return this.isBeforeInputInsertText()&&this.previousEventWasUnidentifiedKeydown()&&(null===(e=this.event.data)||void 0===e?void 0:e.length)>50}isBeforeInputInsertText(){return"beforeinput"===this.event.type&&"insertText"===this.event.inputType}previousEventWasUnidentifiedKeydown(){var e,t;return"keydown"===(null===(e=this.previousEvent)||void 0===e?void 0:e.type)&&"Unidentified"===(null===(t=this.previousEvent)||void 0===t?void 0:t.key)}}const Yr=(e,t)=>Jr(e)===Jr(t),Xr=new RegExp("(".concat("","|").concat(f,"|").concat(m,"|\\s)+"),"g"),Jr=e=>e.replace(Xr," ").trim();class Qr extends ${constructor(e){super(...arguments),this.element=e,this.mutationObserver=new $r(this.element),this.mutationObserver.delegate=this,this.flakyKeyboardDetector=new Kr(this.element);for(const e in this.constructor.events)y(e,{onElement:this.element,withCallback:this.handlerFor(e)})}elementDidMutate(e){}editorWillSyncDocumentView(){return this.mutationObserver.stop()}editorDidSyncDocumentView(){return this.mutationObserver.start()}requestRender(){var e,t;return null===(e=this.delegate)||void 0===e||null===(t=e.inputControllerDidRequestRender)||void 0===t?void 0:t.call(e)}requestReparse(){var e,t;return null===(e=this.delegate)||void 0===e||null===(t=e.inputControllerDidRequestReparse)||void 0===t||t.call(e),this.requestRender()}attachFiles(e){const t=Array.from(e).map((e=>new Gr(e)));return Promise.all(t).then((e=>{this.handleInput((function(){var t,n;return null===(t=this.delegate)||void 0===t||t.inputControllerWillAttachFiles(),null===(n=this.responder)||void 0===n||n.insertFiles(e),this.requestRender()}))}))}handlerFor(e){return t=>{t.defaultPrevented||this.handleInput((()=>{if(!E(this.element)){if(this.flakyKeyboardDetector.shouldIgnore(t))return;this.eventName=e,this.constructor.events[e].call(this,t)}}))}}handleInput(e){try{var t;null===(t=this.delegate)||void 0===t||t.inputControllerWillHandleInput(),e.call(this)}finally{var n;null===(n=this.delegate)||void 0===n||n.inputControllerDidHandleInput()}}createLinkHTML(e,t){const n=document.createElement("a");return n.href=e,n.textContent=t||e,n.outerHTML}}var eo;Cn(Qr,"events",{});const{browser:to,keyNames:no}=U;let ro=0;class oo extends Qr{constructor(){super(...arguments),this.resetInputSummary()}setInputSummary(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};this.inputSummary.eventName=this.eventName;for(const t in e){const n=e[t];this.inputSummary[t]=n}return this.inputSummary}resetInputSummary(){this.inputSummary={}}reset(){return this.resetInputSummary(),Oe.reset()}elementDidMutate(e){var t,n;return this.isComposing()?null===(t=this.delegate)||void 0===t||null===(n=t.inputControllerDidAllowUnhandledInput)||void 0===n?void 0:n.call(t):this.handleInput((function(){return this.mutationIsSignificant(e)&&(this.mutationIsExpected(e)?this.requestRender():this.requestReparse()),this.reset()}))}mutationIsExpected(e){let{textAdded:t,textDeleted:n}=e;if(this.inputSummary.preferDocument)return!0;const r=null!=t?t===this.inputSummary.textAdded:!this.inputSummary.textAdded,o=null!=n?this.inputSummary.didDelete:!this.inputSummary.didDelete,i=["\n"," \n"].includes(t)&&!r,a="\n"===n&&!o;if(i&&!a||a&&!i){const e=this.getSelectedRange();if(e){var l;const n=i?t.replace(/\n$/,"").length||-1:(null==t?void 0:t.length)||1;if(null!==(l=this.responder)&&void 0!==l&&l.positionIsBlockBreak(e[1]+n))return!0}}return r&&o}mutationIsSignificant(e){var t;const n=Object.keys(e).length>0,r=""===(null===(t=this.compositionInput)||void 0===t?void 0:t.getEndData());return n||!r}getCompositionInput(){if(this.isComposing())return this.compositionInput;this.compositionInput=new co(this)}isComposing(){return this.compositionInput&&!this.compositionInput.isEnded()}deleteInDirection(e,t){var n;return!1!==(null===(n=this.responder)||void 0===n?void 0:n.deleteInDirection(e))?this.setInputSummary({didDelete:!0}):t?(t.preventDefault(),this.requestRender()):void 0}serializeSelectionToDataTransfer(e){var t;if(!function(e){if(null==e||!e.setData)return!1;for(const t in Ae){const n=Ae[t];try{if(e.setData(t,n),!e.getData(t)===n)return!1}catch(e){return!1}}return!0}(e))return;const n=null===(t=this.responder)||void 0===t?void 0:t.getSelectedDocument().toSerializableDocument();return e.setData("application/x-trix-document",JSON.stringify(n)),e.setData("text/html",yn.render(n).innerHTML),e.setData("text/plain",n.toString().replace(/\n$/,"")),!0}canAcceptDataTransfer(e){const t={};return Array.from((null==e?void 0:e.types)||[]).forEach((e=>{t[e]=!0})),t.Files||t["application/x-trix-document"]||t["text/html"]||t["text/plain"]}getPastedHTMLUsingHiddenElement(e){const t=this.getSelectedRange(),n={position:"absolute",left:"".concat(window.pageXOffset,"px"),top:"".concat(window.pageYOffset,"px"),opacity:0},r=S({style:n,tagName:"div",editable:!0});return document.body.appendChild(r),r.focus(),requestAnimationFrame((()=>{const n=r.innerHTML;return B(r),this.setSelectedRange(t),e(n)}))}}Cn(oo,"events",{keydown(e){this.isComposing()||this.resetInputSummary(),this.inputSummary.didInput=!0;const t=no[e.keyCode];if(t){var n;let r=this.keys;["ctrl","alt","shift","meta"].forEach((t=>{var n;e["".concat(t,"Key")]&&("ctrl"===t&&(t="control"),r=null===(n=r)||void 0===n?void 0:n[t])})),null!=(null===(n=r)||void 0===n?void 0:n[t])&&(this.setInputSummary({keyName:t}),Oe.reset(),r[t].call(this,e))}if(Be(e)){const t=String.fromCharCode(e.keyCode).toLowerCase();if(t){var r;const n=["alt","shift"].map((t=>{if(e["".concat(t,"Key")])return t})).filter((e=>e));n.push(t),null!==(r=this.delegate)&&void 0!==r&&r.inputControllerDidReceiveKeyboardCommand(n)&&e.preventDefault()}}},keypress(e){if(null!=this.inputSummary.eventName)return;if(e.metaKey)return;if(e.ctrlKey&&!e.altKey)return;const t=lo(e);var n,r;return t?(null===(n=this.delegate)||void 0===n||n.inputControllerWillPerformTyping(),null===(r=this.responder)||void 0===r||r.insertString(t),this.setInputSummary({textAdded:t,didDelete:this.selectionIsExpanded()})):void 0},textInput(e){const{data:t}=e,{textAdded:n}=this.inputSummary;if(n&&n!==t&&n.toUpperCase()===t){var r;const e=this.getSelectedRange();return this.setSelectedRange([e[0],e[1]+n.length]),null===(r=this.responder)||void 0===r||r.insertString(t),this.setInputSummary({textAdded:t}),this.setSelectedRange(e)}},dragenter(e){e.preventDefault()},dragstart(e){var t,n;return this.serializeSelectionToDataTransfer(e.dataTransfer),this.draggedRange=this.getSelectedRange(),null===(t=this.delegate)||void 0===t||null===(n=t.inputControllerDidStartDrag)||void 0===n?void 0:n.call(t)},dragover(e){if(this.draggedRange||this.canAcceptDataTransfer(e.dataTransfer)){e.preventDefault();const r={x:e.clientX,y:e.clientY};var t,n;if(!Se(r,this.draggingPoint))return this.draggingPoint=r,null===(t=this.delegate)||void 0===t||null===(n=t.inputControllerDidReceiveDragOverPoint)||void 0===n?void 0:n.call(t,this.draggingPoint)}},dragend(e){var t,n;null===(t=this.delegate)||void 0===t||null===(n=t.inputControllerDidCancelDrag)||void 0===n||n.call(t),this.draggedRange=null,this.draggingPoint=null},drop(e){var t,n;e.preventDefault();const r=null===(t=e.dataTransfer)||void 0===t?void 0:t.files,o=e.dataTransfer.getData("application/x-trix-document"),i={x:e.clientX,y:e.clientY};if(null===(n=this.responder)||void 0===n||n.setLocationRangeFromPointRange(i),null!=r&&r.length)this.attachFiles(r);else if(this.draggedRange){var a,l;null===(a=this.delegate)||void 0===a||a.inputControllerWillMoveText(),null===(l=this.responder)||void 0===l||l.moveTextFromRange(this.draggedRange),this.draggedRange=null,this.requestRender()}else if(o){var s;const e=Jn.fromJSONString(o);null===(s=this.responder)||void 0===s||s.insertDocument(e),this.requestRender()}this.draggedRange=null,this.draggingPoint=null},cut(e){var t,n;if(null!==(t=this.responder)&&void 0!==t&&t.selectionIsExpanded()&&(this.serializeSelectionToDataTransfer(e.clipboardData)&&e.preventDefault(),null===(n=this.delegate)||void 0===n||n.inputControllerWillCutText(),this.deleteInDirection("backward"),e.defaultPrevented))return this.requestRender()},copy(e){var t;null!==(t=this.responder)&&void 0!==t&&t.selectionIsExpanded()&&this.serializeSelectionToDataTransfer(e.clipboardData)&&e.preventDefault()},paste(e){const t=e.clipboardData||e.testClipboardData,n={clipboard:t};if(!t||so(e))return void this.getPastedHTMLUsingHiddenElement((e=>{var t,r,o;return n.type="text/html",n.html=e,null===(t=this.delegate)||void 0===t||t.inputControllerWillPaste(n),null===(r=this.responder)||void 0===r||r.insertHTML(n.html),this.requestRender(),null===(o=this.delegate)||void 0===o?void 0:o.inputControllerDidPaste(n)}));const r=t.getData("URL"),o=t.getData("text/html"),i=t.getData("public.url-name");if(r){var a,l,s;let e;n.type="text/html",e=i?qe(i).trim():r,n.html=this.createLinkHTML(r,e),null===(a=this.delegate)||void 0===a||a.inputControllerWillPaste(n),this.setInputSummary({textAdded:e,didDelete:this.selectionIsExpanded()}),null===(l=this.responder)||void 0===l||l.insertHTML(n.html),this.requestRender(),null===(s=this.delegate)||void 0===s||s.inputControllerDidPaste(n)}else if(Ce(t)){var c,u,d;n.type="text/plain",n.string=t.getData("text/plain"),null===(c=this.delegate)||void 0===c||c.inputControllerWillPaste(n),this.setInputSummary({textAdded:n.string,didDelete:this.selectionIsExpanded()}),null===(u=this.responder)||void 0===u||u.insertString(n.string),this.requestRender(),null===(d=this.delegate)||void 0===d||d.inputControllerDidPaste(n)}else if(o){var h,p,f;n.type="text/html",n.html=o,null===(h=this.delegate)||void 0===h||h.inputControllerWillPaste(n),null===(p=this.responder)||void 0===p||p.insertHTML(n.html),this.requestRender(),null===(f=this.delegate)||void 0===f||f.inputControllerDidPaste(n)}else if(Array.from(t.types).includes("Files")){var m,v;const e=null===(m=t.items)||void 0===m||null===(m=m[0])||void 0===m||null===(v=m.getAsFile)||void 0===v?void 0:v.call(m);if(e){var g,w,y;const t=io(e);!e.name&&t&&(e.name="pasted-file-".concat(++ro,".").concat(t)),n.type="File",n.file=e,null===(g=this.delegate)||void 0===g||g.inputControllerWillAttachFiles(),null===(w=this.responder)||void 0===w||w.insertFile(n.file),this.requestRender(),null===(y=this.delegate)||void 0===y||y.inputControllerDidPaste(n)}}e.preventDefault()},compositionstart(e){return this.getCompositionInput().start(e.data)},compositionupdate(e){return this.getCompositionInput().update(e.data)},compositionend(e){return this.getCompositionInput().end(e.data)},beforeinput(e){this.inputSummary.didInput=!0},input(e){return this.inputSummary.didInput=!0,e.stopPropagation()}}),Cn(oo,"keys",{backspace(e){var t;return null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),this.deleteInDirection("backward",e)},delete(e){var t;return null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),this.deleteInDirection("forward",e)},return(e){var t,n;return this.setInputSummary({preferDocument:!0}),null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),null===(n=this.responder)||void 0===n?void 0:n.insertLineBreak()},tab(e){var t,n;null!==(t=this.responder)&&void 0!==t&&t.canIncreaseNestingLevel()&&(null===(n=this.responder)||void 0===n||n.increaseNestingLevel(),this.requestRender(),e.preventDefault())},left(e){var t;if(this.selectionIsInCursorTarget())return e.preventDefault(),null===(t=this.responder)||void 0===t?void 0:t.moveCursorInDirection("backward")},right(e){var t;if(this.selectionIsInCursorTarget())return e.preventDefault(),null===(t=this.responder)||void 0===t?void 0:t.moveCursorInDirection("forward")},control:{d(e){var t;return null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),this.deleteInDirection("forward",e)},h(e){var t;return null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),this.deleteInDirection("backward",e)},o(e){var t,n;return e.preventDefault(),null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),null===(n=this.responder)||void 0===n||n.insertString("\n",{updatePosition:!1}),this.requestRender()}},shift:{return(e){var t,n;null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),null===(n=this.responder)||void 0===n||n.insertString("\n"),this.requestRender(),e.preventDefault()},tab(e){var t,n;null!==(t=this.responder)&&void 0!==t&&t.canDecreaseNestingLevel()&&(null===(n=this.responder)||void 0===n||n.decreaseNestingLevel(),this.requestRender(),e.preventDefault())},left(e){if(this.selectionIsInCursorTarget())return e.preventDefault(),this.expandSelectionInDirection("backward")},right(e){if(this.selectionIsInCursorTarget())return e.preventDefault(),this.expandSelectionInDirection("forward")}},alt:{backspace(e){var t;return this.setInputSummary({preferDocument:!1}),null===(t=this.delegate)||void 0===t?void 0:t.inputControllerWillPerformTyping()}},meta:{backspace(e){var t;return this.setInputSummary({preferDocument:!1}),null===(t=this.delegate)||void 0===t?void 0:t.inputControllerWillPerformTyping()}}}),oo.proxyMethod("responder?.getSelectedRange"),oo.proxyMethod("responder?.setSelectedRange"),oo.proxyMethod("responder?.expandSelectionInDirection"),oo.proxyMethod("responder?.selectionIsInCursorTarget"),oo.proxyMethod("responder?.selectionIsExpanded");const io=e=>{var t;return null===(t=e.type)||void 0===t||null===(t=t.match(/\/(\w+)$/))||void 0===t?void 0:t[1]},ao=!(null===(eo=" ".codePointAt)||void 0===eo||!eo.call(" ",0)),lo=function(e){if(e.key&&ao&&e.key.codePointAt(0)===e.keyCode)return e.key;{let t;if(null===e.which?t=e.keyCode:0!==e.which&&0!==e.charCode&&(t=e.charCode),null!=t&&"escape"!==no[t])return Q.fromCodepoints([t]).toString()}},so=function(e){const t=e.clipboardData;if(t){if(t.types.includes("text/html")){for(const e of t.types){const n=/^CorePasteboardFlavorType/.test(e),r=/^dyn\./.test(e)&&t.getData(e);if(n||r)return!0}return!1}{const e=t.types.includes("com.apple.webarchive"),n=t.types.includes("com.apple.flat-rtfd");return e||n}}};class co extends ${constructor(e){super(...arguments),this.inputController=e,this.responder=this.inputController.responder,this.delegate=this.inputController.delegate,this.inputSummary=this.inputController.inputSummary,this.data={}}start(e){var t,n;(this.data.start=e,this.isSignificant())&&("keypress"===this.inputSummary.eventName&&this.inputSummary.textAdded&&(null===(n=this.responder)||void 0===n||n.deleteInDirection("left")),this.selectionIsExpanded()||(this.insertPlaceholder(),this.requestRender()),this.range=null===(t=this.responder)||void 0===t?void 0:t.getSelectedRange())}update(e){if(this.data.update=e,this.isSignificant()){const e=this.selectPlaceholder();e&&(this.forgetPlaceholder(),this.range=e)}}end(e){return this.data.end=e,this.isSignificant()?(this.forgetPlaceholder(),this.canApplyToDocument()?(this.setInputSummary({preferDocument:!0,didInput:!1}),null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),null===(n=this.responder)||void 0===n||n.setSelectedRange(this.range),null===(r=this.responder)||void 0===r||r.insertString(this.data.end),null===(o=this.responder)||void 0===o?void 0:o.setSelectedRange(this.range[0]+this.data.end.length)):null!=this.data.start||null!=this.data.update?(this.requestReparse(),this.inputController.reset()):void 0):this.inputController.reset();var t,n,r,o}getEndData(){return this.data.end}isEnded(){return null!=this.getEndData()}isSignificant(){return!to.composesExistingText||this.inputSummary.didInput}canApplyToDocument(){var e,t;return 0===(null===(e=this.data.start)||void 0===e?void 0:e.length)&&(null===(t=this.data.end)||void 0===t?void 0:t.length)>0&&this.range}}co.proxyMethod("inputController.setInputSummary"),co.proxyMethod("inputController.requestRender"),co.proxyMethod("inputController.requestReparse"),co.proxyMethod("responder?.selectionIsExpanded"),co.proxyMethod("responder?.insertPlaceholder"),co.proxyMethod("responder?.selectPlaceholder"),co.proxyMethod("responder?.forgetPlaceholder");class uo extends Qr{constructor(){super(...arguments),this.render=this.render.bind(this)}elementDidMutate(){return this.scheduledRender?this.composing?null===(e=this.delegate)||void 0===e||null===(t=e.inputControllerDidAllowUnhandledInput)||void 0===t?void 0:t.call(e):void 0:this.reparse();var e,t}scheduleRender(){return this.scheduledRender?this.scheduledRender:this.scheduledRender=requestAnimationFrame(this.render)}render(){var e,t;cancelAnimationFrame(this.scheduledRender),this.scheduledRender=null,this.composing||null===(t=this.delegate)||void 0===t||t.render(),null===(e=this.afterRender)||void 0===e||e.call(this),this.afterRender=null}reparse(){var e;return null===(e=this.delegate)||void 0===e?void 0:e.reparse()}insertString(){var e;let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"",n=arguments.length>1?arguments[1]:void 0;return null===(e=this.delegate)||void 0===e||e.inputControllerWillPerformTyping(),this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.insertString(t,n)}))}toggleAttributeIfSupported(e){var t;if(me().includes(e))return null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformFormatting(e),this.withTargetDOMRange((function(){var t;return null===(t=this.responder)||void 0===t?void 0:t.toggleCurrentAttribute(e)}))}activateAttributeIfSupported(e,t){var n;if(me().includes(e))return null===(n=this.delegate)||void 0===n||n.inputControllerWillPerformFormatting(e),this.withTargetDOMRange((function(){var n;return null===(n=this.responder)||void 0===n?void 0:n.setCurrentAttribute(e,t)}))}deleteInDirection(e){let{recordUndoEntry:t}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{recordUndoEntry:!0};var n;t&&(null===(n=this.delegate)||void 0===n||n.inputControllerWillPerformTyping());const r=()=>{var t;return null===(t=this.responder)||void 0===t?void 0:t.deleteInDirection(e)},o=this.getTargetDOMRange({minLength:this.composing?1:2});return o?this.withTargetDOMRange(o,r):r()}withTargetDOMRange(e,t){var n;return"function"==typeof e&&(t=e,e=this.getTargetDOMRange()),e?null===(n=this.responder)||void 0===n?void 0:n.withTargetDOMRange(e,t.bind(this)):(Oe.reset(),t.call(this))}getTargetDOMRange(){var e,t;let{minLength:n}=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{minLength:0};const r=null===(e=(t=this.event).getTargetRanges)||void 0===e?void 0:e.call(t);if(r&&r.length){const e=ho(r[0]);if(0===n||e.toString().length>=n)return e}}withEvent(e,t){let n;this.event=e;try{n=t.call(this)}finally{this.event=null}return n}}Cn(uo,"events",{keydown(e){if(Be(e)){var t;const n=go(e);null!==(t=this.delegate)&&void 0!==t&&t.inputControllerDidReceiveKeyboardCommand(n)&&e.preventDefault()}else{let t=e.key;e.altKey&&(t+="+Alt"),e.shiftKey&&(t+="+Shift");const n=this.constructor.keys[t];if(n)return this.withEvent(e,n)}},paste(e){var t;let n;const r=null===(t=e.clipboardData)||void 0===t?void 0:t.getData("URL");return mo(e)?(e.preventDefault(),this.attachFiles(e.clipboardData.files)):vo(e)?(e.preventDefault(),n={type:"text/plain",string:e.clipboardData.getData("text/plain")},null===(o=this.delegate)||void 0===o||o.inputControllerWillPaste(n),null===(i=this.responder)||void 0===i||i.insertString(n.string),this.render(),null===(a=this.delegate)||void 0===a?void 0:a.inputControllerDidPaste(n)):r?(e.preventDefault(),n={type:"text/html",html:this.createLinkHTML(r)},null===(l=this.delegate)||void 0===l||l.inputControllerWillPaste(n),null===(s=this.responder)||void 0===s||s.insertHTML(n.html),this.render(),null===(c=this.delegate)||void 0===c?void 0:c.inputControllerDidPaste(n)):void 0;var o,i,a,l,s,c},beforeinput(e){const t=this.constructor.inputTypes[e.inputType],n=(r=e,!(!/iPhone|iPad/.test(navigator.userAgent)||r.inputType&&"insertParagraph"!==r.inputType));var r;t&&(this.withEvent(e,t),n||this.scheduleRender()),n&&this.render()},input(e){Oe.reset()},dragstart(e){var t,n;null!==(t=this.responder)&&void 0!==t&&t.selectionContainsAttachments()&&(e.dataTransfer.setData("application/x-trix-dragging",!0),this.dragging={range:null===(n=this.responder)||void 0===n?void 0:n.getSelectedRange(),point:wo(e)})},dragenter(e){po(e)&&e.preventDefault()},dragover(e){if(this.dragging){e.preventDefault();const n=wo(e);var t;if(!Se(n,this.dragging.point))return this.dragging.point=n,null===(t=this.responder)||void 0===t?void 0:t.setLocationRangeFromPointRange(n)}else po(e)&&e.preventDefault()},drop(e){var t,n;if(this.dragging)return e.preventDefault(),null===(t=this.delegate)||void 0===t||t.inputControllerWillMoveText(),null===(n=this.responder)||void 0===n||n.moveTextFromRange(this.dragging.range),this.dragging=null,this.scheduleRender();if(po(e)){var r;e.preventDefault();const t=wo(e);return null===(r=this.responder)||void 0===r||r.setLocationRangeFromPointRange(t),this.attachFiles(e.dataTransfer.files)}},dragend(){var e;this.dragging&&(null===(e=this.responder)||void 0===e||e.setSelectedRange(this.dragging.range),this.dragging=null)},compositionend(e){this.composing&&(this.composing=!1,c.recentAndroid||this.scheduleRender())}}),Cn(uo,"keys",{ArrowLeft(){var e,t;if(null!==(e=this.responder)&&void 0!==e&&e.shouldManageMovingCursorInDirection("backward"))return this.event.preventDefault(),null===(t=this.responder)||void 0===t?void 0:t.moveCursorInDirection("backward")},ArrowRight(){var e,t;if(null!==(e=this.responder)&&void 0!==e&&e.shouldManageMovingCursorInDirection("forward"))return this.event.preventDefault(),null===(t=this.responder)||void 0===t?void 0:t.moveCursorInDirection("forward")},Backspace(){var e,t,n;if(null!==(e=this.responder)&&void 0!==e&&e.shouldManageDeletingInDirection("backward"))return this.event.preventDefault(),null===(t=this.delegate)||void 0===t||t.inputControllerWillPerformTyping(),null===(n=this.responder)||void 0===n||n.deleteInDirection("backward"),this.render()},Tab(){var e,t;if(null!==(e=this.responder)&&void 0!==e&&e.canIncreaseNestingLevel())return this.event.preventDefault(),null===(t=this.responder)||void 0===t||t.increaseNestingLevel(),this.render()},"Tab+Shift"(){var e,t;if(null!==(e=this.responder)&&void 0!==e&&e.canDecreaseNestingLevel())return this.event.preventDefault(),null===(t=this.responder)||void 0===t||t.decreaseNestingLevel(),this.render()}}),Cn(uo,"inputTypes",{deleteByComposition(){return this.deleteInDirection("backward",{recordUndoEntry:!1})},deleteByCut(){return this.deleteInDirection("backward")},deleteByDrag(){return this.event.preventDefault(),this.withTargetDOMRange((function(){var e;this.deleteByDragRange=null===(e=this.responder)||void 0===e?void 0:e.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 e;if(null!==(e=this.responder)&&void 0!==e&&e.canIncreaseNestingLevel())return this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.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 e;if(null!==(e=this.responder)&&void 0!==e&&e.canDecreaseNestingLevel())return this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.decreaseNestingLevel()}))},formatRemove(){this.withTargetDOMRange((function(){for(const n in null===(e=this.responder)||void 0===e?void 0:e.getCurrentAttributes()){var e,t;null===(t=this.responder)||void 0===t||t.removeCurrentAttribute(n)}}))},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 e;return null===(e=this.delegate)||void 0===e?void 0:e.inputControllerWillPerformRedo()},historyUndo(){var e;return null===(e=this.delegate)||void 0===e?void 0:e.inputControllerWillPerformUndo()},insertCompositionText(){return this.composing=!0,this.insertString(this.event.data)},insertFromComposition(){return this.composing=!1,this.insertString(this.event.data)},insertFromDrop(){const e=this.deleteByDragRange;var t;if(e)return this.deleteByDragRange=null,null===(t=this.delegate)||void 0===t||t.inputControllerWillMoveText(),this.withTargetDOMRange((function(){var t;return null===(t=this.responder)||void 0===t?void 0:t.moveTextFromRange(e)}))},insertFromPaste(){const{dataTransfer:e}=this.event,t={dataTransfer:e},n=e.getData("URL"),r=e.getData("text/html");if(n){var o;let r;this.event.preventDefault(),t.type="text/html";const i=e.getData("public.url-name");r=i?qe(i).trim():n,t.html=this.createLinkHTML(n,r),null===(o=this.delegate)||void 0===o||o.inputControllerWillPaste(t),this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.insertHTML(t.html)})),this.afterRender=()=>{var e;return null===(e=this.delegate)||void 0===e?void 0:e.inputControllerDidPaste(t)}}else if(Ce(e)){var i;t.type="text/plain",t.string=e.getData("text/plain"),null===(i=this.delegate)||void 0===i||i.inputControllerWillPaste(t),this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.insertString(t.string)})),this.afterRender=()=>{var e;return null===(e=this.delegate)||void 0===e?void 0:e.inputControllerDidPaste(t)}}else if(fo(this.event)){var a;t.type="File",t.file=e.files[0],null===(a=this.delegate)||void 0===a||a.inputControllerWillPaste(t),this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.insertFile(t.file)})),this.afterRender=()=>{var e;return null===(e=this.delegate)||void 0===e?void 0:e.inputControllerDidPaste(t)}}else if(r){var l;this.event.preventDefault(),t.type="text/html",t.html=r,null===(l=this.delegate)||void 0===l||l.inputControllerWillPaste(t),this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.insertHTML(t.html)})),this.afterRender=()=>{var e;return null===(e=this.delegate)||void 0===e?void 0:e.inputControllerDidPaste(t)}}},insertFromYank(){return this.insertString(this.event.data)},insertLineBreak(){return this.insertString("\n")},insertLink(){return this.activateAttributeIfSupported("href",this.event.data)},insertOrderedList(){return this.toggleAttributeIfSupported("number")},insertParagraph(){var e;return null===(e=this.delegate)||void 0===e||e.inputControllerWillPerformTyping(),this.withTargetDOMRange((function(){var e;return null===(e=this.responder)||void 0===e?void 0:e.insertLineBreak()}))},insertReplacementText(){const e=this.event.dataTransfer.getData("text/plain"),t=this.event.getTargetRanges()[0];this.withTargetDOMRange(t,(()=>{this.insertString(e,{updatePosition:!1})}))},insertText(){var e;return this.insertString(this.event.data||(null===(e=this.event.dataTransfer)||void 0===e?void 0:e.getData("text/plain")))},insertTranspose(){return this.insertString(this.event.data)},insertUnorderedList(){return this.toggleAttributeIfSupported("bullet")}});const ho=function(e){const t=document.createRange();return t.setStart(e.startContainer,e.startOffset),t.setEnd(e.endContainer,e.endOffset),t},po=e=>{var t;return Array.from((null===(t=e.dataTransfer)||void 0===t?void 0:t.types)||[]).includes("Files")},fo=e=>{var t;return(null===(t=e.dataTransfer.files)||void 0===t?void 0:t[0])&&!mo(e)&&!(e=>{let{dataTransfer:t}=e;return t.types.includes("Files")&&t.types.includes("text/html")&&t.getData("text/html").includes("urn:schemas-microsoft-com:office:office")})(e)},mo=function(e){const t=e.clipboardData;if(t)return Array.from(t.types).filter((e=>e.match(/file/i))).length===t.types.length&&t.files.length>=1},vo=function(e){const t=e.clipboardData;if(t)return t.types.includes("text/plain")&&1===t.types.length},go=function(e){const t=[];return e.altKey&&t.push("alt"),e.shiftKey&&t.push("shift"),t.push(e.key),t},wo=e=>({x:e.clientX,y:e.clientY}),yo="[data-trix-attribute]",bo="[data-trix-action]",xo="".concat(yo,", ").concat(bo),ko="[data-trix-dialog]",Eo="".concat(ko,"[data-trix-active]"),Ao="".concat(ko," [data-trix-method]"),Co="".concat(ko," [data-trix-input]"),Bo=(e,t)=>(t||(t=_o(e)),e.querySelector("[data-trix-input][name='".concat(t,"']"))),Mo=e=>e.getAttribute("data-trix-action"),_o=e=>e.getAttribute("data-trix-attribute")||e.getAttribute("data-trix-dialog-attribute");class So extends ${constructor(e){super(e),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=e,this.attributes={},this.actions={},this.resetDialogInputs(),y("mousedown",{onElement:this.element,matchingSelector:bo,withCallback:this.didClickActionButton}),y("mousedown",{onElement:this.element,matchingSelector:yo,withCallback:this.didClickAttributeButton}),y("click",{onElement:this.element,matchingSelector:xo,preventDefault:!0}),y("click",{onElement:this.element,matchingSelector:Ao,withCallback:this.didClickDialogButton}),y("keydown",{onElement:this.element,matchingSelector:Co,withCallback:this.didKeyDownDialogInput})}didClickActionButton(e,t){var n;null===(n=this.delegate)||void 0===n||n.toolbarDidClickButton(),e.preventDefault();const r=Mo(t);return this.getDialog(r)?this.toggleDialog(r):null===(o=this.delegate)||void 0===o?void 0:o.toolbarDidInvokeAction(r,t);var o}didClickAttributeButton(e,t){var n;null===(n=this.delegate)||void 0===n||n.toolbarDidClickButton(),e.preventDefault();const r=_o(t);var o;return this.getDialog(r)?this.toggleDialog(r):null===(o=this.delegate)||void 0===o||o.toolbarDidToggleAttribute(r),this.refreshAttributeButtons()}didClickDialogButton(e,t){const n=k(t,{matchingSelector:ko});return this[t.getAttribute("data-trix-method")].call(this,n)}didKeyDownDialogInput(e,t){if(13===e.keyCode){e.preventDefault();const n=t.getAttribute("name"),r=this.getDialog(n);this.setAttribute(r)}if(27===e.keyCode)return e.preventDefault(),this.hideDialog()}updateActions(e){return this.actions=e,this.refreshActionButtons()}refreshActionButtons(){return this.eachActionButton(((e,t)=>{e.disabled=!1===this.actions[t]}))}eachActionButton(e){return Array.from(this.element.querySelectorAll(bo)).map((t=>e(t,Mo(t))))}updateAttributes(e){return this.attributes=e,this.refreshAttributeButtons()}refreshAttributeButtons(){return this.eachAttributeButton(((e,t)=>(e.disabled=!1===this.attributes[t],this.attributes[t]||this.dialogIsVisible(t)?(e.setAttribute("data-trix-active",""),e.classList.add("trix-active")):(e.removeAttribute("data-trix-active"),e.classList.remove("trix-active")))))}eachAttributeButton(e){return Array.from(this.element.querySelectorAll(yo)).map((t=>e(t,_o(t))))}applyKeyboardCommand(e){const t=JSON.stringify(e.sort());for(const e of Array.from(this.element.querySelectorAll("[data-trix-key]"))){const n=e.getAttribute("data-trix-key").split("+");if(JSON.stringify(n.sort())===t)return b("mousedown",{onElement:e}),!0}return!1}dialogIsVisible(e){const t=this.getDialog(e);if(t)return t.hasAttribute("data-trix-active")}toggleDialog(e){return this.dialogIsVisible(e)?this.hideDialog():this.showDialog(e)}showDialog(e){var t,n;this.hideDialog(),null===(t=this.delegate)||void 0===t||t.toolbarWillShowDialog();const r=this.getDialog(e);r.setAttribute("data-trix-active",""),r.classList.add("trix-active"),Array.from(r.querySelectorAll("input[disabled]")).forEach((e=>{e.removeAttribute("disabled")}));const o=_o(r);if(o){const t=Bo(r,e);t&&(t.value=this.attributes[o]||"",t.select())}return null===(n=this.delegate)||void 0===n?void 0:n.toolbarDidShowDialog(e)}setAttribute(e){var t;const n=_o(e),r=Bo(e,n);return!r.willValidate||(r.setCustomValidity(""),r.checkValidity()&&this.isSafeAttribute(r))?(null===(t=this.delegate)||void 0===t||t.toolbarDidUpdateAttribute(n,r.value),this.hideDialog()):(r.setCustomValidity("Invalid value"),r.setAttribute("data-trix-validate",""),r.classList.add("trix-validate"),r.focus())}isSafeAttribute(e){return!e.hasAttribute("data-trix-validate-href")||nn.isValidAttribute("a","href",e.value)}removeAttribute(e){var t;const n=_o(e);return null===(t=this.delegate)||void 0===t||t.toolbarDidRemoveAttribute(n),this.hideDialog()}hideDialog(){const e=this.element.querySelector(Eo);var t;if(e)return e.removeAttribute("data-trix-active"),e.classList.remove("trix-active"),this.resetDialogInputs(),null===(t=this.delegate)||void 0===t?void 0:t.toolbarDidHideDialog((e=>e.getAttribute("data-trix-dialog"))(e))}resetDialogInputs(){Array.from(this.element.querySelectorAll(Co)).forEach((e=>{e.setAttribute("disabled","disabled"),e.removeAttribute("data-trix-validate"),e.classList.remove("trix-validate")}))}getDialog(e){return this.element.querySelector("[data-trix-dialog=".concat(e,"]"))}}class No extends Fr{constructor(e){let{editorElement:t,document:n,html:r}=e;super(...arguments),this.editorElement=t,this.selectionManager=new Tr(this.editorElement),this.selectionManager.delegate=this,this.composition=new yr,this.composition.delegate=this,this.attachmentManager=new gr(this.composition.getAttachments()),this.attachmentManager.delegate=this,this.inputController=2===P.getLevel()?new uo(this.editorElement):new oo(this.editorElement),this.inputController.delegate=this,this.inputController.responder=this.composition,this.compositionController=new jr(this.editorElement,this.composition),this.compositionController.delegate=this,this.toolbarController=new So(this.editorElement.toolbarElement),this.toolbarController.delegate=this,this.editor=new Br(this.composition,this.selectionManager,this.editorElement),n?this.editor.loadDocument(n):this.editor.loadHTML(r)}registerSelectionManager(){return Oe.registerSelectionManager(this.selectionManager)}unregisterSelectionManager(){return Oe.unregisterSelectionManager(this.selectionManager)}render(){return this.compositionController.render()}reparse(){return this.composition.replaceHTML(this.editorElement.innerHTML)}compositionDidChangeDocument(e){if(this.notifyEditorElement("document-change"),!this.handlingInput)return this.render()}compositionDidChangeCurrentAttributes(e){return this.currentAttributes=e,this.toolbarController.updateAttributes(this.currentAttributes),this.updateCurrentActions(),this.notifyEditorElement("attributes-change",{attributes:this.currentAttributes})}compositionDidPerformInsertionAtRange(e){this.pasting&&(this.pastedRange=e)}compositionShouldAcceptFile(e){return this.notifyEditorElement("file-accept",{file:e})}compositionDidAddAttachment(e){const t=this.attachmentManager.manageAttachment(e);return this.notifyEditorElement("attachment-add",{attachment:t})}compositionDidEditAttachment(e){this.compositionController.rerenderViewForObject(e);const t=this.attachmentManager.manageAttachment(e);return this.notifyEditorElement("attachment-edit",{attachment:t}),this.notifyEditorElement("change")}compositionDidChangeAttachmentPreviewURL(e){return this.compositionController.invalidateViewForObject(e),this.notifyEditorElement("change")}compositionDidRemoveAttachment(e){const t=this.attachmentManager.unmanageAttachment(e);return this.notifyEditorElement("attachment-remove",{attachment:t})}compositionDidStartEditingAttachment(e,t){return this.attachmentLocationRange=this.composition.document.getLocationRangeOfAttachment(e),this.compositionController.installAttachmentEditorForAttachment(e,t),this.selectionManager.setLocationRange(this.attachmentLocationRange)}compositionDidStopEditingAttachment(e){this.compositionController.uninstallAttachmentEditor(),this.attachmentLocationRange=null}compositionDidRequestChangingSelectionToLocationRange(e){if(!this.loadingSnapshot||this.isFocused())return this.requestedLocationRange=e,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(e){return this.removeAttachment(e)}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(e,t){return this.toolbarController.hideDialog(),this.composition.editAttachment(e,t)}compositionControllerDidRequestDeselectingAttachment(e){const t=this.attachmentLocationRange||this.composition.document.getLocationRangeOfAttachment(e);return this.selectionManager.setLocationRange(t[1])}compositionControllerWillUpdateAttachment(e){return this.editor.recordUndoEntry("Edit Attachment",{context:e.id,consolidatable:!0})}compositionControllerDidRequestRemovalOfAttachment(e){return this.removeAttachment(e)}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(e){return this.recordFormattingUndoEntry(e)}inputControllerWillCutText(){return this.editor.recordUndoEntry("Cut")}inputControllerWillPaste(e){return this.editor.recordUndoEntry("Paste"),this.pasting=!0,this.notifyEditorElement("before-paste",{paste:e})}inputControllerDidPaste(e){return e.range=this.pastedRange,this.pastedRange=null,this.pasting=null,this.notifyEditorElement("paste",{paste:e})}inputControllerWillMoveText(){return this.editor.recordUndoEntry("Move")}inputControllerWillAttachFiles(){return this.editor.recordUndoEntry("Drop Files")}inputControllerWillPerformUndo(){return this.editor.undo()}inputControllerWillPerformRedo(){return this.editor.redo()}inputControllerDidReceiveKeyboardCommand(e){return this.toolbarController.applyKeyboardCommand(e)}inputControllerDidStartDrag(){this.locationRangeBeforeDrag=this.selectionManager.getLocationRange()}inputControllerDidReceiveDragOverPoint(e){return this.selectionManager.setLocationRangeFromPointRange(e)}inputControllerDidCancelDrag(){this.selectionManager.setLocationRange(this.locationRangeBeforeDrag),this.locationRangeBeforeDrag=null}locationRangeDidChange(e){return this.composition.updateCurrentAttributes(),this.updateCurrentActions(),this.attachmentLocationRange&&!Le(this.attachmentLocationRange,e)&&this.composition.stopEditingAttachment(),this.notifyEditorElement("selection-change")}toolbarDidClickButton(){if(!this.getLocationRange())return this.setLocationRange({index:0,offset:0})}toolbarDidInvokeAction(e,t){return this.invokeAction(e,t)}toolbarDidToggleAttribute(e){if(this.recordFormattingUndoEntry(e),this.composition.toggleCurrentAttribute(e),this.render(),!this.selectionFrozen)return this.editorElement.focus()}toolbarDidUpdateAttribute(e,t){if(this.recordFormattingUndoEntry(e),this.composition.setCurrentAttribute(e,t),this.render(),!this.selectionFrozen)return this.editorElement.focus()}toolbarDidRemoveAttribute(e){if(this.recordFormattingUndoEntry(e),this.composition.removeCurrentAttribute(e),this.render(),!this.selectionFrozen)return this.editorElement.focus()}toolbarWillShowDialog(e){return this.composition.expandSelectionForEditing(),this.freezeSelection()}toolbarDidShowDialog(e){return this.notifyEditorElement("toolbar-dialog-show",{dialogName:e})}toolbarDidHideDialog(e){return this.thawSelection(),this.editorElement.focus(),this.notifyEditorElement("toolbar-dialog-hide",{dialogName:e})}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(e){return!!this.actionIsExternal(e)||!(null===(t=this.actions[e])||void 0===t||null===(t=t.test)||void 0===t||!t.call(this));var t}invokeAction(e,t){return this.actionIsExternal(e)?this.notifyEditorElement("action-invoke",{actionName:e,invokingElement:t}):null===(n=this.actions[e])||void 0===n||null===(n=n.perform)||void 0===n?void 0:n.call(this);var n}actionIsExternal(e){return/^x-./.test(e)}getCurrentActions(){const e={};for(const t in this.actions)e[t]=this.canInvokeAction(t);return e}updateCurrentActions(){const e=this.getCurrentActions();if(!Se(e,this.currentActions))return this.currentActions=e,this.toolbarController.updateActions(this.currentActions),this.notifyEditorElement("actions-change",{actions:this.currentActions})}runEditorFilters(){let e=this.composition.getSnapshot();if(Array.from(this.editor.filters).forEach((t=>{const{document:n,selectedRange:r}=e;e=t.call(this.editor,e)||{},e.document||(e.document=n),e.selectedRange||(e.selectedRange=r)})),t=e,n=this.composition.getSnapshot(),!Le(t.selectedRange,n.selectedRange)||!t.document.isEqualTo(n.document))return this.composition.loadSnapshot(e);var t,n}updateInputElement(){const e=function(e,t){const n=fr[t];if(n)return n(e);throw new Error("unknown content type: ".concat(t))}(this.compositionController.getSerializableElement(),"text/html");return this.editorElement.setFormValue(e)}notifyEditorElement(e,t){switch(e){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(e,t)}removeAttachment(e){return this.editor.recordUndoEntry("Delete Attachment"),this.composition.removeAttachment(e),this.render()}recordFormattingUndoEntry(e){const t=ve(e),n=this.selectionManager.getLocationRange();if(t||!Ve(n))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 e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return[this.getLocationContext(),this.getTimeContext(),...Array.from(t)]}getLocationContext(){const e=this.selectionManager.getLocationRange();return Ve(e)?e[0].index:e}getTimeContext(){return q.interval>0?Math.floor((new Date).getTime()/q.interval):0}isFocused(){var e;return this.editorElement===(null===(e=this.editorElement.ownerDocument)||void 0===e?void 0:e.activeElement)}isFocusedInvisibly(){return this.isFocused()&&!this.getLocationRange()}get actions(){return this.constructor.actions}}Cn(No,"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 P.pickFiles(this.editor.insertFiles)}}}),No.proxyMethod("getSelectionManager().setLocationRange"),No.proxyMethod("getSelectionManager().getLocationRange");var Vo=Object.freeze({__proto__:null,AttachmentEditorController:Pr,CompositionController:jr,Controller:Fr,EditorController:No,InputController:Qr,Level0InputController:oo,Level2InputController:uo,ToolbarController:So}),Lo=Object.freeze({__proto__:null,MutationObserver:$r,SelectionChangeObserver:Ze}),To=Object.freeze({__proto__:null,FileVerificationOperation:Gr,ImagePreloadOperation:Tn});be("trix-toolbar","%t {\n  display: block;\n}\n\n%t {\n  white-space: nowrap;\n}\n\n%t [data-trix-dialog] {\n  display: none;\n}\n\n%t [data-trix-dialog][data-trix-active] {\n  display: block;\n}\n\n%t [data-trix-dialog] [data-trix-validate]:invalid {\n  background-color: #ffdddd;\n}");class Io extends HTMLElement{connectedCallback(){""===this.innerHTML&&(this.innerHTML=z.getDefaultHTML())}}let Zo=0;const Oo=function(e){return Do(e),Ro(e)},Do=function(e){var t,n;if(null!==(t=(n=document).queryCommandSupported)&&void 0!==t&&t.call(n,"enableObjectResizing"))return document.execCommand("enableObjectResizing",!1,!1),y("mscontrolselect",{onElement:e,preventDefault:!0})},Ro=function(e){var t,n;if(null!==(t=(n=document).queryCommandSupported)&&void 0!==t&&t.call(n,"DefaultParagraphSeparator")){const{tagName:e}=i.default;if(["div","p"].includes(e))return document.execCommand("DefaultParagraphSeparator",!1,e)}},Ho=c.forcesObjectResizing?{display:"inline",width:"auto"}:{display:"inline-block",width:"1px"};be("trix-editor","%t {\n    display: block;\n}\n\n%t:empty::before {\n    content: attr(placeholder);\n    color: graytext;\n    cursor: text;\n    pointer-events: none;\n    white-space: pre-line;\n}\n\n%t a[contenteditable=false] {\n    cursor: text;\n}\n\n%t img {\n    max-width: 100%;\n    height: auto;\n}\n\n%t ".concat(r," figcaption textarea {\n    resize: none;\n}\n\n%t ").concat(r," figcaption textarea.trix-autoresize-clone {\n    position: absolute;\n    left: -9999px;\n    max-height: 0px;\n}\n\n%t ").concat(r," figcaption[data-trix-placeholder]:empty::before {\n    content: attr(data-trix-placeholder);\n    color: graytext;\n}\n\n%t [data-trix-cursor-target] {\n    display: ").concat(Ho.display," !important;\n    width: ").concat(Ho.width," !important;\n    padding: 0 !important;\n    margin: 0 !important;\n    border: none !important;\n}\n\n%t [data-trix-cursor-target=left] {\n    vertical-align: top !important;\n    margin-left: -1px !important;\n}\n\n%t [data-trix-cursor-target=right] {\n    vertical-align: bottom !important;\n    margin-right: -1px !important;\n}"));var Po=new WeakMap,jo=new WeakSet;class Fo{constructor(e){var t;Nn(this,t=jo),t.add(this),Vn(this,Po,{writable:!0,value:void 0}),this.element=e,Mn(this,Po,e.attachInternals())}connectedCallback(){Sn(this,jo,zo).call(this)}disconnectedCallback(){}get labels(){return Bn(this,Po).labels}get disabled(){var e;return null===(e=this.element.inputElement)||void 0===e?void 0:e.disabled}set disabled(e){this.element.toggleAttribute("disabled",e)}get required(){return this.element.hasAttribute("required")}set required(e){this.element.toggleAttribute("required",e),Sn(this,jo,zo).call(this)}get validity(){return Bn(this,Po).validity}get validationMessage(){return Bn(this,Po).validationMessage}get willValidate(){return Bn(this,Po).willValidate}setFormValue(e){Sn(this,jo,zo).call(this)}checkValidity(){return Bn(this,Po).checkValidity()}reportValidity(){return Bn(this,Po).reportValidity()}setCustomValidity(e){Sn(this,jo,zo).call(this,e)}}function zo(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";const{required:t,value:n}=this.element,r=t&&!n,o=!!e,i=S("input",{required:t}),a=e||i.validationMessage;Bn(this,Po).setValidity({valueMissing:r,customError:o},a)}var qo=new WeakMap,Uo=new WeakMap,$o=new WeakMap;class Wo{constructor(e){Vn(this,qo,{writable:!0,value:void 0}),Vn(this,Uo,{writable:!0,value:e=>{e.defaultPrevented||e.target===this.element.form&&this.element.reset()}}),Vn(this,$o,{writable:!0,value:e=>{if(e.defaultPrevented)return;if(this.element.contains(e.target))return;const t=k(e.target,{matchingSelector:"label"});t&&Array.from(this.labels).includes(t)&&this.element.focus()}}),this.element=e}connectedCallback(){Mn(this,qo,function(e){if(e.hasAttribute("aria-label")||e.hasAttribute("aria-labelledby"))return;const t=function(){const t=Array.from(e.labels).map((t=>{if(!t.contains(e))return t.textContent})).filter((e=>e)).join(" ");return t?e.setAttribute("aria-label",t):e.removeAttribute("aria-label")};return t(),y("focus",{onElement:e,withCallback:t})}(this.element)),window.addEventListener("reset",Bn(this,Uo),!1),window.addEventListener("click",Bn(this,$o),!1)}disconnectedCallback(){var e;null===(e=Bn(this,qo))||void 0===e||e.destroy(),window.removeEventListener("reset",Bn(this,Uo),!1),window.removeEventListener("click",Bn(this,$o),!1)}get labels(){const e=[];this.element.id&&this.element.ownerDocument&&e.push(...Array.from(this.element.ownerDocument.querySelectorAll("label[for='".concat(this.element.id,"']"))||[]));const t=k(this.element,{matchingSelector:"label"});return t&&[this.element,null].includes(t.control)&&e.push(t),e}get disabled(){return console.warn("This browser does not support the [disabled] attribute for trix-editor elements."),!1}set disabled(e){console.warn("This browser does not support the [disabled] attribute for trix-editor elements.")}get required(){return console.warn("This browser does not support the [required] attribute for trix-editor elements."),!1}set required(e){console.warn("This browser does not support the [required] attribute for trix-editor elements.")}get validity(){return console.warn("This browser does not support the validity property for trix-editor elements."),null}get validationMessage(){return console.warn("This browser does not support the validationMessage property for trix-editor elements."),""}get willValidate(){return console.warn("This browser does not support the willValidate property for trix-editor elements."),!1}setFormValue(e){}checkValidity(){return console.warn("This browser does not support checkValidity() for trix-editor elements."),!0}reportValidity(){return console.warn("This browser does not support reportValidity() for trix-editor elements."),!0}setCustomValidity(e){console.warn("This browser does not support setCustomValidity(validationMessage) for trix-editor elements.")}}var Go=new WeakMap;class Ko extends HTMLElement{constructor(){super(),Vn(this,Go,{writable:!0,value:void 0}),Mn(this,Go,this.constructor.formAssociated?new Fo(this):new Wo(this))}get trixId(){return this.hasAttribute("trix-id")?this.getAttribute("trix-id"):(this.setAttribute("trix-id",++Zo),this.trixId)}get labels(){return Bn(this,Go).labels}get disabled(){return Bn(this,Go).disabled}set disabled(e){Bn(this,Go).disabled=e}get required(){return Bn(this,Go).required}set required(e){Bn(this,Go).required=e}get validity(){return Bn(this,Go).validity}get validationMessage(){return Bn(this,Go).validationMessage}get willValidate(){return Bn(this,Go).willValidate}get type(){return this.localName}get toolbarElement(){var e;if(this.hasAttribute("toolbar"))return null===(e=this.ownerDocument)||void 0===e?void 0:e.getElementById(this.getAttribute("toolbar"));if(this.parentNode){const e="trix-toolbar-".concat(this.trixId);this.setAttribute("toolbar",e);const t=S("trix-toolbar",{id:e});return this.parentNode.insertBefore(t,this),t}}get form(){var e;return null===(e=this.inputElement)||void 0===e?void 0:e.form}get inputElement(){var e;if(this.hasAttribute("input"))return null===(e=this.ownerDocument)||void 0===e?void 0:e.getElementById(this.getAttribute("input"));if(this.parentNode){const e="trix-input-".concat(this.trixId);this.setAttribute("input",e);const t=S("input",{type:"hidden",id:e});return this.parentNode.insertBefore(t,this.nextElementSibling),t}}get editor(){var e;return null===(e=this.editorController)||void 0===e?void 0:e.editor}get name(){var e;return null===(e=this.inputElement)||void 0===e?void 0:e.name}get value(){var e;return null===(e=this.inputElement)||void 0===e?void 0:e.value}set value(e){var t;this.defaultValue=e,null===(t=this.editor)||void 0===t||t.loadHTML(this.defaultValue)}notify(e,t){if(this.editorController)return b("trix-".concat(e),{onElement:this,attributes:t})}setFormValue(e){this.inputElement&&(this.inputElement.value=e,Bn(this,Go).setFormValue(e))}connectedCallback(){this.hasAttribute("data-trix-internal")||(function(e){if(!e.hasAttribute("contenteditable"))e.setAttribute("contenteditable",""),function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};t.times=1,y(e,t)}("focus",{onElement:e,withCallback:()=>Oo(e)})}(this),function(e){e.hasAttribute("role")||e.setAttribute("role","textbox")}(this),this.editorController||(b("trix-before-initialize",{onElement:this}),this.editorController=new No({editorElement:this,html:this.defaultValue=this.value}),requestAnimationFrame((()=>b("trix-initialize",{onElement:this})))),this.editorController.registerSelectionManager(),Bn(this,Go).connectedCallback(),function(e){!document.querySelector(":focus")&&e.hasAttribute("autofocus")&&document.querySelector("[autofocus]")===e&&e.focus()}(this))}disconnectedCallback(){var e;null===(e=this.editorController)||void 0===e||e.unregisterSelectionManager(),Bn(this,Go).disconnectedCallback()}checkValidity(){return Bn(this,Go).checkValidity()}reportValidity(){return Bn(this,Go).reportValidity()}setCustomValidity(e){Bn(this,Go).setCustomValidity(e)}formDisabledCallback(e){this.inputElement&&(this.inputElement.disabled=e),this.toggleAttribute("contenteditable",!e)}formResetCallback(){this.reset()}reset(){this.value=this.defaultValue}}Cn(Ko,"formAssociated","ElementInternals"in window);const Yo={VERSION:"2.1.12",config:U,core:mr,models:Ir,views:Zr,controllers:Vo,observers:Lo,operations:To,elements:Object.freeze({__proto__:null,TrixEditorElement:Ko,TrixToolbarElement:Io}),filters:Object.freeze({__proto__:null,Filter:Er,attachmentGalleryFilter:Ar})};Object.assign(Yo,Ir),window.Trix=Yo,setTimeout((function(){customElements.get("trix-toolbar")||customElements.define("trix-toolbar",Io),customElements.get("trix-editor")||customElements.define("trix-editor",Ko)}),0)},66262:(e,t)=>{"use strict";t.A=(e,t)=>{const n=e.__vccOpts||e;for(const[e,r]of t)n[e]=r;return n}},29726:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BaseTransition:()=>hr,BaseTransitionPropsValidators:()=>cr,Comment:()=>ca,DeprecationTypes:()=>xl,EffectScope:()=>fe,ErrorCodes:()=>mn,ErrorTypeStrings:()=>ml,Fragment:()=>la,KeepAlive:()=>Fr,ReactiveEffect:()=>ye,Static:()=>ua,Suspense:()=>ta,Teleport:()=>nr,Text:()=>sa,TrackOpTypes:()=>on,Transition:()=>Tl,TransitionGroup:()=>Ss,TriggerOpTypes:()=>an,VueElement:()=>xs,assertNumber:()=>fn,callWithAsyncErrorHandling:()=>wn,callWithErrorHandling:()=>gn,camelize:()=>T,capitalize:()=>O,cloneVNode:()=>Na,compatUtils:()=>bl,compile:()=>ap,computed:()=>sl,createApp:()=>ac,createBlock:()=>ba,createCommentVNode:()=>Ta,createElementBlock:()=>ya,createElementVNode:()=>Ba,createHydrationRenderer:()=>Ci,createPropsRestProxy:()=>Po,createRenderer:()=>Ai,createSSRApp:()=>lc,createSlots:()=>wo,createStaticVNode:()=>La,createTextVNode:()=>Va,createVNode:()=>Ma,customRef:()=>Xt,defineAsyncComponent:()=>Hr,defineComponent:()=>yr,defineCustomElement:()=>ws,defineEmits:()=>_o,defineExpose:()=>So,defineModel:()=>Lo,defineOptions:()=>No,defineProps:()=>Mo,defineSSRCustomElement:()=>ys,defineSlots:()=>Vo,devtools:()=>vl,effect:()=>Le,effectScope:()=>me,getCurrentInstance:()=>za,getCurrentScope:()=>ve,getCurrentWatcher:()=>un,getTransitionRawChildren:()=>wr,guardReactiveProps:()=>Sa,h:()=>cl,handleError:()=>yn,hasInjectionContext:()=>ai,hydrate:()=>ic,hydrateOnIdle:()=>Ir,hydrateOnInteraction:()=>Dr,hydrateOnMediaQuery:()=>Or,hydrateOnVisible:()=>Zr,initCustomFormatter:()=>ul,initDirectivesForSSR:()=>dc,inject:()=>ii,isMemoSame:()=>hl,isProxy:()=>Zt,isReactive:()=>Lt,isReadonly:()=>Tt,isRef:()=>Pt,isRuntimeOnly:()=>tl,isShallow:()=>It,isVNode:()=>xa,markRaw:()=>Dt,mergeDefaults:()=>Ro,mergeModels:()=>Ho,mergeProps:()=>Da,nextTick:()=>Mn,normalizeClass:()=>X,normalizeProps:()=>J,normalizeStyle:()=>$,onActivated:()=>qr,onBeforeMount:()=>Jr,onBeforeUnmount:()=>no,onBeforeUpdate:()=>eo,onDeactivated:()=>Ur,onErrorCaptured:()=>lo,onMounted:()=>Qr,onRenderTracked:()=>ao,onRenderTriggered:()=>io,onScopeDispose:()=>ge,onServerPrefetch:()=>oo,onUnmounted:()=>ro,onUpdated:()=>to,onWatcherCleanup:()=>dn,openBlock:()=>pa,popScopeId:()=>Fn,provide:()=>oi,proxyRefs:()=>Kt,pushScopeId:()=>jn,queuePostFlushCb:()=>Nn,reactive:()=>Mt,readonly:()=>St,ref:()=>jt,registerRuntimeCompiler:()=>el,render:()=>oc,renderList:()=>go,renderSlot:()=>yo,resolveComponent:()=>uo,resolveDirective:()=>fo,resolveDynamicComponent:()=>po,resolveFilter:()=>yl,resolveTransitionHooks:()=>fr,setBlockTracking:()=>ga,setDevtoolsHook:()=>gl,setTransitionHooks:()=>gr,shallowReactive:()=>_t,shallowReadonly:()=>Nt,shallowRef:()=>Ft,ssrContextKey:()=>Ti,ssrUtils:()=>wl,stop:()=>Te,toDisplayString:()=>ce,toHandlerKey:()=>D,toHandlers:()=>xo,toRaw:()=>Ot,toRef:()=>tn,toRefs:()=>Jt,toValue:()=>Wt,transformVNodeArgs:()=>Ea,triggerRef:()=>Ut,unref:()=>$t,useAttrs:()=>Zo,useCssModule:()=>As,useCssVars:()=>Jl,useHost:()=>ks,useId:()=>br,useModel:()=>Fi,useSSRContext:()=>Ii,useShadowRoot:()=>Es,useSlots:()=>Io,useTemplateRef:()=>kr,useTransitionState:()=>lr,vModelCheckbox:()=>Rs,vModelDynamic:()=>Us,vModelRadio:()=>Ps,vModelSelect:()=>js,vModelText:()=>Ds,vShow:()=>Kl,version:()=>pl,warn:()=>fl,watch:()=>Ri,watchEffect:()=>Zi,watchPostEffect:()=>Oi,watchSyncEffect:()=>Di,withAsyncContext:()=>jo,withCtx:()=>qn,withDefaults:()=>To,withDirectives:()=>Un,withKeys:()=>Js,withMemo:()=>dl,withModifiers:()=>Ys,withScopeId:()=>zn});var r={};function o(e){const t=Object.create(null);for(const n of e.split(","))t[n]=1;return e=>e in t}n.r(r),n.d(r,{BaseTransition:()=>hr,BaseTransitionPropsValidators:()=>cr,Comment:()=>ca,DeprecationTypes:()=>xl,EffectScope:()=>fe,ErrorCodes:()=>mn,ErrorTypeStrings:()=>ml,Fragment:()=>la,KeepAlive:()=>Fr,ReactiveEffect:()=>ye,Static:()=>ua,Suspense:()=>ta,Teleport:()=>nr,Text:()=>sa,TrackOpTypes:()=>on,Transition:()=>Tl,TransitionGroup:()=>Ss,TriggerOpTypes:()=>an,VueElement:()=>xs,assertNumber:()=>fn,callWithAsyncErrorHandling:()=>wn,callWithErrorHandling:()=>gn,camelize:()=>T,capitalize:()=>O,cloneVNode:()=>Na,compatUtils:()=>bl,computed:()=>sl,createApp:()=>ac,createBlock:()=>ba,createCommentVNode:()=>Ta,createElementBlock:()=>ya,createElementVNode:()=>Ba,createHydrationRenderer:()=>Ci,createPropsRestProxy:()=>Po,createRenderer:()=>Ai,createSSRApp:()=>lc,createSlots:()=>wo,createStaticVNode:()=>La,createTextVNode:()=>Va,createVNode:()=>Ma,customRef:()=>Xt,defineAsyncComponent:()=>Hr,defineComponent:()=>yr,defineCustomElement:()=>ws,defineEmits:()=>_o,defineExpose:()=>So,defineModel:()=>Lo,defineOptions:()=>No,defineProps:()=>Mo,defineSSRCustomElement:()=>ys,defineSlots:()=>Vo,devtools:()=>vl,effect:()=>Le,effectScope:()=>me,getCurrentInstance:()=>za,getCurrentScope:()=>ve,getCurrentWatcher:()=>un,getTransitionRawChildren:()=>wr,guardReactiveProps:()=>Sa,h:()=>cl,handleError:()=>yn,hasInjectionContext:()=>ai,hydrate:()=>ic,hydrateOnIdle:()=>Ir,hydrateOnInteraction:()=>Dr,hydrateOnMediaQuery:()=>Or,hydrateOnVisible:()=>Zr,initCustomFormatter:()=>ul,initDirectivesForSSR:()=>dc,inject:()=>ii,isMemoSame:()=>hl,isProxy:()=>Zt,isReactive:()=>Lt,isReadonly:()=>Tt,isRef:()=>Pt,isRuntimeOnly:()=>tl,isShallow:()=>It,isVNode:()=>xa,markRaw:()=>Dt,mergeDefaults:()=>Ro,mergeModels:()=>Ho,mergeProps:()=>Da,nextTick:()=>Mn,normalizeClass:()=>X,normalizeProps:()=>J,normalizeStyle:()=>$,onActivated:()=>qr,onBeforeMount:()=>Jr,onBeforeUnmount:()=>no,onBeforeUpdate:()=>eo,onDeactivated:()=>Ur,onErrorCaptured:()=>lo,onMounted:()=>Qr,onRenderTracked:()=>ao,onRenderTriggered:()=>io,onScopeDispose:()=>ge,onServerPrefetch:()=>oo,onUnmounted:()=>ro,onUpdated:()=>to,onWatcherCleanup:()=>dn,openBlock:()=>pa,popScopeId:()=>Fn,provide:()=>oi,proxyRefs:()=>Kt,pushScopeId:()=>jn,queuePostFlushCb:()=>Nn,reactive:()=>Mt,readonly:()=>St,ref:()=>jt,registerRuntimeCompiler:()=>el,render:()=>oc,renderList:()=>go,renderSlot:()=>yo,resolveComponent:()=>uo,resolveDirective:()=>fo,resolveDynamicComponent:()=>po,resolveFilter:()=>yl,resolveTransitionHooks:()=>fr,setBlockTracking:()=>ga,setDevtoolsHook:()=>gl,setTransitionHooks:()=>gr,shallowReactive:()=>_t,shallowReadonly:()=>Nt,shallowRef:()=>Ft,ssrContextKey:()=>Ti,ssrUtils:()=>wl,stop:()=>Te,toDisplayString:()=>ce,toHandlerKey:()=>D,toHandlers:()=>xo,toRaw:()=>Ot,toRef:()=>tn,toRefs:()=>Jt,toValue:()=>Wt,transformVNodeArgs:()=>Ea,triggerRef:()=>Ut,unref:()=>$t,useAttrs:()=>Zo,useCssModule:()=>As,useCssVars:()=>Jl,useHost:()=>ks,useId:()=>br,useModel:()=>Fi,useSSRContext:()=>Ii,useShadowRoot:()=>Es,useSlots:()=>Io,useTemplateRef:()=>kr,useTransitionState:()=>lr,vModelCheckbox:()=>Rs,vModelDynamic:()=>Us,vModelRadio:()=>Ps,vModelSelect:()=>js,vModelText:()=>Ds,vShow:()=>Kl,version:()=>pl,warn:()=>fl,watch:()=>Ri,watchEffect:()=>Zi,watchPostEffect:()=>Oi,watchSyncEffect:()=>Di,withAsyncContext:()=>jo,withCtx:()=>qn,withDefaults:()=>To,withDirectives:()=>Un,withKeys:()=>Js,withMemo:()=>dl,withModifiers:()=>Ys,withScopeId:()=>zn});const i={},a=[],l=()=>{},s=()=>!1,c=e=>111===e.charCodeAt(0)&&110===e.charCodeAt(1)&&(e.charCodeAt(2)>122||e.charCodeAt(2)<97),u=e=>e.startsWith("onUpdate:"),d=Object.assign,h=(e,t)=>{const n=e.indexOf(t);n>-1&&e.splice(n,1)},p=Object.prototype.hasOwnProperty,f=(e,t)=>p.call(e,t),m=Array.isArray,v=e=>"[object Map]"===C(e),g=e=>"[object Set]"===C(e),w=e=>"[object Date]"===C(e),y=e=>"function"==typeof e,b=e=>"string"==typeof e,x=e=>"symbol"==typeof e,k=e=>null!==e&&"object"==typeof e,E=e=>(k(e)||y(e))&&y(e.then)&&y(e.catch),A=Object.prototype.toString,C=e=>A.call(e),B=e=>C(e).slice(8,-1),M=e=>"[object Object]"===C(e),_=e=>b(e)&&"NaN"!==e&&"-"!==e[0]&&""+parseInt(e,10)===e,S=o(",key,ref,ref_for,ref_key,onVnodeBeforeMount,onVnodeMounted,onVnodeBeforeUpdate,onVnodeUpdated,onVnodeBeforeUnmount,onVnodeUnmounted"),N=o("bind,cloak,else-if,else,for,html,if,model,on,once,pre,show,slot,text,memo"),V=e=>{const t=Object.create(null);return n=>t[n]||(t[n]=e(n))},L=/-(\w)/g,T=V((e=>e.replace(L,((e,t)=>t?t.toUpperCase():"")))),I=/\B([A-Z])/g,Z=V((e=>e.replace(I,"-$1").toLowerCase())),O=V((e=>e.charAt(0).toUpperCase()+e.slice(1))),D=V((e=>e?`on${O(e)}`:"")),R=(e,t)=>!Object.is(e,t),H=(e,...t)=>{for(let n=0;n<e.length;n++)e[n](...t)},P=(e,t,n,r=!1)=>{Object.defineProperty(e,t,{configurable:!0,enumerable:!1,writable:r,value:n})},j=e=>{const t=parseFloat(e);return isNaN(t)?e:t},F=e=>{const t=b(e)?Number(e):NaN;return isNaN(t)?e:t};let z;const q=()=>z||(z="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof self?self:"undefined"!=typeof window?window:void 0!==n.g?n.g:{});const U=o("Infinity,undefined,NaN,isFinite,isNaN,parseFloat,parseInt,decodeURI,decodeURIComponent,encodeURI,encodeURIComponent,Math,Number,Date,Array,Object,Boolean,String,RegExp,Map,Set,JSON,Intl,BigInt,console,Error,Symbol");function $(e){if(m(e)){const t={};for(let n=0;n<e.length;n++){const r=e[n],o=b(r)?Y(r):$(r);if(o)for(const e in o)t[e]=o[e]}return t}if(b(e)||k(e))return e}const W=/;(?![^(]*\))/g,G=/:([^]+)/,K=/\/\*[^]*?\*\//g;function Y(e){const t={};return e.replace(K,"").split(W).forEach((e=>{if(e){const n=e.split(G);n.length>1&&(t[n[0].trim()]=n[1].trim())}})),t}function X(e){let t="";if(b(e))t=e;else if(m(e))for(let n=0;n<e.length;n++){const r=X(e[n]);r&&(t+=r+" ")}else if(k(e))for(const n in e)e[n]&&(t+=n+" ");return t.trim()}function J(e){if(!e)return null;let{class:t,style:n}=e;return t&&!b(t)&&(e.class=X(t)),n&&(e.style=$(n)),e}const Q=o("html,body,base,head,link,meta,style,title,address,article,aside,footer,header,hgroup,h1,h2,h3,h4,h5,h6,nav,section,div,dd,dl,dt,figcaption,figure,picture,hr,img,li,main,ol,p,pre,ul,a,b,abbr,bdi,bdo,br,cite,code,data,dfn,em,i,kbd,mark,q,rp,rt,ruby,s,samp,small,span,strong,sub,sup,time,u,var,wbr,area,audio,map,track,video,embed,object,param,source,canvas,script,noscript,del,ins,caption,col,colgroup,table,thead,tbody,td,th,tr,button,datalist,fieldset,form,input,label,legend,meter,optgroup,option,output,progress,select,textarea,details,dialog,menu,summary,template,blockquote,iframe,tfoot"),ee=o("svg,animate,animateMotion,animateTransform,circle,clipPath,color-profile,defs,desc,discard,ellipse,feBlend,feColorMatrix,feComponentTransfer,feComposite,feConvolveMatrix,feDiffuseLighting,feDisplacementMap,feDistantLight,feDropShadow,feFlood,feFuncA,feFuncB,feFuncG,feFuncR,feGaussianBlur,feImage,feMerge,feMergeNode,feMorphology,feOffset,fePointLight,feSpecularLighting,feSpotLight,feTile,feTurbulence,filter,foreignObject,g,hatch,hatchpath,image,line,linearGradient,marker,mask,mesh,meshgradient,meshpatch,meshrow,metadata,mpath,path,pattern,polygon,polyline,radialGradient,rect,set,solidcolor,stop,switch,symbol,text,textPath,title,tspan,unknown,use,view"),te=o("annotation,annotation-xml,maction,maligngroup,malignmark,math,menclose,merror,mfenced,mfrac,mfraction,mglyph,mi,mlabeledtr,mlongdiv,mmultiscripts,mn,mo,mover,mpadded,mphantom,mprescripts,mroot,mrow,ms,mscarries,mscarry,msgroup,msline,mspace,msqrt,msrow,mstack,mstyle,msub,msubsup,msup,mtable,mtd,mtext,mtr,munder,munderover,none,semantics"),ne=o("area,base,br,col,embed,hr,img,input,link,meta,param,source,track,wbr"),re="itemscope,allowfullscreen,formnovalidate,ismap,nomodule,novalidate,readonly",oe=o(re);function ie(e){return!!e||""===e}function ae(e,t){if(e===t)return!0;let n=w(e),r=w(t);if(n||r)return!(!n||!r)&&e.getTime()===t.getTime();if(n=x(e),r=x(t),n||r)return e===t;if(n=m(e),r=m(t),n||r)return!(!n||!r)&&function(e,t){if(e.length!==t.length)return!1;let n=!0;for(let r=0;n&&r<e.length;r++)n=ae(e[r],t[r]);return n}(e,t);if(n=k(e),r=k(t),n||r){if(!n||!r)return!1;if(Object.keys(e).length!==Object.keys(t).length)return!1;for(const n in e){const r=e.hasOwnProperty(n),o=t.hasOwnProperty(n);if(r&&!o||!r&&o||!ae(e[n],t[n]))return!1}}return String(e)===String(t)}function le(e,t){return e.findIndex((e=>ae(e,t)))}const se=e=>!(!e||!0!==e.__v_isRef),ce=e=>b(e)?e:null==e?"":m(e)||k(e)&&(e.toString===A||!y(e.toString))?se(e)?ce(e.value):JSON.stringify(e,ue,2):String(e),ue=(e,t)=>se(t)?ue(e,t.value):v(t)?{[`Map(${t.size})`]:[...t.entries()].reduce(((e,[t,n],r)=>(e[de(t,r)+" =>"]=n,e)),{})}:g(t)?{[`Set(${t.size})`]:[...t.values()].map((e=>de(e)))}:x(t)?de(t):!k(t)||m(t)||M(t)?t:String(t),de=(e,t="")=>{var n;return x(e)?`Symbol(${null!=(n=e.description)?n:t})`:e};let he,pe;class fe{constructor(e=!1){this.detached=e,this._active=!0,this.effects=[],this.cleanups=[],this._isPaused=!1,this.parent=he,!e&&he&&(this.index=(he.scopes||(he.scopes=[])).push(this)-1)}get active(){return this._active}pause(){if(this._active){let e,t;if(this._isPaused=!0,this.scopes)for(e=0,t=this.scopes.length;e<t;e++)this.scopes[e].pause();for(e=0,t=this.effects.length;e<t;e++)this.effects[e].pause()}}resume(){if(this._active&&this._isPaused){let e,t;if(this._isPaused=!1,this.scopes)for(e=0,t=this.scopes.length;e<t;e++)this.scopes[e].resume();for(e=0,t=this.effects.length;e<t;e++)this.effects[e].resume()}}run(e){if(this._active){const t=he;try{return he=this,e()}finally{he=t}}else 0}on(){he=this}off(){he=this.parent}stop(e){if(this._active){let t,n;for(this._active=!1,t=0,n=this.effects.length;t<n;t++)this.effects[t].stop();for(this.effects.length=0,t=0,n=this.cleanups.length;t<n;t++)this.cleanups[t]();if(this.cleanups.length=0,this.scopes){for(t=0,n=this.scopes.length;t<n;t++)this.scopes[t].stop(!0);this.scopes.length=0}if(!this.detached&&this.parent&&!e){const e=this.parent.scopes.pop();e&&e!==this&&(this.parent.scopes[this.index]=e,e.index=this.index)}this.parent=void 0}}}function me(e){return new fe(e)}function ve(){return he}function ge(e,t=!1){he&&he.cleanups.push(e)}const we=new WeakSet;class ye{constructor(e){this.fn=e,this.deps=void 0,this.depsTail=void 0,this.flags=5,this.next=void 0,this.cleanup=void 0,this.scheduler=void 0,he&&he.active&&he.effects.push(this)}pause(){this.flags|=64}resume(){64&this.flags&&(this.flags&=-65,we.has(this)&&(we.delete(this),this.trigger()))}notify(){2&this.flags&&!(32&this.flags)||8&this.flags||Ee(this)}run(){if(!(1&this.flags))return this.fn();this.flags|=2,Re(this),Be(this);const e=pe,t=Ie;pe=this,Ie=!0;try{return this.fn()}finally{0,Me(this),pe=e,Ie=t,this.flags&=-3}}stop(){if(1&this.flags){for(let e=this.deps;e;e=e.nextDep)Ne(e);this.deps=this.depsTail=void 0,Re(this),this.onStop&&this.onStop(),this.flags&=-2}}trigger(){64&this.flags?we.add(this):this.scheduler?this.scheduler():this.runIfDirty()}runIfDirty(){_e(this)&&this.run()}get dirty(){return _e(this)}}let be,xe,ke=0;function Ee(e,t=!1){if(e.flags|=8,t)return e.next=xe,void(xe=e);e.next=be,be=e}function Ae(){ke++}function Ce(){if(--ke>0)return;if(xe){let e=xe;for(xe=void 0;e;){const t=e.next;e.next=void 0,e.flags&=-9,e=t}}let e;for(;be;){let t=be;for(be=void 0;t;){const n=t.next;if(t.next=void 0,t.flags&=-9,1&t.flags)try{t.trigger()}catch(t){e||(e=t)}t=n}}if(e)throw e}function Be(e){for(let t=e.deps;t;t=t.nextDep)t.version=-1,t.prevActiveLink=t.dep.activeLink,t.dep.activeLink=t}function Me(e){let t,n=e.depsTail,r=n;for(;r;){const e=r.prevDep;-1===r.version?(r===n&&(n=e),Ne(r),Ve(r)):t=r,r.dep.activeLink=r.prevActiveLink,r.prevActiveLink=void 0,r=e}e.deps=t,e.depsTail=n}function _e(e){for(let t=e.deps;t;t=t.nextDep)if(t.dep.version!==t.version||t.dep.computed&&(Se(t.dep.computed)||t.dep.version!==t.version))return!0;return!!e._dirty}function Se(e){if(4&e.flags&&!(16&e.flags))return;if(e.flags&=-17,e.globalVersion===He)return;e.globalVersion=He;const t=e.dep;if(e.flags|=2,t.version>0&&!e.isSSR&&e.deps&&!_e(e))return void(e.flags&=-3);const n=pe,r=Ie;pe=e,Ie=!0;try{Be(e);const n=e.fn(e._value);(0===t.version||R(n,e._value))&&(e._value=n,t.version++)}catch(e){throw t.version++,e}finally{pe=n,Ie=r,Me(e),e.flags&=-3}}function Ne(e,t=!1){const{dep:n,prevSub:r,nextSub:o}=e;if(r&&(r.nextSub=o,e.prevSub=void 0),o&&(o.prevSub=r,e.nextSub=void 0),n.subs===e&&(n.subs=r,!r&&n.computed)){n.computed.flags&=-5;for(let e=n.computed.deps;e;e=e.nextDep)Ne(e,!0)}t||--n.sc||!n.map||n.map.delete(n.key)}function Ve(e){const{prevDep:t,nextDep:n}=e;t&&(t.nextDep=n,e.prevDep=void 0),n&&(n.prevDep=t,e.nextDep=void 0)}function Le(e,t){e.effect instanceof ye&&(e=e.effect.fn);const n=new ye(e);t&&d(n,t);try{n.run()}catch(e){throw n.stop(),e}const r=n.run.bind(n);return r.effect=n,r}function Te(e){e.effect.stop()}let Ie=!0;const Ze=[];function Oe(){Ze.push(Ie),Ie=!1}function De(){const e=Ze.pop();Ie=void 0===e||e}function Re(e){const{cleanup:t}=e;if(e.cleanup=void 0,t){const e=pe;pe=void 0;try{t()}finally{pe=e}}}let He=0;class Pe{constructor(e,t){this.sub=e,this.dep=t,this.version=t.version,this.nextDep=this.prevDep=this.nextSub=this.prevSub=this.prevActiveLink=void 0}}class je{constructor(e){this.computed=e,this.version=0,this.activeLink=void 0,this.subs=void 0,this.map=void 0,this.key=void 0,this.sc=0}track(e){if(!pe||!Ie||pe===this.computed)return;let t=this.activeLink;if(void 0===t||t.sub!==pe)t=this.activeLink=new Pe(pe,this),pe.deps?(t.prevDep=pe.depsTail,pe.depsTail.nextDep=t,pe.depsTail=t):pe.deps=pe.depsTail=t,Fe(t);else if(-1===t.version&&(t.version=this.version,t.nextDep)){const e=t.nextDep;e.prevDep=t.prevDep,t.prevDep&&(t.prevDep.nextDep=e),t.prevDep=pe.depsTail,t.nextDep=void 0,pe.depsTail.nextDep=t,pe.depsTail=t,pe.deps===t&&(pe.deps=e)}return t}trigger(e){this.version++,He++,this.notify(e)}notify(e){Ae();try{0;for(let e=this.subs;e;e=e.prevSub)e.sub.notify()&&e.sub.dep.notify()}finally{Ce()}}}function Fe(e){if(e.dep.sc++,4&e.sub.flags){const t=e.dep.computed;if(t&&!e.dep.subs){t.flags|=20;for(let e=t.deps;e;e=e.nextDep)Fe(e)}const n=e.dep.subs;n!==e&&(e.prevSub=n,n&&(n.nextSub=e)),e.dep.subs=e}}const ze=new WeakMap,qe=Symbol(""),Ue=Symbol(""),$e=Symbol("");function We(e,t,n){if(Ie&&pe){let t=ze.get(e);t||ze.set(e,t=new Map);let r=t.get(n);r||(t.set(n,r=new je),r.map=t,r.key=n),r.track()}}function Ge(e,t,n,r,o,i){const a=ze.get(e);if(!a)return void He++;const l=e=>{e&&e.trigger()};if(Ae(),"clear"===t)a.forEach(l);else{const o=m(e),i=o&&_(n);if(o&&"length"===n){const e=Number(r);a.forEach(((t,n)=>{("length"===n||n===$e||!x(n)&&n>=e)&&l(t)}))}else switch((void 0!==n||a.has(void 0))&&l(a.get(n)),i&&l(a.get($e)),t){case"add":o?i&&l(a.get("length")):(l(a.get(qe)),v(e)&&l(a.get(Ue)));break;case"delete":o||(l(a.get(qe)),v(e)&&l(a.get(Ue)));break;case"set":v(e)&&l(a.get(qe))}}Ce()}function Ke(e){const t=Ot(e);return t===e?t:(We(t,0,$e),It(e)?t:t.map(Rt))}function Ye(e){return We(e=Ot(e),0,$e),e}const Xe={__proto__:null,[Symbol.iterator](){return Je(this,Symbol.iterator,Rt)},concat(...e){return Ke(this).concat(...e.map((e=>m(e)?Ke(e):e)))},entries(){return Je(this,"entries",(e=>(e[1]=Rt(e[1]),e)))},every(e,t){return et(this,"every",e,t,void 0,arguments)},filter(e,t){return et(this,"filter",e,t,(e=>e.map(Rt)),arguments)},find(e,t){return et(this,"find",e,t,Rt,arguments)},findIndex(e,t){return et(this,"findIndex",e,t,void 0,arguments)},findLast(e,t){return et(this,"findLast",e,t,Rt,arguments)},findLastIndex(e,t){return et(this,"findLastIndex",e,t,void 0,arguments)},forEach(e,t){return et(this,"forEach",e,t,void 0,arguments)},includes(...e){return nt(this,"includes",e)},indexOf(...e){return nt(this,"indexOf",e)},join(e){return Ke(this).join(e)},lastIndexOf(...e){return nt(this,"lastIndexOf",e)},map(e,t){return et(this,"map",e,t,void 0,arguments)},pop(){return rt(this,"pop")},push(...e){return rt(this,"push",e)},reduce(e,...t){return tt(this,"reduce",e,t)},reduceRight(e,...t){return tt(this,"reduceRight",e,t)},shift(){return rt(this,"shift")},some(e,t){return et(this,"some",e,t,void 0,arguments)},splice(...e){return rt(this,"splice",e)},toReversed(){return Ke(this).toReversed()},toSorted(e){return Ke(this).toSorted(e)},toSpliced(...e){return Ke(this).toSpliced(...e)},unshift(...e){return rt(this,"unshift",e)},values(){return Je(this,"values",Rt)}};function Je(e,t,n){const r=Ye(e),o=r[t]();return r===e||It(e)||(o._next=o.next,o.next=()=>{const e=o._next();return e.value&&(e.value=n(e.value)),e}),o}const Qe=Array.prototype;function et(e,t,n,r,o,i){const a=Ye(e),l=a!==e&&!It(e),s=a[t];if(s!==Qe[t]){const t=s.apply(e,i);return l?Rt(t):t}let c=n;a!==e&&(l?c=function(t,r){return n.call(this,Rt(t),r,e)}:n.length>2&&(c=function(t,r){return n.call(this,t,r,e)}));const u=s.call(a,c,r);return l&&o?o(u):u}function tt(e,t,n,r){const o=Ye(e);let i=n;return o!==e&&(It(e)?n.length>3&&(i=function(t,r,o){return n.call(this,t,r,o,e)}):i=function(t,r,o){return n.call(this,t,Rt(r),o,e)}),o[t](i,...r)}function nt(e,t,n){const r=Ot(e);We(r,0,$e);const o=r[t](...n);return-1!==o&&!1!==o||!Zt(n[0])?o:(n[0]=Ot(n[0]),r[t](...n))}function rt(e,t,n=[]){Oe(),Ae();const r=Ot(e)[t].apply(e,n);return Ce(),De(),r}const ot=o("__proto__,__v_isRef,__isVue"),it=new Set(Object.getOwnPropertyNames(Symbol).filter((e=>"arguments"!==e&&"caller"!==e)).map((e=>Symbol[e])).filter(x));function at(e){x(e)||(e=String(e));const t=Ot(this);return We(t,0,e),t.hasOwnProperty(e)}class lt{constructor(e=!1,t=!1){this._isReadonly=e,this._isShallow=t}get(e,t,n){if("__v_skip"===t)return e.__v_skip;const r=this._isReadonly,o=this._isShallow;if("__v_isReactive"===t)return!r;if("__v_isReadonly"===t)return r;if("__v_isShallow"===t)return o;if("__v_raw"===t)return n===(r?o?Bt:Ct:o?At:Et).get(e)||Object.getPrototypeOf(e)===Object.getPrototypeOf(n)?e:void 0;const i=m(e);if(!r){let e;if(i&&(e=Xe[t]))return e;if("hasOwnProperty"===t)return at}const a=Reflect.get(e,t,Pt(e)?e:n);return(x(t)?it.has(t):ot(t))?a:(r||We(e,0,t),o?a:Pt(a)?i&&_(t)?a:a.value:k(a)?r?St(a):Mt(a):a)}}class st extends lt{constructor(e=!1){super(!1,e)}set(e,t,n,r){let o=e[t];if(!this._isShallow){const t=Tt(o);if(It(n)||Tt(n)||(o=Ot(o),n=Ot(n)),!m(e)&&Pt(o)&&!Pt(n))return!t&&(o.value=n,!0)}const i=m(e)&&_(t)?Number(t)<e.length:f(e,t),a=Reflect.set(e,t,n,Pt(e)?e:r);return e===Ot(r)&&(i?R(n,o)&&Ge(e,"set",t,n):Ge(e,"add",t,n)),a}deleteProperty(e,t){const n=f(e,t),r=(e[t],Reflect.deleteProperty(e,t));return r&&n&&Ge(e,"delete",t,void 0),r}has(e,t){const n=Reflect.has(e,t);return x(t)&&it.has(t)||We(e,0,t),n}ownKeys(e){return We(e,0,m(e)?"length":qe),Reflect.ownKeys(e)}}class ct extends lt{constructor(e=!1){super(!0,e)}set(e,t){return!0}deleteProperty(e,t){return!0}}const ut=new st,dt=new ct,ht=new st(!0),pt=new ct(!0),ft=e=>e,mt=e=>Reflect.getPrototypeOf(e);function vt(e){return function(...t){return"delete"!==e&&("clear"===e?void 0:this)}}function gt(e,t){const n={get(n){const r=this.__v_raw,o=Ot(r),i=Ot(n);e||(R(n,i)&&We(o,0,n),We(o,0,i));const{has:a}=mt(o),l=t?ft:e?Ht:Rt;return a.call(o,n)?l(r.get(n)):a.call(o,i)?l(r.get(i)):void(r!==o&&r.get(n))},get size(){const t=this.__v_raw;return!e&&We(Ot(t),0,qe),Reflect.get(t,"size",t)},has(t){const n=this.__v_raw,r=Ot(n),o=Ot(t);return e||(R(t,o)&&We(r,0,t),We(r,0,o)),t===o?n.has(t):n.has(t)||n.has(o)},forEach(n,r){const o=this,i=o.__v_raw,a=Ot(i),l=t?ft:e?Ht:Rt;return!e&&We(a,0,qe),i.forEach(((e,t)=>n.call(r,l(e),l(t),o)))}};d(n,e?{add:vt("add"),set:vt("set"),delete:vt("delete"),clear:vt("clear")}:{add(e){t||It(e)||Tt(e)||(e=Ot(e));const n=Ot(this);return mt(n).has.call(n,e)||(n.add(e),Ge(n,"add",e,e)),this},set(e,n){t||It(n)||Tt(n)||(n=Ot(n));const r=Ot(this),{has:o,get:i}=mt(r);let a=o.call(r,e);a||(e=Ot(e),a=o.call(r,e));const l=i.call(r,e);return r.set(e,n),a?R(n,l)&&Ge(r,"set",e,n):Ge(r,"add",e,n),this},delete(e){const t=Ot(this),{has:n,get:r}=mt(t);let o=n.call(t,e);o||(e=Ot(e),o=n.call(t,e));r&&r.call(t,e);const i=t.delete(e);return o&&Ge(t,"delete",e,void 0),i},clear(){const e=Ot(this),t=0!==e.size,n=e.clear();return t&&Ge(e,"clear",void 0,void 0),n}});return["keys","values","entries",Symbol.iterator].forEach((r=>{n[r]=function(e,t,n){return function(...r){const o=this.__v_raw,i=Ot(o),a=v(i),l="entries"===e||e===Symbol.iterator&&a,s="keys"===e&&a,c=o[e](...r),u=n?ft:t?Ht:Rt;return!t&&We(i,0,s?Ue:qe),{next(){const{value:e,done:t}=c.next();return t?{value:e,done:t}:{value:l?[u(e[0]),u(e[1])]:u(e),done:t}},[Symbol.iterator](){return this}}}}(r,e,t)})),n}function wt(e,t){const n=gt(e,t);return(t,r,o)=>"__v_isReactive"===r?!e:"__v_isReadonly"===r?e:"__v_raw"===r?t:Reflect.get(f(n,r)&&r in t?n:t,r,o)}const yt={get:wt(!1,!1)},bt={get:wt(!1,!0)},xt={get:wt(!0,!1)},kt={get:wt(!0,!0)};const Et=new WeakMap,At=new WeakMap,Ct=new WeakMap,Bt=new WeakMap;function Mt(e){return Tt(e)?e:Vt(e,!1,ut,yt,Et)}function _t(e){return Vt(e,!1,ht,bt,At)}function St(e){return Vt(e,!0,dt,xt,Ct)}function Nt(e){return Vt(e,!0,pt,kt,Bt)}function Vt(e,t,n,r,o){if(!k(e))return e;if(e.__v_raw&&(!t||!e.__v_isReactive))return e;const i=o.get(e);if(i)return i;const a=(l=e).__v_skip||!Object.isExtensible(l)?0:function(e){switch(e){case"Object":case"Array":return 1;case"Map":case"Set":case"WeakMap":case"WeakSet":return 2;default:return 0}}(B(l));var l;if(0===a)return e;const s=new Proxy(e,2===a?r:n);return o.set(e,s),s}function Lt(e){return Tt(e)?Lt(e.__v_raw):!(!e||!e.__v_isReactive)}function Tt(e){return!(!e||!e.__v_isReadonly)}function It(e){return!(!e||!e.__v_isShallow)}function Zt(e){return!!e&&!!e.__v_raw}function Ot(e){const t=e&&e.__v_raw;return t?Ot(t):e}function Dt(e){return!f(e,"__v_skip")&&Object.isExtensible(e)&&P(e,"__v_skip",!0),e}const Rt=e=>k(e)?Mt(e):e,Ht=e=>k(e)?St(e):e;function Pt(e){return!!e&&!0===e.__v_isRef}function jt(e){return zt(e,!1)}function Ft(e){return zt(e,!0)}function zt(e,t){return Pt(e)?e:new qt(e,t)}class qt{constructor(e,t){this.dep=new je,this.__v_isRef=!0,this.__v_isShallow=!1,this._rawValue=t?e:Ot(e),this._value=t?e:Rt(e),this.__v_isShallow=t}get value(){return this.dep.track(),this._value}set value(e){const t=this._rawValue,n=this.__v_isShallow||It(e)||Tt(e);e=n?e:Ot(e),R(e,t)&&(this._rawValue=e,this._value=n?e:Rt(e),this.dep.trigger())}}function Ut(e){e.dep&&e.dep.trigger()}function $t(e){return Pt(e)?e.value:e}function Wt(e){return y(e)?e():$t(e)}const Gt={get:(e,t,n)=>"__v_raw"===t?e:$t(Reflect.get(e,t,n)),set:(e,t,n,r)=>{const o=e[t];return Pt(o)&&!Pt(n)?(o.value=n,!0):Reflect.set(e,t,n,r)}};function Kt(e){return Lt(e)?e:new Proxy(e,Gt)}class Yt{constructor(e){this.__v_isRef=!0,this._value=void 0;const t=this.dep=new je,{get:n,set:r}=e(t.track.bind(t),t.trigger.bind(t));this._get=n,this._set=r}get value(){return this._value=this._get()}set value(e){this._set(e)}}function Xt(e){return new Yt(e)}function Jt(e){const t=m(e)?new Array(e.length):{};for(const n in e)t[n]=nn(e,n);return t}class Qt{constructor(e,t,n){this._object=e,this._key=t,this._defaultValue=n,this.__v_isRef=!0,this._value=void 0}get value(){const e=this._object[this._key];return this._value=void 0===e?this._defaultValue:e}set value(e){this._object[this._key]=e}get dep(){return function(e,t){const n=ze.get(e);return n&&n.get(t)}(Ot(this._object),this._key)}}class en{constructor(e){this._getter=e,this.__v_isRef=!0,this.__v_isReadonly=!0,this._value=void 0}get value(){return this._value=this._getter()}}function tn(e,t,n){return Pt(e)?e:y(e)?new en(e):k(e)&&arguments.length>1?nn(e,t,n):jt(e)}function nn(e,t,n){const r=e[t];return Pt(r)?r:new Qt(e,t,n)}class rn{constructor(e,t,n){this.fn=e,this.setter=t,this._value=void 0,this.dep=new je(this),this.__v_isRef=!0,this.deps=void 0,this.depsTail=void 0,this.flags=16,this.globalVersion=He-1,this.next=void 0,this.effect=this,this.__v_isReadonly=!t,this.isSSR=n}notify(){if(this.flags|=16,!(8&this.flags||pe===this))return Ee(this,!0),!0}get value(){const e=this.dep.track();return Se(this),e&&(e.version=this.dep.version),this._value}set value(e){this.setter&&this.setter(e)}}const on={GET:"get",HAS:"has",ITERATE:"iterate"},an={SET:"set",ADD:"add",DELETE:"delete",CLEAR:"clear"},ln={},sn=new WeakMap;let cn;function un(){return cn}function dn(e,t=!1,n=cn){if(n){let t=sn.get(n);t||sn.set(n,t=[]),t.push(e)}else 0}function hn(e,t=1/0,n){if(t<=0||!k(e)||e.__v_skip)return e;if((n=n||new Set).has(e))return e;if(n.add(e),t--,Pt(e))hn(e.value,t,n);else if(m(e))for(let r=0;r<e.length;r++)hn(e[r],t,n);else if(g(e)||v(e))e.forEach((e=>{hn(e,t,n)}));else if(M(e)){for(const r in e)hn(e[r],t,n);for(const r of Object.getOwnPropertySymbols(e))Object.prototype.propertyIsEnumerable.call(e,r)&&hn(e[r],t,n)}return e}const pn=[];function fn(e,t){}const mn={SETUP_FUNCTION:0,0:"SETUP_FUNCTION",RENDER_FUNCTION:1,1:"RENDER_FUNCTION",NATIVE_EVENT_HANDLER:5,5:"NATIVE_EVENT_HANDLER",COMPONENT_EVENT_HANDLER:6,6:"COMPONENT_EVENT_HANDLER",VNODE_HOOK:7,7:"VNODE_HOOK",DIRECTIVE_HOOK:8,8:"DIRECTIVE_HOOK",TRANSITION_HOOK:9,9:"TRANSITION_HOOK",APP_ERROR_HANDLER:10,10:"APP_ERROR_HANDLER",APP_WARN_HANDLER:11,11:"APP_WARN_HANDLER",FUNCTION_REF:12,12:"FUNCTION_REF",ASYNC_COMPONENT_LOADER:13,13:"ASYNC_COMPONENT_LOADER",SCHEDULER:14,14:"SCHEDULER",COMPONENT_UPDATE:15,15:"COMPONENT_UPDATE",APP_UNMOUNT_CLEANUP:16,16:"APP_UNMOUNT_CLEANUP"},vn={sp:"serverPrefetch hook",bc:"beforeCreate hook",c:"created hook",bm:"beforeMount hook",m:"mounted hook",bu:"beforeUpdate hook",u:"updated",bum:"beforeUnmount hook",um:"unmounted hook",a:"activated hook",da:"deactivated hook",ec:"errorCaptured hook",rtc:"renderTracked hook",rtg:"renderTriggered hook",0:"setup function",1:"render function",2:"watcher getter",3:"watcher callback",4:"watcher cleanup function",5:"native event handler",6:"component event handler",7:"vnode hook",8:"directive hook",9:"transition hook",10:"app errorHandler",11:"app warnHandler",12:"ref function",13:"async component loader",14:"scheduler flush",15:"component update",16:"app unmount cleanup function"};function gn(e,t,n,r){try{return r?e(...r):e()}catch(e){yn(e,t,n)}}function wn(e,t,n,r){if(y(e)){const o=gn(e,t,n,r);return o&&E(o)&&o.catch((e=>{yn(e,t,n)})),o}if(m(e)){const o=[];for(let i=0;i<e.length;i++)o.push(wn(e[i],t,n,r));return o}}function yn(e,t,n,r=!0){t&&t.vnode;const{errorHandler:o,throwUnhandledErrorInProduction:a}=t&&t.appContext.config||i;if(t){let r=t.parent;const i=t.proxy,a=`https://vuejs.org/error-reference/#runtime-${n}`;for(;r;){const t=r.ec;if(t)for(let n=0;n<t.length;n++)if(!1===t[n](e,i,a))return;r=r.parent}if(o)return Oe(),gn(o,null,10,[e,i,a]),void De()}!function(e,t,n,r=!0,o=!1){if(o)throw e;console.error(e)}(e,0,0,r,a)}const bn=[];let xn=-1;const kn=[];let En=null,An=0;const Cn=Promise.resolve();let Bn=null;function Mn(e){const t=Bn||Cn;return e?t.then(this?e.bind(this):e):t}function _n(e){if(!(1&e.flags)){const t=Tn(e),n=bn[bn.length-1];!n||!(2&e.flags)&&t>=Tn(n)?bn.push(e):bn.splice(function(e){let t=xn+1,n=bn.length;for(;t<n;){const r=t+n>>>1,o=bn[r],i=Tn(o);i<e||i===e&&2&o.flags?t=r+1:n=r}return t}(t),0,e),e.flags|=1,Sn()}}function Sn(){Bn||(Bn=Cn.then(In))}function Nn(e){m(e)?kn.push(...e):En&&-1===e.id?En.splice(An+1,0,e):1&e.flags||(kn.push(e),e.flags|=1),Sn()}function Vn(e,t,n=xn+1){for(0;n<bn.length;n++){const t=bn[n];if(t&&2&t.flags){if(e&&t.id!==e.uid)continue;0,bn.splice(n,1),n--,4&t.flags&&(t.flags&=-2),t(),4&t.flags||(t.flags&=-2)}}}function Ln(e){if(kn.length){const e=[...new Set(kn)].sort(((e,t)=>Tn(e)-Tn(t)));if(kn.length=0,En)return void En.push(...e);for(En=e,An=0;An<En.length;An++){const e=En[An];0,4&e.flags&&(e.flags&=-2),8&e.flags||e(),e.flags&=-2}En=null,An=0}}const Tn=e=>null==e.id?2&e.flags?-1:1/0:e.id;function In(e){try{for(xn=0;xn<bn.length;xn++){const e=bn[xn];!e||8&e.flags||(4&e.flags&&(e.flags&=-2),gn(e,e.i,e.i?15:14),4&e.flags||(e.flags&=-2))}}finally{for(;xn<bn.length;xn++){const e=bn[xn];e&&(e.flags&=-2)}xn=-1,bn.length=0,Ln(),Bn=null,(bn.length||kn.length)&&In(e)}}let Zn,On=[],Dn=!1;let Rn=null,Hn=null;function Pn(e){const t=Rn;return Rn=e,Hn=e&&e.type.__scopeId||null,t}function jn(e){Hn=e}function Fn(){Hn=null}const zn=e=>qn;function qn(e,t=Rn,n){if(!t)return e;if(e._n)return e;const r=(...n)=>{r._d&&ga(-1);const o=Pn(t);let i;try{i=e(...n)}finally{Pn(o),r._d&&ga(1)}return i};return r._n=!0,r._c=!0,r._d=!0,r}function Un(e,t){if(null===Rn)return e;const n=il(Rn),r=e.dirs||(e.dirs=[]);for(let e=0;e<t.length;e++){let[o,a,l,s=i]=t[e];o&&(y(o)&&(o={mounted:o,updated:o}),o.deep&&hn(a),r.push({dir:o,instance:n,value:a,oldValue:void 0,arg:l,modifiers:s}))}return e}function $n(e,t,n,r){const o=e.dirs,i=t&&t.dirs;for(let a=0;a<o.length;a++){const l=o[a];i&&(l.oldValue=i[a].value);let s=l.dir[r];s&&(Oe(),wn(s,n,8,[e.el,l,e,t]),De())}}const Wn=Symbol("_vte"),Gn=e=>e.__isTeleport,Kn=e=>e&&(e.disabled||""===e.disabled),Yn=e=>e&&(e.defer||""===e.defer),Xn=e=>"undefined"!=typeof SVGElement&&e instanceof SVGElement,Jn=e=>"function"==typeof MathMLElement&&e instanceof MathMLElement,Qn=(e,t)=>{const n=e&&e.to;if(b(n)){if(t){return t(n)}return null}return n},er={name:"Teleport",__isTeleport:!0,process(e,t,n,r,o,i,a,l,s,c){const{mc:u,pc:d,pbc:h,o:{insert:p,querySelector:f,createText:m,createComment:v}}=c,g=Kn(t.props);let{shapeFlag:w,children:y,dynamicChildren:b}=t;if(null==e){const e=t.el=m(""),c=t.anchor=m("");p(e,n,r),p(c,n,r);const d=(e,t)=>{16&w&&(o&&o.isCE&&(o.ce._teleportTarget=e),u(y,e,t,o,i,a,l,s))},h=()=>{const e=t.target=Qn(t.props,f),n=or(e,t,m,p);e&&("svg"!==a&&Xn(e)?a="svg":"mathml"!==a&&Jn(e)&&(a="mathml"),g||(d(e,n),rr(t,!1)))};g&&(d(n,c),rr(t,!0)),Yn(t.props)?Ei((()=>{h(),t.el.__isMounted=!0}),i):h()}else{if(Yn(t.props)&&!e.el.__isMounted)return void Ei((()=>{er.process(e,t,n,r,o,i,a,l,s,c),delete e.el.__isMounted}),i);t.el=e.el,t.targetStart=e.targetStart;const u=t.anchor=e.anchor,p=t.target=e.target,m=t.targetAnchor=e.targetAnchor,v=Kn(e.props),w=v?n:p,y=v?u:m;if("svg"===a||Xn(p)?a="svg":("mathml"===a||Jn(p))&&(a="mathml"),b?(h(e.dynamicChildren,b,w,o,i,a,l),Ni(e,t,!0)):s||d(e,t,w,y,o,i,a,l,!1),g)v?t.props&&e.props&&t.props.to!==e.props.to&&(t.props.to=e.props.to):tr(t,n,u,c,1);else if((t.props&&t.props.to)!==(e.props&&e.props.to)){const e=t.target=Qn(t.props,f);e&&tr(t,e,null,c,0)}else v&&tr(t,p,m,c,1);rr(t,g)}},remove(e,t,n,{um:r,o:{remove:o}},i){const{shapeFlag:a,children:l,anchor:s,targetStart:c,targetAnchor:u,target:d,props:h}=e;if(d&&(o(c),o(u)),i&&o(s),16&a){const e=i||!Kn(h);for(let o=0;o<l.length;o++){const i=l[o];r(i,t,n,e,!!i.dynamicChildren)}}},move:tr,hydrate:function(e,t,n,r,o,i,{o:{nextSibling:a,parentNode:l,querySelector:s,insert:c,createText:u}},d){const h=t.target=Qn(t.props,s);if(h){const s=Kn(t.props),p=h._lpa||h.firstChild;if(16&t.shapeFlag)if(s)t.anchor=d(a(e),t,l(e),n,r,o,i),t.targetStart=p,t.targetAnchor=p&&a(p);else{t.anchor=a(e);let l=p;for(;l;){if(l&&8===l.nodeType)if("teleport start anchor"===l.data)t.targetStart=l;else if("teleport anchor"===l.data){t.targetAnchor=l,h._lpa=t.targetAnchor&&a(t.targetAnchor);break}l=a(l)}t.targetAnchor||or(h,t,u,c),d(p&&a(p),t,h,n,r,o,i)}rr(t,s)}return t.anchor&&a(t.anchor)}};function tr(e,t,n,{o:{insert:r},m:o},i=2){0===i&&r(e.targetAnchor,t,n);const{el:a,anchor:l,shapeFlag:s,children:c,props:u}=e,d=2===i;if(d&&r(a,t,n),(!d||Kn(u))&&16&s)for(let e=0;e<c.length;e++)o(c[e],t,n,2);d&&r(l,t,n)}const nr=er;function rr(e,t){const n=e.ctx;if(n&&n.ut){let r,o;for(t?(r=e.el,o=e.anchor):(r=e.targetStart,o=e.targetAnchor);r&&r!==o;)1===r.nodeType&&r.setAttribute("data-v-owner",n.uid),r=r.nextSibling;n.ut()}}function or(e,t,n,r){const o=t.targetStart=n(""),i=t.targetAnchor=n("");return o[Wn]=i,e&&(r(o,e),r(i,e)),i}const ir=Symbol("_leaveCb"),ar=Symbol("_enterCb");function lr(){const e={isMounted:!1,isLeaving:!1,isUnmounting:!1,leavingVNodes:new Map};return Qr((()=>{e.isMounted=!0})),no((()=>{e.isUnmounting=!0})),e}const sr=[Function,Array],cr={mode:String,appear:Boolean,persisted:Boolean,onBeforeEnter:sr,onEnter:sr,onAfterEnter:sr,onEnterCancelled:sr,onBeforeLeave:sr,onLeave:sr,onAfterLeave:sr,onLeaveCancelled:sr,onBeforeAppear:sr,onAppear:sr,onAfterAppear:sr,onAppearCancelled:sr},ur=e=>{const t=e.subTree;return t.component?ur(t.component):t};function dr(e){let t=e[0];if(e.length>1){let n=!1;for(const r of e)if(r.type!==ca){0,t=r,n=!0;break}}return t}const hr={name:"BaseTransition",props:cr,setup(e,{slots:t}){const n=za(),r=lr();return()=>{const o=t.default&&wr(t.default(),!0);if(!o||!o.length)return;const i=dr(o),a=Ot(e),{mode:l}=a;if(r.isLeaving)return mr(i);const s=vr(i);if(!s)return mr(i);let c=fr(s,a,r,n,(e=>c=e));s.type!==ca&&gr(s,c);let u=n.subTree&&vr(n.subTree);if(u&&u.type!==ca&&!ka(s,u)&&ur(n).type!==ca){let e=fr(u,a,r,n);if(gr(u,e),"out-in"===l&&s.type!==ca)return r.isLeaving=!0,e.afterLeave=()=>{r.isLeaving=!1,8&n.job.flags||n.update(),delete e.afterLeave,u=void 0},mr(i);"in-out"===l&&s.type!==ca?e.delayLeave=(e,t,n)=>{pr(r,u)[String(u.key)]=u,e[ir]=()=>{t(),e[ir]=void 0,delete c.delayedLeave,u=void 0},c.delayedLeave=()=>{n(),delete c.delayedLeave,u=void 0}}:u=void 0}else u&&(u=void 0);return i}}};function pr(e,t){const{leavingVNodes:n}=e;let r=n.get(t.type);return r||(r=Object.create(null),n.set(t.type,r)),r}function fr(e,t,n,r,o){const{appear:i,mode:a,persisted:l=!1,onBeforeEnter:s,onEnter:c,onAfterEnter:u,onEnterCancelled:d,onBeforeLeave:h,onLeave:p,onAfterLeave:f,onLeaveCancelled:v,onBeforeAppear:g,onAppear:w,onAfterAppear:y,onAppearCancelled:b}=t,x=String(e.key),k=pr(n,e),E=(e,t)=>{e&&wn(e,r,9,t)},A=(e,t)=>{const n=t[1];E(e,t),m(e)?e.every((e=>e.length<=1))&&n():e.length<=1&&n()},C={mode:a,persisted:l,beforeEnter(t){let r=s;if(!n.isMounted){if(!i)return;r=g||s}t[ir]&&t[ir](!0);const o=k[x];o&&ka(e,o)&&o.el[ir]&&o.el[ir](),E(r,[t])},enter(e){let t=c,r=u,o=d;if(!n.isMounted){if(!i)return;t=w||c,r=y||u,o=b||d}let a=!1;const l=e[ar]=t=>{a||(a=!0,E(t?o:r,[e]),C.delayedLeave&&C.delayedLeave(),e[ar]=void 0)};t?A(t,[e,l]):l()},leave(t,r){const o=String(e.key);if(t[ar]&&t[ar](!0),n.isUnmounting)return r();E(h,[t]);let i=!1;const a=t[ir]=n=>{i||(i=!0,r(),E(n?v:f,[t]),t[ir]=void 0,k[o]===e&&delete k[o])};k[o]=e,p?A(p,[t,a]):a()},clone(e){const i=fr(e,t,n,r,o);return o&&o(i),i}};return C}function mr(e){if(jr(e))return(e=Na(e)).children=null,e}function vr(e){if(!jr(e))return Gn(e.type)&&e.children?dr(e.children):e;const{shapeFlag:t,children:n}=e;if(n){if(16&t)return n[0];if(32&t&&y(n.default))return n.default()}}function gr(e,t){6&e.shapeFlag&&e.component?(e.transition=t,gr(e.component.subTree,t)):128&e.shapeFlag?(e.ssContent.transition=t.clone(e.ssContent),e.ssFallback.transition=t.clone(e.ssFallback)):e.transition=t}function wr(e,t=!1,n){let r=[],o=0;for(let i=0;i<e.length;i++){let a=e[i];const l=null==n?a.key:String(n)+String(null!=a.key?a.key:i);a.type===la?(128&a.patchFlag&&o++,r=r.concat(wr(a.children,t,l))):(t||a.type!==ca)&&r.push(null!=l?Na(a,{key:l}):a)}if(o>1)for(let e=0;e<r.length;e++)r[e].patchFlag=-2;return r}function yr(e,t){return y(e)?(()=>d({name:e.name},t,{setup:e}))():e}function br(){const e=za();return e?(e.appContext.config.idPrefix||"v")+"-"+e.ids[0]+e.ids[1]++:""}function xr(e){e.ids=[e.ids[0]+e.ids[2]+++"-",0,0]}function kr(e){const t=za(),n=Ft(null);if(t){const r=t.refs===i?t.refs={}:t.refs;Object.defineProperty(r,e,{enumerable:!0,get:()=>n.value,set:e=>n.value=e})}else 0;return n}function Er(e,t,n,r,o=!1){if(m(e))return void e.forEach(((e,i)=>Er(e,t&&(m(t)?t[i]:t),n,r,o)));if(Rr(r)&&!o)return void(512&r.shapeFlag&&r.type.__asyncResolved&&r.component.subTree.component&&Er(e,t,n,r.component.subTree));const a=4&r.shapeFlag?il(r.component):r.el,l=o?null:a,{i:s,r:c}=e;const u=t&&t.r,d=s.refs===i?s.refs={}:s.refs,p=s.setupState,v=Ot(p),g=p===i?()=>!1:e=>f(v,e);if(null!=u&&u!==c&&(b(u)?(d[u]=null,g(u)&&(p[u]=null)):Pt(u)&&(u.value=null)),y(c))gn(c,s,12,[l,d]);else{const t=b(c),r=Pt(c);if(t||r){const i=()=>{if(e.f){const n=t?g(c)?p[c]:d[c]:c.value;o?m(n)&&h(n,a):m(n)?n.includes(a)||n.push(a):t?(d[c]=[a],g(c)&&(p[c]=d[c])):(c.value=[a],e.k&&(d[e.k]=c.value))}else t?(d[c]=l,g(c)&&(p[c]=l)):r&&(c.value=l,e.k&&(d[e.k]=l))};l?(i.id=-1,Ei(i,n)):i()}else 0}}let Ar=!1;const Cr=()=>{Ar||(console.error("Hydration completed but contains mismatches."),Ar=!0)},Br=e=>{if(1===e.nodeType)return(e=>e.namespaceURI.includes("svg")&&"foreignObject"!==e.tagName)(e)?"svg":(e=>e.namespaceURI.includes("MathML"))(e)?"mathml":void 0},Mr=e=>8===e.nodeType;function _r(e){const{mt:t,p:n,o:{patchProp:r,createText:o,nextSibling:i,parentNode:a,remove:l,insert:s,createComment:u}}=e,d=(n,r,l,c,u,y=!1)=>{y=y||!!r.dynamicChildren;const b=Mr(n)&&"["===n.data,x=()=>m(n,r,l,c,u,b),{type:k,ref:E,shapeFlag:A,patchFlag:C}=r;let B=n.nodeType;r.el=n,-2===C&&(y=!1,r.dynamicChildren=null);let M=null;switch(k){case sa:3!==B?""===r.children?(s(r.el=o(""),a(n),n),M=n):M=x():(n.data!==r.children&&(Cr(),n.data=r.children),M=i(n));break;case ca:w(n)?(M=i(n),g(r.el=n.content.firstChild,n,l)):M=8!==B||b?x():i(n);break;case ua:if(b&&(B=(n=i(n)).nodeType),1===B||3===B){M=n;const e=!r.children.length;for(let t=0;t<r.staticCount;t++)e&&(r.children+=1===M.nodeType?M.outerHTML:M.data),t===r.staticCount-1&&(r.anchor=M),M=i(M);return b?i(M):M}x();break;case la:M=b?f(n,r,l,c,u,y):x();break;default:if(1&A)M=1===B&&r.type.toLowerCase()===n.tagName.toLowerCase()||w(n)?h(n,r,l,c,u,y):x();else if(6&A){r.slotScopeIds=u;const e=a(n);if(M=b?v(n):Mr(n)&&"teleport start"===n.data?v(n,n.data,"teleport end"):i(n),t(r,e,null,l,c,Br(e),y),Rr(r)&&!r.type.__asyncResolved){let t;b?(t=Ma(la),t.anchor=M?M.previousSibling:e.lastChild):t=3===n.nodeType?Va(""):Ma("div"),t.el=n,r.component.subTree=t}}else 64&A?M=8!==B?x():r.type.hydrate(n,r,l,c,u,y,e,p):128&A&&(M=r.type.hydrate(n,r,l,c,Br(a(n)),u,y,e,d))}return null!=E&&Er(E,null,c,r),M},h=(e,t,n,o,i,a)=>{a=a||!!t.dynamicChildren;const{type:s,props:u,patchFlag:d,shapeFlag:h,dirs:f,transition:m}=t,v="input"===s||"option"===s;if(v||-1!==d){f&&$n(t,null,n,"created");let s,y=!1;if(w(e)){y=Si(null,m)&&n&&n.vnode.props&&n.vnode.props.appear;const r=e.content.firstChild;y&&m.beforeEnter(r),g(r,e,n),t.el=e=r}if(16&h&&(!u||!u.innerHTML&&!u.textContent)){let r=p(e.firstChild,t,e,n,o,i,a);for(;r;){Vr(e,1)||Cr();const t=r;r=r.nextSibling,l(t)}}else if(8&h){let n=t.children;"\n"!==n[0]||"PRE"!==e.tagName&&"TEXTAREA"!==e.tagName||(n=n.slice(1)),e.textContent!==n&&(Vr(e,0)||Cr(),e.textContent=t.children)}if(u)if(v||!a||48&d){const t=e.tagName.includes("-");for(const o in u)(v&&(o.endsWith("value")||"indeterminate"===o)||c(o)&&!S(o)||"."===o[0]||t)&&r(e,o,null,u[o],void 0,n)}else if(u.onClick)r(e,"onClick",null,u.onClick,void 0,n);else if(4&d&&Lt(u.style))for(const e in u.style)u.style[e];(s=u&&u.onVnodeBeforeMount)&&Ra(s,n,t),f&&$n(t,null,n,"beforeMount"),((s=u&&u.onVnodeMounted)||f||y)&&ia((()=>{s&&Ra(s,n,t),y&&m.enter(e),f&&$n(t,null,n,"mounted")}),o)}return e.nextSibling},p=(e,t,r,a,l,c,u)=>{u=u||!!t.dynamicChildren;const h=t.children,p=h.length;for(let t=0;t<p;t++){const f=u?h[t]:h[t]=Ia(h[t]),m=f.type===sa;e?(m&&!u&&t+1<p&&Ia(h[t+1]).type===sa&&(s(o(e.data.slice(f.children.length)),r,i(e)),e.data=f.children),e=d(e,f,a,l,c,u)):m&&!f.children?s(f.el=o(""),r):(Vr(r,1)||Cr(),n(null,f,r,null,a,l,Br(r),c))}return e},f=(e,t,n,r,o,l)=>{const{slotScopeIds:c}=t;c&&(o=o?o.concat(c):c);const d=a(e),h=p(i(e),t,d,n,r,o,l);return h&&Mr(h)&&"]"===h.data?i(t.anchor=h):(Cr(),s(t.anchor=u("]"),d,h),h)},m=(e,t,r,o,s,c)=>{if(Vr(e.parentElement,1)||Cr(),t.el=null,c){const t=v(e);for(;;){const n=i(e);if(!n||n===t)break;l(n)}}const u=i(e),d=a(e);return l(e),n(null,t,d,u,r,o,Br(d),s),r&&(r.vnode.el=t.el,Ji(r,t.el)),u},v=(e,t="[",n="]")=>{let r=0;for(;e;)if((e=i(e))&&Mr(e)&&(e.data===t&&r++,e.data===n)){if(0===r)return i(e);r--}return e},g=(e,t,n)=>{const r=t.parentNode;r&&r.replaceChild(e,t);let o=n;for(;o;)o.vnode.el===t&&(o.vnode.el=o.subTree.el=e),o=o.parent},w=e=>1===e.nodeType&&"TEMPLATE"===e.tagName;return[(e,t)=>{if(!t.hasChildNodes())return n(null,e,t),Ln(),void(t._vnode=e);d(t.firstChild,e,null,null,null),Ln(),t._vnode=e},d]}const Sr="data-allow-mismatch",Nr={0:"text",1:"children",2:"class",3:"style",4:"attribute"};function Vr(e,t){if(0===t||1===t)for(;e&&!e.hasAttribute(Sr);)e=e.parentElement;const n=e&&e.getAttribute(Sr);if(null==n)return!1;if(""===n)return!0;{const e=n.split(",");return!(0!==t||!e.includes("children"))||n.split(",").includes(Nr[t])}}const Lr=q().requestIdleCallback||(e=>setTimeout(e,1)),Tr=q().cancelIdleCallback||(e=>clearTimeout(e)),Ir=(e=1e4)=>t=>{const n=Lr(t,{timeout:e});return()=>Tr(n)};const Zr=e=>(t,n)=>{const r=new IntersectionObserver((e=>{for(const n of e)if(n.isIntersecting){r.disconnect(),t();break}}),e);return n((e=>{if(e instanceof Element)return function(e){const{top:t,left:n,bottom:r,right:o}=e.getBoundingClientRect(),{innerHeight:i,innerWidth:a}=window;return(t>0&&t<i||r>0&&r<i)&&(n>0&&n<a||o>0&&o<a)}(e)?(t(),r.disconnect(),!1):void r.observe(e)})),()=>r.disconnect()},Or=e=>t=>{if(e){const n=matchMedia(e);if(!n.matches)return n.addEventListener("change",t,{once:!0}),()=>n.removeEventListener("change",t);t()}},Dr=(e=[])=>(t,n)=>{b(e)&&(e=[e]);let r=!1;const o=e=>{r||(r=!0,i(),t(),e.target.dispatchEvent(new e.constructor(e.type,e)))},i=()=>{n((t=>{for(const n of e)t.removeEventListener(n,o)}))};return n((t=>{for(const n of e)t.addEventListener(n,o,{once:!0})})),i};const Rr=e=>!!e.type.__asyncLoader;function Hr(e){y(e)&&(e={loader:e});const{loader:t,loadingComponent:n,errorComponent:r,delay:o=200,hydrate:i,timeout:a,suspensible:l=!0,onError:s}=e;let c,u=null,d=0;const h=()=>{let e;return u||(e=u=t().catch((e=>{if(e=e instanceof Error?e:new Error(String(e)),s)return new Promise(((t,n)=>{s(e,(()=>t((d++,u=null,h()))),(()=>n(e)),d+1)}));throw e})).then((t=>e!==u&&u?u:(t&&(t.__esModule||"Module"===t[Symbol.toStringTag])&&(t=t.default),c=t,t))))};return yr({name:"AsyncComponentWrapper",__asyncLoader:h,__asyncHydrate(e,t,n){const r=i?()=>{const r=i(n,(t=>function(e,t){if(Mr(e)&&"["===e.data){let n=1,r=e.nextSibling;for(;r;){if(1===r.nodeType){if(!1===t(r))break}else if(Mr(r))if("]"===r.data){if(0==--n)break}else"["===r.data&&n++;r=r.nextSibling}}else t(e)}(e,t)));r&&(t.bum||(t.bum=[])).push(r)}:n;c?r():h().then((()=>!t.isUnmounted&&r()))},get __asyncResolved(){return c},setup(){const e=Fa;if(xr(e),c)return()=>Pr(c,e);const t=t=>{u=null,yn(t,e,13,!r)};if(l&&e.suspense||Xa)return h().then((t=>()=>Pr(t,e))).catch((e=>(t(e),()=>r?Ma(r,{error:e}):null)));const i=jt(!1),s=jt(),d=jt(!!o);return o&&setTimeout((()=>{d.value=!1}),o),null!=a&&setTimeout((()=>{if(!i.value&&!s.value){const e=new Error(`Async component timed out after ${a}ms.`);t(e),s.value=e}}),a),h().then((()=>{i.value=!0,e.parent&&jr(e.parent.vnode)&&e.parent.update()})).catch((e=>{t(e),s.value=e})),()=>i.value&&c?Pr(c,e):s.value&&r?Ma(r,{error:s.value}):n&&!d.value?Ma(n):void 0}})}function Pr(e,t){const{ref:n,props:r,children:o,ce:i}=t.vnode,a=Ma(e,r,o);return a.ref=n,a.ce=i,delete t.vnode.ce,a}const jr=e=>e.type.__isKeepAlive,Fr={name:"KeepAlive",__isKeepAlive:!0,props:{include:[String,RegExp,Array],exclude:[String,RegExp,Array],max:[String,Number]},setup(e,{slots:t}){const n=za(),r=n.ctx;if(!r.renderer)return()=>{const e=t.default&&t.default();return e&&1===e.length?e[0]:e};const o=new Map,i=new Set;let a=null;const l=n.suspense,{renderer:{p:s,m:c,um:u,o:{createElement:d}}}=r,h=d("div");function p(e){Gr(e),u(e,n,l,!0)}function f(e){o.forEach(((t,n)=>{const r=al(t.type);r&&!e(r)&&m(n)}))}function m(e){const t=o.get(e);!t||a&&ka(t,a)?a&&Gr(a):p(t),o.delete(e),i.delete(e)}r.activate=(e,t,n,r,o)=>{const i=e.component;c(e,t,n,0,l),s(i.vnode,e,t,n,i,l,r,e.slotScopeIds,o),Ei((()=>{i.isDeactivated=!1,i.a&&H(i.a);const t=e.props&&e.props.onVnodeMounted;t&&Ra(t,i.parent,e)}),l)},r.deactivate=e=>{const t=e.component;Li(t.m),Li(t.a),c(e,h,null,1,l),Ei((()=>{t.da&&H(t.da);const n=e.props&&e.props.onVnodeUnmounted;n&&Ra(n,t.parent,e),t.isDeactivated=!0}),l)},Ri((()=>[e.include,e.exclude]),(([e,t])=>{e&&f((t=>zr(e,t))),t&&f((e=>!zr(t,e)))}),{flush:"post",deep:!0});let v=null;const g=()=>{null!=v&&(Qi(n.subTree.type)?Ei((()=>{o.set(v,Kr(n.subTree))}),n.subTree.suspense):o.set(v,Kr(n.subTree)))};return Qr(g),to(g),no((()=>{o.forEach((e=>{const{subTree:t,suspense:r}=n,o=Kr(t);if(e.type!==o.type||e.key!==o.key)p(e);else{Gr(o);const e=o.component.da;e&&Ei(e,r)}}))})),()=>{if(v=null,!t.default)return a=null;const n=t.default(),r=n[0];if(n.length>1)return a=null,n;if(!(xa(r)&&(4&r.shapeFlag||128&r.shapeFlag)))return a=null,r;let l=Kr(r);if(l.type===ca)return a=null,l;const s=l.type,c=al(Rr(l)?l.type.__asyncResolved||{}:s),{include:u,exclude:d,max:h}=e;if(u&&(!c||!zr(u,c))||d&&c&&zr(d,c))return l.shapeFlag&=-257,a=l,r;const p=null==l.key?s:l.key,f=o.get(p);return l.el&&(l=Na(l),128&r.shapeFlag&&(r.ssContent=l)),v=p,f?(l.el=f.el,l.component=f.component,l.transition&&gr(l,l.transition),l.shapeFlag|=512,i.delete(p),i.add(p)):(i.add(p),h&&i.size>parseInt(h,10)&&m(i.values().next().value)),l.shapeFlag|=256,a=l,Qi(r.type)?r:l}}};function zr(e,t){return m(e)?e.some((e=>zr(e,t))):b(e)?e.split(",").includes(t):"[object RegExp]"===C(e)&&(e.lastIndex=0,e.test(t))}function qr(e,t){$r(e,"a",t)}function Ur(e,t){$r(e,"da",t)}function $r(e,t,n=Fa){const r=e.__wdc||(e.__wdc=()=>{let t=n;for(;t;){if(t.isDeactivated)return;t=t.parent}return e()});if(Yr(t,r,n),n){let e=n.parent;for(;e&&e.parent;)jr(e.parent.vnode)&&Wr(r,t,n,e),e=e.parent}}function Wr(e,t,n,r){const o=Yr(t,e,r,!0);ro((()=>{h(r[t],o)}),n)}function Gr(e){e.shapeFlag&=-257,e.shapeFlag&=-513}function Kr(e){return 128&e.shapeFlag?e.ssContent:e}function Yr(e,t,n=Fa,r=!1){if(n){const o=n[e]||(n[e]=[]),i=t.__weh||(t.__weh=(...r)=>{Oe();const o=$a(n),i=wn(t,n,e,r);return o(),De(),i});return r?o.unshift(i):o.push(i),i}}const Xr=e=>(t,n=Fa)=>{Xa&&"sp"!==e||Yr(e,((...e)=>t(...e)),n)},Jr=Xr("bm"),Qr=Xr("m"),eo=Xr("bu"),to=Xr("u"),no=Xr("bum"),ro=Xr("um"),oo=Xr("sp"),io=Xr("rtg"),ao=Xr("rtc");function lo(e,t=Fa){Yr("ec",e,t)}const so="components",co="directives";function uo(e,t){return mo(so,e,!0,t)||e}const ho=Symbol.for("v-ndc");function po(e){return b(e)?mo(so,e,!1)||e:e||ho}function fo(e){return mo(co,e)}function mo(e,t,n=!0,r=!1){const o=Rn||Fa;if(o){const n=o.type;if(e===so){const e=al(n,!1);if(e&&(e===t||e===T(t)||e===O(T(t))))return n}const i=vo(o[e]||n[e],t)||vo(o.appContext[e],t);return!i&&r?n:i}}function vo(e,t){return e&&(e[t]||e[T(t)]||e[O(T(t))])}function go(e,t,n,r){let o;const i=n&&n[r],a=m(e);if(a||b(e)){let n=!1;a&&Lt(e)&&(n=!It(e),e=Ye(e)),o=new Array(e.length);for(let r=0,a=e.length;r<a;r++)o[r]=t(n?Rt(e[r]):e[r],r,void 0,i&&i[r])}else if("number"==typeof e){0,o=new Array(e);for(let n=0;n<e;n++)o[n]=t(n+1,n,void 0,i&&i[n])}else if(k(e))if(e[Symbol.iterator])o=Array.from(e,((e,n)=>t(e,n,void 0,i&&i[n])));else{const n=Object.keys(e);o=new Array(n.length);for(let r=0,a=n.length;r<a;r++){const a=n[r];o[r]=t(e[a],a,r,i&&i[r])}}else o=[];return n&&(n[r]=o),o}function wo(e,t){for(let n=0;n<t.length;n++){const r=t[n];if(m(r))for(let t=0;t<r.length;t++)e[r[t].name]=r[t].fn;else r&&(e[r.name]=r.key?(...e)=>{const t=r.fn(...e);return t&&(t.key=r.key),t}:r.fn)}return e}function yo(e,t,n={},r,o){if(Rn.ce||Rn.parent&&Rr(Rn.parent)&&Rn.parent.ce)return"default"!==t&&(n.name=t),pa(),ba(la,null,[Ma("slot",n,r&&r())],64);let i=e[t];i&&i._c&&(i._d=!1),pa();const a=i&&bo(i(n)),l=n.key||a&&a.key,s=ba(la,{key:(l&&!x(l)?l:`_${t}`)+(!a&&r?"_fb":"")},a||(r?r():[]),a&&1===e._?64:-2);return!o&&s.scopeId&&(s.slotScopeIds=[s.scopeId+"-s"]),i&&i._c&&(i._d=!0),s}function bo(e){return e.some((e=>!xa(e)||e.type!==ca&&!(e.type===la&&!bo(e.children))))?e:null}function xo(e,t){const n={};for(const r in e)n[t&&/[A-Z]/.test(r)?`on:${r}`:D(r)]=e[r];return n}const ko=e=>e?Ga(e)?il(e):ko(e.parent):null,Eo=d(Object.create(null),{$:e=>e,$el:e=>e.vnode.el,$data:e=>e.data,$props:e=>e.props,$attrs:e=>e.attrs,$slots:e=>e.slots,$refs:e=>e.refs,$parent:e=>ko(e.parent),$root:e=>ko(e.root),$host:e=>e.ce,$emit:e=>e.emit,$options:e=>$o(e),$forceUpdate:e=>e.f||(e.f=()=>{_n(e.update)}),$nextTick:e=>e.n||(e.n=Mn.bind(e.proxy)),$watch:e=>Pi.bind(e)}),Ao=(e,t)=>e!==i&&!e.__isScriptSetup&&f(e,t),Co={get({_:e},t){if("__v_skip"===t)return!0;const{ctx:n,setupState:r,data:o,props:a,accessCache:l,type:s,appContext:c}=e;let u;if("$"!==t[0]){const s=l[t];if(void 0!==s)switch(s){case 1:return r[t];case 2:return o[t];case 4:return n[t];case 3:return a[t]}else{if(Ao(r,t))return l[t]=1,r[t];if(o!==i&&f(o,t))return l[t]=2,o[t];if((u=e.propsOptions[0])&&f(u,t))return l[t]=3,a[t];if(n!==i&&f(n,t))return l[t]=4,n[t];Fo&&(l[t]=0)}}const d=Eo[t];let h,p;return d?("$attrs"===t&&We(e.attrs,0,""),d(e)):(h=s.__cssModules)&&(h=h[t])?h:n!==i&&f(n,t)?(l[t]=4,n[t]):(p=c.config.globalProperties,f(p,t)?p[t]:void 0)},set({_:e},t,n){const{data:r,setupState:o,ctx:a}=e;return Ao(o,t)?(o[t]=n,!0):r!==i&&f(r,t)?(r[t]=n,!0):!f(e.props,t)&&(("$"!==t[0]||!(t.slice(1)in e))&&(a[t]=n,!0))},has({_:{data:e,setupState:t,accessCache:n,ctx:r,appContext:o,propsOptions:a}},l){let s;return!!n[l]||e!==i&&f(e,l)||Ao(t,l)||(s=a[0])&&f(s,l)||f(r,l)||f(Eo,l)||f(o.config.globalProperties,l)},defineProperty(e,t,n){return null!=n.get?e._.accessCache[t]=0:f(n,"value")&&this.set(e,t,n.value,null),Reflect.defineProperty(e,t,n)}};const Bo=d({},Co,{get(e,t){if(t!==Symbol.unscopables)return Co.get(e,t,e)},has:(e,t)=>"_"!==t[0]&&!U(t)});function Mo(){return null}function _o(){return null}function So(e){0}function No(e){0}function Vo(){return null}function Lo(){0}function To(e,t){return null}function Io(){return Oo().slots}function Zo(){return Oo().attrs}function Oo(){const e=za();return e.setupContext||(e.setupContext=ol(e))}function Do(e){return m(e)?e.reduce(((e,t)=>(e[t]=null,e)),{}):e}function Ro(e,t){const n=Do(e);for(const e in t){if(e.startsWith("__skip"))continue;let r=n[e];r?m(r)||y(r)?r=n[e]={type:r,default:t[e]}:r.default=t[e]:null===r&&(r=n[e]={default:t[e]}),r&&t[`__skip_${e}`]&&(r.skipFactory=!0)}return n}function Ho(e,t){return e&&t?m(e)&&m(t)?e.concat(t):d({},Do(e),Do(t)):e||t}function Po(e,t){const n={};for(const r in e)t.includes(r)||Object.defineProperty(n,r,{enumerable:!0,get:()=>e[r]});return n}function jo(e){const t=za();let n=e();return Wa(),E(n)&&(n=n.catch((e=>{throw $a(t),e}))),[n,()=>$a(t)]}let Fo=!0;function zo(e){const t=$o(e),n=e.proxy,r=e.ctx;Fo=!1,t.beforeCreate&&qo(t.beforeCreate,e,"bc");const{data:o,computed:i,methods:a,watch:s,provide:c,inject:u,created:d,beforeMount:h,mounted:p,beforeUpdate:f,updated:v,activated:g,deactivated:w,beforeDestroy:b,beforeUnmount:x,destroyed:E,unmounted:A,render:C,renderTracked:B,renderTriggered:M,errorCaptured:_,serverPrefetch:S,expose:N,inheritAttrs:V,components:L,directives:T,filters:I}=t;if(u&&function(e,t){m(e)&&(e=Yo(e));for(const n in e){const r=e[n];let o;o=k(r)?"default"in r?ii(r.from||n,r.default,!0):ii(r.from||n):ii(r),Pt(o)?Object.defineProperty(t,n,{enumerable:!0,configurable:!0,get:()=>o.value,set:e=>o.value=e}):t[n]=o}}(u,r,null),a)for(const e in a){const t=a[e];y(t)&&(r[e]=t.bind(n))}if(o){0;const t=o.call(n,n);0,k(t)&&(e.data=Mt(t))}if(Fo=!0,i)for(const e in i){const t=i[e],o=y(t)?t.bind(n,n):y(t.get)?t.get.bind(n,n):l;0;const a=!y(t)&&y(t.set)?t.set.bind(n):l,s=sl({get:o,set:a});Object.defineProperty(r,e,{enumerable:!0,configurable:!0,get:()=>s.value,set:e=>s.value=e})}if(s)for(const e in s)Uo(s[e],r,n,e);if(c){const e=y(c)?c.call(n):c;Reflect.ownKeys(e).forEach((t=>{oi(t,e[t])}))}function Z(e,t){m(t)?t.forEach((t=>e(t.bind(n)))):t&&e(t.bind(n))}if(d&&qo(d,e,"c"),Z(Jr,h),Z(Qr,p),Z(eo,f),Z(to,v),Z(qr,g),Z(Ur,w),Z(lo,_),Z(ao,B),Z(io,M),Z(no,x),Z(ro,A),Z(oo,S),m(N))if(N.length){const t=e.exposed||(e.exposed={});N.forEach((e=>{Object.defineProperty(t,e,{get:()=>n[e],set:t=>n[e]=t})}))}else e.exposed||(e.exposed={});C&&e.render===l&&(e.render=C),null!=V&&(e.inheritAttrs=V),L&&(e.components=L),T&&(e.directives=T),S&&xr(e)}function qo(e,t,n){wn(m(e)?e.map((e=>e.bind(t.proxy))):e.bind(t.proxy),t,n)}function Uo(e,t,n,r){let o=r.includes(".")?ji(n,r):()=>n[r];if(b(e)){const n=t[e];y(n)&&Ri(o,n)}else if(y(e))Ri(o,e.bind(n));else if(k(e))if(m(e))e.forEach((e=>Uo(e,t,n,r)));else{const r=y(e.handler)?e.handler.bind(n):t[e.handler];y(r)&&Ri(o,r,e)}else 0}function $o(e){const t=e.type,{mixins:n,extends:r}=t,{mixins:o,optionsCache:i,config:{optionMergeStrategies:a}}=e.appContext,l=i.get(t);let s;return l?s=l:o.length||n||r?(s={},o.length&&o.forEach((e=>Wo(s,e,a,!0))),Wo(s,t,a)):s=t,k(t)&&i.set(t,s),s}function Wo(e,t,n,r=!1){const{mixins:o,extends:i}=t;i&&Wo(e,i,n,!0),o&&o.forEach((t=>Wo(e,t,n,!0)));for(const o in t)if(r&&"expose"===o);else{const r=Go[o]||n&&n[o];e[o]=r?r(e[o],t[o]):t[o]}return e}const Go={data:Ko,props:Qo,emits:Qo,methods:Jo,computed:Jo,beforeCreate:Xo,created:Xo,beforeMount:Xo,mounted:Xo,beforeUpdate:Xo,updated:Xo,beforeDestroy:Xo,beforeUnmount:Xo,destroyed:Xo,unmounted:Xo,activated:Xo,deactivated:Xo,errorCaptured:Xo,serverPrefetch:Xo,components:Jo,directives:Jo,watch:function(e,t){if(!e)return t;if(!t)return e;const n=d(Object.create(null),e);for(const r in t)n[r]=Xo(e[r],t[r]);return n},provide:Ko,inject:function(e,t){return Jo(Yo(e),Yo(t))}};function Ko(e,t){return t?e?function(){return d(y(e)?e.call(this,this):e,y(t)?t.call(this,this):t)}:t:e}function Yo(e){if(m(e)){const t={};for(let n=0;n<e.length;n++)t[e[n]]=e[n];return t}return e}function Xo(e,t){return e?[...new Set([].concat(e,t))]:t}function Jo(e,t){return e?d(Object.create(null),e,t):t}function Qo(e,t){return e?m(e)&&m(t)?[...new Set([...e,...t])]:d(Object.create(null),Do(e),Do(null!=t?t:{})):t}function ei(){return{app:null,config:{isNativeTag:s,performance:!1,globalProperties:{},optionMergeStrategies:{},errorHandler:void 0,warnHandler:void 0,compilerOptions:{}},mixins:[],components:{},directives:{},provides:Object.create(null),optionsCache:new WeakMap,propsCache:new WeakMap,emitsCache:new WeakMap}}let ti=0;function ni(e,t){return function(n,r=null){y(n)||(n=d({},n)),null==r||k(r)||(r=null);const o=ei(),i=new WeakSet,a=[];let l=!1;const s=o.app={_uid:ti++,_component:n,_props:r,_container:null,_context:o,_instance:null,version:pl,get config(){return o.config},set config(e){0},use:(e,...t)=>(i.has(e)||(e&&y(e.install)?(i.add(e),e.install(s,...t)):y(e)&&(i.add(e),e(s,...t))),s),mixin:e=>(o.mixins.includes(e)||o.mixins.push(e),s),component:(e,t)=>t?(o.components[e]=t,s):o.components[e],directive:(e,t)=>t?(o.directives[e]=t,s):o.directives[e],mount(i,a,c){if(!l){0;const u=s._ceVNode||Ma(n,r);return u.appContext=o,!0===c?c="svg":!1===c&&(c=void 0),a&&t?t(u,i):e(u,i,c),l=!0,s._container=i,i.__vue_app__=s,il(u.component)}},onUnmount(e){a.push(e)},unmount(){l&&(wn(a,s._instance,16),e(null,s._container),delete s._container.__vue_app__)},provide:(e,t)=>(o.provides[e]=t,s),runWithContext(e){const t=ri;ri=s;try{return e()}finally{ri=t}}};return s}}let ri=null;function oi(e,t){if(Fa){let n=Fa.provides;const r=Fa.parent&&Fa.parent.provides;r===n&&(n=Fa.provides=Object.create(r)),n[e]=t}else 0}function ii(e,t,n=!1){const r=Fa||Rn;if(r||ri){const o=ri?ri._context.provides:r?null==r.parent?r.vnode.appContext&&r.vnode.appContext.provides:r.parent.provides:void 0;if(o&&e in o)return o[e];if(arguments.length>1)return n&&y(t)?t.call(r&&r.proxy):t}else 0}function ai(){return!!(Fa||Rn||ri)}const li={},si=()=>Object.create(li),ci=e=>Object.getPrototypeOf(e)===li;function ui(e,t,n,r){const[o,a]=e.propsOptions;let l,s=!1;if(t)for(let i in t){if(S(i))continue;const c=t[i];let u;o&&f(o,u=T(i))?a&&a.includes(u)?(l||(l={}))[u]=c:n[u]=c:$i(e.emitsOptions,i)||i in r&&c===r[i]||(r[i]=c,s=!0)}if(a){const t=Ot(n),r=l||i;for(let i=0;i<a.length;i++){const l=a[i];n[l]=di(o,t,l,r[l],e,!f(r,l))}}return s}function di(e,t,n,r,o,i){const a=e[n];if(null!=a){const e=f(a,"default");if(e&&void 0===r){const e=a.default;if(a.type!==Function&&!a.skipFactory&&y(e)){const{propsDefaults:i}=o;if(n in i)r=i[n];else{const a=$a(o);r=i[n]=e.call(null,t),a()}}else r=e;o.ce&&o.ce._setProp(n,r)}a[0]&&(i&&!e?r=!1:!a[1]||""!==r&&r!==Z(n)||(r=!0))}return r}const hi=new WeakMap;function pi(e,t,n=!1){const r=n?hi:t.propsCache,o=r.get(e);if(o)return o;const l=e.props,s={},c=[];let u=!1;if(!y(e)){const r=e=>{u=!0;const[n,r]=pi(e,t,!0);d(s,n),r&&c.push(...r)};!n&&t.mixins.length&&t.mixins.forEach(r),e.extends&&r(e.extends),e.mixins&&e.mixins.forEach(r)}if(!l&&!u)return k(e)&&r.set(e,a),a;if(m(l))for(let e=0;e<l.length;e++){0;const t=T(l[e]);fi(t)&&(s[t]=i)}else if(l){0;for(const e in l){const t=T(e);if(fi(t)){const n=l[e],r=s[t]=m(n)||y(n)?{type:n}:d({},n),o=r.type;let i=!1,a=!0;if(m(o))for(let e=0;e<o.length;++e){const t=o[e],n=y(t)&&t.name;if("Boolean"===n){i=!0;break}"String"===n&&(a=!1)}else i=y(o)&&"Boolean"===o.name;r[0]=i,r[1]=a,(i||f(r,"default"))&&c.push(t)}}}const h=[s,c];return k(e)&&r.set(e,h),h}function fi(e){return"$"!==e[0]&&!S(e)}const mi=e=>"_"===e[0]||"$stable"===e,vi=e=>m(e)?e.map(Ia):[Ia(e)],gi=(e,t,n)=>{if(t._n)return t;const r=qn(((...e)=>vi(t(...e))),n);return r._c=!1,r},wi=(e,t,n)=>{const r=e._ctx;for(const n in e){if(mi(n))continue;const o=e[n];if(y(o))t[n]=gi(0,o,r);else if(null!=o){0;const e=vi(o);t[n]=()=>e}}},yi=(e,t)=>{const n=vi(t);e.slots.default=()=>n},bi=(e,t,n)=>{for(const r in t)(n||"_"!==r)&&(e[r]=t[r])},xi=(e,t,n)=>{const r=e.slots=si();if(32&e.vnode.shapeFlag){const e=t._;e?(bi(r,t,n),n&&P(r,"_",e,!0)):wi(t,r)}else t&&yi(e,t)},ki=(e,t,n)=>{const{vnode:r,slots:o}=e;let a=!0,l=i;if(32&r.shapeFlag){const e=t._;e?n&&1===e?a=!1:bi(o,t,n):(a=!t.$stable,wi(t,o)),l=t}else t&&(yi(e,t),l={default:1});if(a)for(const e in o)mi(e)||null!=l[e]||delete o[e]};const Ei=ia;function Ai(e){return Bi(e)}function Ci(e){return Bi(e,_r)}function Bi(e,t){q().__VUE__=!0;const{insert:n,remove:r,patchProp:o,createElement:s,createText:c,createComment:u,setText:d,setElementText:h,parentNode:p,nextSibling:m,setScopeId:v=l,insertStaticContent:g}=e,w=(e,t,n,r=null,o=null,i=null,a=void 0,l=null,s=!!t.dynamicChildren)=>{if(e===t)return;e&&!ka(e,t)&&(r=Y(e),U(e,o,i,!0),e=null),-2===t.patchFlag&&(s=!1,t.dynamicChildren=null);const{type:c,ref:u,shapeFlag:d}=t;switch(c){case sa:y(e,t,n,r);break;case ca:b(e,t,n,r);break;case ua:null==e&&x(t,n,r,a);break;case la:V(e,t,n,r,o,i,a,l,s);break;default:1&d?E(e,t,n,r,o,i,a,l,s):6&d?L(e,t,n,r,o,i,a,l,s):(64&d||128&d)&&c.process(e,t,n,r,o,i,a,l,s,Q)}null!=u&&o&&Er(u,e&&e.ref,i,t||e,!t)},y=(e,t,r,o)=>{if(null==e)n(t.el=c(t.children),r,o);else{const n=t.el=e.el;t.children!==e.children&&d(n,t.children)}},b=(e,t,r,o)=>{null==e?n(t.el=u(t.children||""),r,o):t.el=e.el},x=(e,t,n,r)=>{[e.el,e.anchor]=g(e.children,t,n,r,e.el,e.anchor)},k=({el:e,anchor:t})=>{let n;for(;e&&e!==t;)n=m(e),r(e),e=n;r(t)},E=(e,t,n,r,o,i,a,l,s)=>{"svg"===t.type?a="svg":"math"===t.type&&(a="mathml"),null==e?A(t,n,r,o,i,a,l,s):M(e,t,o,i,a,l,s)},A=(e,t,r,i,a,l,c,u)=>{let d,p;const{props:f,shapeFlag:m,transition:v,dirs:g}=e;if(d=e.el=s(e.type,l,f&&f.is,f),8&m?h(d,e.children):16&m&&B(e.children,d,null,i,a,Mi(e,l),c,u),g&&$n(e,null,i,"created"),C(d,e,e.scopeId,c,i),f){for(const e in f)"value"===e||S(e)||o(d,e,null,f[e],l,i);"value"in f&&o(d,"value",null,f.value,l),(p=f.onVnodeBeforeMount)&&Ra(p,i,e)}g&&$n(e,null,i,"beforeMount");const w=Si(a,v);w&&v.beforeEnter(d),n(d,t,r),((p=f&&f.onVnodeMounted)||w||g)&&Ei((()=>{p&&Ra(p,i,e),w&&v.enter(d),g&&$n(e,null,i,"mounted")}),a)},C=(e,t,n,r,o)=>{if(n&&v(e,n),r)for(let t=0;t<r.length;t++)v(e,r[t]);if(o){let n=o.subTree;if(t===n||Qi(n.type)&&(n.ssContent===t||n.ssFallback===t)){const t=o.vnode;C(e,t,t.scopeId,t.slotScopeIds,o.parent)}}},B=(e,t,n,r,o,i,a,l,s=0)=>{for(let c=s;c<e.length;c++){const s=e[c]=l?Za(e[c]):Ia(e[c]);w(null,s,t,n,r,o,i,a,l)}},M=(e,t,n,r,a,l,s)=>{const c=t.el=e.el;let{patchFlag:u,dynamicChildren:d,dirs:p}=t;u|=16&e.patchFlag;const f=e.props||i,m=t.props||i;let v;if(n&&_i(n,!1),(v=m.onVnodeBeforeUpdate)&&Ra(v,n,t,e),p&&$n(t,e,n,"beforeUpdate"),n&&_i(n,!0),(f.innerHTML&&null==m.innerHTML||f.textContent&&null==m.textContent)&&h(c,""),d?_(e.dynamicChildren,d,c,n,r,Mi(t,a),l):s||P(e,t,c,null,n,r,Mi(t,a),l,!1),u>0){if(16&u)N(c,f,m,n,a);else if(2&u&&f.class!==m.class&&o(c,"class",null,m.class,a),4&u&&o(c,"style",f.style,m.style,a),8&u){const e=t.dynamicProps;for(let t=0;t<e.length;t++){const r=e[t],i=f[r],l=m[r];l===i&&"value"!==r||o(c,r,i,l,a,n)}}1&u&&e.children!==t.children&&h(c,t.children)}else s||null!=d||N(c,f,m,n,a);((v=m.onVnodeUpdated)||p)&&Ei((()=>{v&&Ra(v,n,t,e),p&&$n(t,e,n,"updated")}),r)},_=(e,t,n,r,o,i,a)=>{for(let l=0;l<t.length;l++){const s=e[l],c=t[l],u=s.el&&(s.type===la||!ka(s,c)||70&s.shapeFlag)?p(s.el):n;w(s,c,u,null,r,o,i,a,!0)}},N=(e,t,n,r,a)=>{if(t!==n){if(t!==i)for(const i in t)S(i)||i in n||o(e,i,t[i],null,a,r);for(const i in n){if(S(i))continue;const l=n[i],s=t[i];l!==s&&"value"!==i&&o(e,i,s,l,a,r)}"value"in n&&o(e,"value",t.value,n.value,a)}},V=(e,t,r,o,i,a,l,s,u)=>{const d=t.el=e?e.el:c(""),h=t.anchor=e?e.anchor:c("");let{patchFlag:p,dynamicChildren:f,slotScopeIds:m}=t;m&&(s=s?s.concat(m):m),null==e?(n(d,r,o),n(h,r,o),B(t.children||[],r,h,i,a,l,s,u)):p>0&&64&p&&f&&e.dynamicChildren?(_(e.dynamicChildren,f,r,i,a,l,s),(null!=t.key||i&&t===i.subTree)&&Ni(e,t,!0)):P(e,t,r,h,i,a,l,s,u)},L=(e,t,n,r,o,i,a,l,s)=>{t.slotScopeIds=l,null==e?512&t.shapeFlag?o.ctx.activate(t,n,r,a,s):I(t,n,r,o,i,a,s):O(e,t,s)},I=(e,t,n,r,o,i,a)=>{const l=e.component=ja(e,r,o);if(jr(e)&&(l.ctx.renderer=Q),Ja(l,!1,a),l.asyncDep){if(o&&o.registerDep(l,D,a),!e.el){const e=l.subTree=Ma(ca);b(null,e,t,n)}}else D(l,e,t,n,o,i,a)},O=(e,t,n)=>{const r=t.component=e.component;if(function(e,t,n){const{props:r,children:o,component:i}=e,{props:a,children:l,patchFlag:s}=t,c=i.emitsOptions;0;if(t.dirs||t.transition)return!0;if(!(n&&s>=0))return!(!o&&!l||l&&l.$stable)||r!==a&&(r?!a||Xi(r,a,c):!!a);if(1024&s)return!0;if(16&s)return r?Xi(r,a,c):!!a;if(8&s){const e=t.dynamicProps;for(let t=0;t<e.length;t++){const n=e[t];if(a[n]!==r[n]&&!$i(c,n))return!0}}return!1}(e,t,n)){if(r.asyncDep&&!r.asyncResolved)return void R(r,t,n);r.next=t,r.update()}else t.el=e.el,r.vnode=t},D=(e,t,n,r,o,i,a)=>{const l=()=>{if(e.isMounted){let{next:t,bu:n,u:r,parent:s,vnode:c}=e;{const n=Vi(e);if(n)return t&&(t.el=c.el,R(e,t,a)),void n.asyncDep.then((()=>{e.isUnmounted||l()}))}let u,d=t;0,_i(e,!1),t?(t.el=c.el,R(e,t,a)):t=c,n&&H(n),(u=t.props&&t.props.onVnodeBeforeUpdate)&&Ra(u,s,t,c),_i(e,!0);const h=Wi(e);0;const f=e.subTree;e.subTree=h,w(f,h,p(f.el),Y(f),e,o,i),t.el=h.el,null===d&&Ji(e,h.el),r&&Ei(r,o),(u=t.props&&t.props.onVnodeUpdated)&&Ei((()=>Ra(u,s,t,c)),o)}else{let a;const{el:l,props:s}=t,{bm:c,m:u,parent:d,root:h,type:p}=e,f=Rr(t);if(_i(e,!1),c&&H(c),!f&&(a=s&&s.onVnodeBeforeMount)&&Ra(a,d,t),_i(e,!0),l&&te){const t=()=>{e.subTree=Wi(e),te(l,e.subTree,e,o,null)};f&&p.__asyncHydrate?p.__asyncHydrate(l,e,t):t()}else{h.ce&&h.ce._injectChildStyle(p);const a=e.subTree=Wi(e);0,w(null,a,n,r,e,o,i),t.el=a.el}if(u&&Ei(u,o),!f&&(a=s&&s.onVnodeMounted)){const e=t;Ei((()=>Ra(a,d,e)),o)}(256&t.shapeFlag||d&&Rr(d.vnode)&&256&d.vnode.shapeFlag)&&e.a&&Ei(e.a,o),e.isMounted=!0,t=n=r=null}};e.scope.on();const s=e.effect=new ye(l);e.scope.off();const c=e.update=s.run.bind(s),u=e.job=s.runIfDirty.bind(s);u.i=e,u.id=e.uid,s.scheduler=()=>_n(u),_i(e,!0),c()},R=(e,t,n)=>{t.component=e;const r=e.vnode.props;e.vnode=t,e.next=null,function(e,t,n,r){const{props:o,attrs:i,vnode:{patchFlag:a}}=e,l=Ot(o),[s]=e.propsOptions;let c=!1;if(!(r||a>0)||16&a){let r;ui(e,t,o,i)&&(c=!0);for(const i in l)t&&(f(t,i)||(r=Z(i))!==i&&f(t,r))||(s?!n||void 0===n[i]&&void 0===n[r]||(o[i]=di(s,l,i,void 0,e,!0)):delete o[i]);if(i!==l)for(const e in i)t&&f(t,e)||(delete i[e],c=!0)}else if(8&a){const n=e.vnode.dynamicProps;for(let r=0;r<n.length;r++){let a=n[r];if($i(e.emitsOptions,a))continue;const u=t[a];if(s)if(f(i,a))u!==i[a]&&(i[a]=u,c=!0);else{const t=T(a);o[t]=di(s,l,t,u,e,!1)}else u!==i[a]&&(i[a]=u,c=!0)}}c&&Ge(e.attrs,"set","")}(e,t.props,r,n),ki(e,t.children,n),Oe(),Vn(e),De()},P=(e,t,n,r,o,i,a,l,s=!1)=>{const c=e&&e.children,u=e?e.shapeFlag:0,d=t.children,{patchFlag:p,shapeFlag:f}=t;if(p>0){if(128&p)return void F(c,d,n,r,o,i,a,l,s);if(256&p)return void j(c,d,n,r,o,i,a,l,s)}8&f?(16&u&&K(c,o,i),d!==c&&h(n,d)):16&u?16&f?F(c,d,n,r,o,i,a,l,s):K(c,o,i,!0):(8&u&&h(n,""),16&f&&B(d,n,r,o,i,a,l,s))},j=(e,t,n,r,o,i,l,s,c)=>{t=t||a;const u=(e=e||a).length,d=t.length,h=Math.min(u,d);let p;for(p=0;p<h;p++){const r=t[p]=c?Za(t[p]):Ia(t[p]);w(e[p],r,n,null,o,i,l,s,c)}u>d?K(e,o,i,!0,!1,h):B(t,n,r,o,i,l,s,c,h)},F=(e,t,n,r,o,i,l,s,c)=>{let u=0;const d=t.length;let h=e.length-1,p=d-1;for(;u<=h&&u<=p;){const r=e[u],a=t[u]=c?Za(t[u]):Ia(t[u]);if(!ka(r,a))break;w(r,a,n,null,o,i,l,s,c),u++}for(;u<=h&&u<=p;){const r=e[h],a=t[p]=c?Za(t[p]):Ia(t[p]);if(!ka(r,a))break;w(r,a,n,null,o,i,l,s,c),h--,p--}if(u>h){if(u<=p){const e=p+1,a=e<d?t[e].el:r;for(;u<=p;)w(null,t[u]=c?Za(t[u]):Ia(t[u]),n,a,o,i,l,s,c),u++}}else if(u>p)for(;u<=h;)U(e[u],o,i,!0),u++;else{const f=u,m=u,v=new Map;for(u=m;u<=p;u++){const e=t[u]=c?Za(t[u]):Ia(t[u]);null!=e.key&&v.set(e.key,u)}let g,y=0;const b=p-m+1;let x=!1,k=0;const E=new Array(b);for(u=0;u<b;u++)E[u]=0;for(u=f;u<=h;u++){const r=e[u];if(y>=b){U(r,o,i,!0);continue}let a;if(null!=r.key)a=v.get(r.key);else for(g=m;g<=p;g++)if(0===E[g-m]&&ka(r,t[g])){a=g;break}void 0===a?U(r,o,i,!0):(E[a-m]=u+1,a>=k?k=a:x=!0,w(r,t[a],n,null,o,i,l,s,c),y++)}const A=x?function(e){const t=e.slice(),n=[0];let r,o,i,a,l;const s=e.length;for(r=0;r<s;r++){const s=e[r];if(0!==s){if(o=n[n.length-1],e[o]<s){t[r]=o,n.push(r);continue}for(i=0,a=n.length-1;i<a;)l=i+a>>1,e[n[l]]<s?i=l+1:a=l;s<e[n[i]]&&(i>0&&(t[r]=n[i-1]),n[i]=r)}}i=n.length,a=n[i-1];for(;i-- >0;)n[i]=a,a=t[a];return n}(E):a;for(g=A.length-1,u=b-1;u>=0;u--){const e=m+u,a=t[e],h=e+1<d?t[e+1].el:r;0===E[u]?w(null,a,n,h,o,i,l,s,c):x&&(g<0||u!==A[g]?z(a,n,h,2):g--)}}},z=(e,t,r,o,i=null)=>{const{el:a,type:l,transition:s,children:c,shapeFlag:u}=e;if(6&u)return void z(e.component.subTree,t,r,o);if(128&u)return void e.suspense.move(t,r,o);if(64&u)return void l.move(e,t,r,Q);if(l===la){n(a,t,r);for(let e=0;e<c.length;e++)z(c[e],t,r,o);return void n(e.anchor,t,r)}if(l===ua)return void(({el:e,anchor:t},r,o)=>{let i;for(;e&&e!==t;)i=m(e),n(e,r,o),e=i;n(t,r,o)})(e,t,r);if(2!==o&&1&u&&s)if(0===o)s.beforeEnter(a),n(a,t,r),Ei((()=>s.enter(a)),i);else{const{leave:e,delayLeave:o,afterLeave:i}=s,l=()=>n(a,t,r),c=()=>{e(a,(()=>{l(),i&&i()}))};o?o(a,l,c):c()}else n(a,t,r)},U=(e,t,n,r=!1,o=!1)=>{const{type:i,props:a,ref:l,children:s,dynamicChildren:c,shapeFlag:u,patchFlag:d,dirs:h,cacheIndex:p}=e;if(-2===d&&(o=!1),null!=l&&Er(l,null,n,e,!0),null!=p&&(t.renderCache[p]=void 0),256&u)return void t.ctx.deactivate(e);const f=1&u&&h,m=!Rr(e);let v;if(m&&(v=a&&a.onVnodeBeforeUnmount)&&Ra(v,t,e),6&u)G(e.component,n,r);else{if(128&u)return void e.suspense.unmount(n,r);f&&$n(e,null,t,"beforeUnmount"),64&u?e.type.remove(e,t,n,Q,r):c&&!c.hasOnce&&(i!==la||d>0&&64&d)?K(c,t,n,!1,!0):(i===la&&384&d||!o&&16&u)&&K(s,t,n),r&&$(e)}(m&&(v=a&&a.onVnodeUnmounted)||f)&&Ei((()=>{v&&Ra(v,t,e),f&&$n(e,null,t,"unmounted")}),n)},$=e=>{const{type:t,el:n,anchor:o,transition:i}=e;if(t===la)return void W(n,o);if(t===ua)return void k(e);const a=()=>{r(n),i&&!i.persisted&&i.afterLeave&&i.afterLeave()};if(1&e.shapeFlag&&i&&!i.persisted){const{leave:t,delayLeave:r}=i,o=()=>t(n,a);r?r(e.el,a,o):o()}else a()},W=(e,t)=>{let n;for(;e!==t;)n=m(e),r(e),e=n;r(t)},G=(e,t,n)=>{const{bum:r,scope:o,job:i,subTree:a,um:l,m:s,a:c}=e;Li(s),Li(c),r&&H(r),o.stop(),i&&(i.flags|=8,U(a,e,t,n)),l&&Ei(l,t),Ei((()=>{e.isUnmounted=!0}),t),t&&t.pendingBranch&&!t.isUnmounted&&e.asyncDep&&!e.asyncResolved&&e.suspenseId===t.pendingId&&(t.deps--,0===t.deps&&t.resolve())},K=(e,t,n,r=!1,o=!1,i=0)=>{for(let a=i;a<e.length;a++)U(e[a],t,n,r,o)},Y=e=>{if(6&e.shapeFlag)return Y(e.component.subTree);if(128&e.shapeFlag)return e.suspense.next();const t=m(e.anchor||e.el),n=t&&t[Wn];return n?m(n):t};let X=!1;const J=(e,t,n)=>{null==e?t._vnode&&U(t._vnode,null,null,!0):w(t._vnode||null,e,t,null,null,null,n),t._vnode=e,X||(X=!0,Vn(),Ln(),X=!1)},Q={p:w,um:U,m:z,r:$,mt:I,mc:B,pc:P,pbc:_,n:Y,o:e};let ee,te;return t&&([ee,te]=t(Q)),{render:J,hydrate:ee,createApp:ni(J,ee)}}function Mi({type:e,props:t},n){return"svg"===n&&"foreignObject"===e||"mathml"===n&&"annotation-xml"===e&&t&&t.encoding&&t.encoding.includes("html")?void 0:n}function _i({effect:e,job:t},n){n?(e.flags|=32,t.flags|=4):(e.flags&=-33,t.flags&=-5)}function Si(e,t){return(!e||e&&!e.pendingBranch)&&t&&!t.persisted}function Ni(e,t,n=!1){const r=e.children,o=t.children;if(m(r)&&m(o))for(let e=0;e<r.length;e++){const t=r[e];let i=o[e];1&i.shapeFlag&&!i.dynamicChildren&&((i.patchFlag<=0||32===i.patchFlag)&&(i=o[e]=Za(o[e]),i.el=t.el),n||-2===i.patchFlag||Ni(t,i)),i.type===sa&&(i.el=t.el)}}function Vi(e){const t=e.subTree.component;if(t)return t.asyncDep&&!t.asyncResolved?t:Vi(t)}function Li(e){if(e)for(let t=0;t<e.length;t++)e[t].flags|=8}const Ti=Symbol.for("v-scx"),Ii=()=>{{const e=ii(Ti);return e}};function Zi(e,t){return Hi(e,null,t)}function Oi(e,t){return Hi(e,null,{flush:"post"})}function Di(e,t){return Hi(e,null,{flush:"sync"})}function Ri(e,t,n){return Hi(e,t,n)}function Hi(e,t,n=i){const{immediate:r,deep:o,flush:a,once:s}=n;const c=d({},n);const u=t&&r||!t&&"post"!==a;let p;if(Xa)if("sync"===a){const e=Ii();p=e.__watcherHandles||(e.__watcherHandles=[])}else if(!u){const e=()=>{};return e.stop=l,e.resume=l,e.pause=l,e}const f=Fa;c.call=(e,t,n)=>wn(e,f,t,n);let v=!1;"post"===a?c.scheduler=e=>{Ei(e,f&&f.suspense)}:"sync"!==a&&(v=!0,c.scheduler=(e,t)=>{t?e():_n(e)}),c.augmentJob=e=>{t&&(e.flags|=4),v&&(e.flags|=2,f&&(e.id=f.uid,e.i=f))};const g=function(e,t,n=i){const{immediate:r,deep:o,once:a,scheduler:s,augmentJob:c,call:u}=n,d=e=>o?e:It(e)||!1===o||0===o?hn(e,1):hn(e);let p,f,v,g,w=!1,b=!1;if(Pt(e)?(f=()=>e.value,w=It(e)):Lt(e)?(f=()=>d(e),w=!0):m(e)?(b=!0,w=e.some((e=>Lt(e)||It(e))),f=()=>e.map((e=>Pt(e)?e.value:Lt(e)?d(e):y(e)?u?u(e,2):e():void 0))):f=y(e)?t?u?()=>u(e,2):e:()=>{if(v){Oe();try{v()}finally{De()}}const t=cn;cn=p;try{return u?u(e,3,[g]):e(g)}finally{cn=t}}:l,t&&o){const e=f,t=!0===o?1/0:o;f=()=>hn(e(),t)}const x=ve(),k=()=>{p.stop(),x&&x.active&&h(x.effects,p)};if(a&&t){const e=t;t=(...t)=>{e(...t),k()}}let E=b?new Array(e.length).fill(ln):ln;const A=e=>{if(1&p.flags&&(p.dirty||e))if(t){const e=p.run();if(o||w||(b?e.some(((e,t)=>R(e,E[t]))):R(e,E))){v&&v();const n=cn;cn=p;try{const n=[e,E===ln?void 0:b&&E[0]===ln?[]:E,g];u?u(t,3,n):t(...n),E=e}finally{cn=n}}}else p.run()};return c&&c(A),p=new ye(f),p.scheduler=s?()=>s(A,!1):A,g=e=>dn(e,!1,p),v=p.onStop=()=>{const e=sn.get(p);if(e){if(u)u(e,4);else for(const t of e)t();sn.delete(p)}},t?r?A(!0):E=p.run():s?s(A.bind(null,!0),!0):p.run(),k.pause=p.pause.bind(p),k.resume=p.resume.bind(p),k.stop=k,k}(e,t,c);return Xa&&(p?p.push(g):u&&g()),g}function Pi(e,t,n){const r=this.proxy,o=b(e)?e.includes(".")?ji(r,e):()=>r[e]:e.bind(r,r);let i;y(t)?i=t:(i=t.handler,n=t);const a=$a(this),l=Hi(o,i.bind(r),n);return a(),l}function ji(e,t){const n=t.split(".");return()=>{let t=e;for(let e=0;e<n.length&&t;e++)t=t[n[e]];return t}}function Fi(e,t,n=i){const r=za();const o=T(t);const a=Z(t),l=zi(e,o),s=Xt(((l,s)=>{let c,u,d=i;return Di((()=>{const t=e[o];R(c,t)&&(c=t,s())})),{get:()=>(l(),n.get?n.get(c):c),set(e){const l=n.set?n.set(e):e;if(!(R(l,c)||d!==i&&R(e,d)))return;const h=r.vnode.props;h&&(t in h||o in h||a in h)&&(`onUpdate:${t}`in h||`onUpdate:${o}`in h||`onUpdate:${a}`in h)||(c=e,s()),r.emit(`update:${t}`,l),R(e,l)&&R(e,d)&&!R(l,u)&&s(),d=e,u=l}}}));return s[Symbol.iterator]=()=>{let e=0;return{next:()=>e<2?{value:e++?l||i:s,done:!1}:{done:!0}}},s}const zi=(e,t)=>"modelValue"===t||"model-value"===t?e.modelModifiers:e[`${t}Modifiers`]||e[`${T(t)}Modifiers`]||e[`${Z(t)}Modifiers`];function qi(e,t,...n){if(e.isUnmounted)return;const r=e.vnode.props||i;let o=n;const a=t.startsWith("update:"),l=a&&zi(r,t.slice(7));let s;l&&(l.trim&&(o=n.map((e=>b(e)?e.trim():e))),l.number&&(o=n.map(j)));let c=r[s=D(t)]||r[s=D(T(t))];!c&&a&&(c=r[s=D(Z(t))]),c&&wn(c,e,6,o);const u=r[s+"Once"];if(u){if(e.emitted){if(e.emitted[s])return}else e.emitted={};e.emitted[s]=!0,wn(u,e,6,o)}}function Ui(e,t,n=!1){const r=t.emitsCache,o=r.get(e);if(void 0!==o)return o;const i=e.emits;let a={},l=!1;if(!y(e)){const r=e=>{const n=Ui(e,t,!0);n&&(l=!0,d(a,n))};!n&&t.mixins.length&&t.mixins.forEach(r),e.extends&&r(e.extends),e.mixins&&e.mixins.forEach(r)}return i||l?(m(i)?i.forEach((e=>a[e]=null)):d(a,i),k(e)&&r.set(e,a),a):(k(e)&&r.set(e,null),null)}function $i(e,t){return!(!e||!c(t))&&(t=t.slice(2).replace(/Once$/,""),f(e,t[0].toLowerCase()+t.slice(1))||f(e,Z(t))||f(e,t))}function Wi(e){const{type:t,vnode:n,proxy:r,withProxy:o,propsOptions:[i],slots:a,attrs:l,emit:s,render:c,renderCache:d,props:h,data:p,setupState:f,ctx:m,inheritAttrs:v}=e,g=Pn(e);let w,y;try{if(4&n.shapeFlag){const e=o||r,t=e;w=Ia(c.call(t,e,d,h,f,p,m)),y=l}else{const e=t;0,w=Ia(e.length>1?e(h,{attrs:l,slots:a,emit:s}):e(h,null)),y=t.props?l:Ki(l)}}catch(t){da.length=0,yn(t,e,1),w=Ma(ca)}let b=w;if(y&&!1!==v){const e=Object.keys(y),{shapeFlag:t}=b;e.length&&7&t&&(i&&e.some(u)&&(y=Yi(y,i)),b=Na(b,y,!1,!0))}return n.dirs&&(b=Na(b,null,!1,!0),b.dirs=b.dirs?b.dirs.concat(n.dirs):n.dirs),n.transition&&gr(b,n.transition),w=b,Pn(g),w}function Gi(e,t=!0){let n;for(let t=0;t<e.length;t++){const r=e[t];if(!xa(r))return;if(r.type!==ca||"v-if"===r.children){if(n)return;n=r}}return n}const Ki=e=>{let t;for(const n in e)("class"===n||"style"===n||c(n))&&((t||(t={}))[n]=e[n]);return t},Yi=(e,t)=>{const n={};for(const r in e)u(r)&&r.slice(9)in t||(n[r]=e[r]);return n};function Xi(e,t,n){const r=Object.keys(t);if(r.length!==Object.keys(e).length)return!0;for(let o=0;o<r.length;o++){const i=r[o];if(t[i]!==e[i]&&!$i(n,i))return!0}return!1}function Ji({vnode:e,parent:t},n){for(;t;){const r=t.subTree;if(r.suspense&&r.suspense.activeBranch===e&&(r.el=e.el),r!==e)break;(e=t.vnode).el=n,t=t.parent}}const Qi=e=>e.__isSuspense;let ea=0;const ta={name:"Suspense",__isSuspense:!0,process(e,t,n,r,o,i,a,l,s,c){if(null==e)!function(e,t,n,r,o,i,a,l,s){const{p:c,o:{createElement:u}}=s,d=u("div"),h=e.suspense=ra(e,o,r,t,d,n,i,a,l,s);c(null,h.pendingBranch=e.ssContent,d,null,r,h,i,a),h.deps>0?(na(e,"onPending"),na(e,"onFallback"),c(null,e.ssFallback,t,n,r,null,i,a),aa(h,e.ssFallback)):h.resolve(!1,!0)}(t,n,r,o,i,a,l,s,c);else{if(i&&i.deps>0&&!e.suspense.isInFallback)return t.suspense=e.suspense,t.suspense.vnode=t,void(t.el=e.el);!function(e,t,n,r,o,i,a,l,{p:s,um:c,o:{createElement:u}}){const d=t.suspense=e.suspense;d.vnode=t,t.el=e.el;const h=t.ssContent,p=t.ssFallback,{activeBranch:f,pendingBranch:m,isInFallback:v,isHydrating:g}=d;if(m)d.pendingBranch=h,ka(h,m)?(s(m,h,d.hiddenContainer,null,o,d,i,a,l),d.deps<=0?d.resolve():v&&(g||(s(f,p,n,r,o,null,i,a,l),aa(d,p)))):(d.pendingId=ea++,g?(d.isHydrating=!1,d.activeBranch=m):c(m,o,d),d.deps=0,d.effects.length=0,d.hiddenContainer=u("div"),v?(s(null,h,d.hiddenContainer,null,o,d,i,a,l),d.deps<=0?d.resolve():(s(f,p,n,r,o,null,i,a,l),aa(d,p))):f&&ka(h,f)?(s(f,h,n,r,o,d,i,a,l),d.resolve(!0)):(s(null,h,d.hiddenContainer,null,o,d,i,a,l),d.deps<=0&&d.resolve()));else if(f&&ka(h,f))s(f,h,n,r,o,d,i,a,l),aa(d,h);else if(na(t,"onPending"),d.pendingBranch=h,512&h.shapeFlag?d.pendingId=h.component.suspenseId:d.pendingId=ea++,s(null,h,d.hiddenContainer,null,o,d,i,a,l),d.deps<=0)d.resolve();else{const{timeout:e,pendingId:t}=d;e>0?setTimeout((()=>{d.pendingId===t&&d.fallback(p)}),e):0===e&&d.fallback(p)}}(e,t,n,r,o,a,l,s,c)}},hydrate:function(e,t,n,r,o,i,a,l,s){const c=t.suspense=ra(t,r,n,e.parentNode,document.createElement("div"),null,o,i,a,l,!0),u=s(e,c.pendingBranch=t.ssContent,n,c,i,a);0===c.deps&&c.resolve(!1,!0);return u},normalize:function(e){const{shapeFlag:t,children:n}=e,r=32&t;e.ssContent=oa(r?n.default:n),e.ssFallback=r?oa(n.fallback):Ma(ca)}};function na(e,t){const n=e.props&&e.props[t];y(n)&&n()}function ra(e,t,n,r,o,i,a,l,s,c,u=!1){const{p:d,m:h,um:p,n:f,o:{parentNode:m,remove:v}}=c;let g;const w=function(e){const t=e.props&&e.props.suspensible;return null!=t&&!1!==t}(e);w&&t&&t.pendingBranch&&(g=t.pendingId,t.deps++);const y=e.props?F(e.props.timeout):void 0;const b=i,x={vnode:e,parent:t,parentComponent:n,namespace:a,container:r,hiddenContainer:o,deps:0,pendingId:ea++,timeout:"number"==typeof y?y:-1,activeBranch:null,pendingBranch:null,isInFallback:!u,isHydrating:u,isUnmounted:!1,effects:[],resolve(e=!1,n=!1){const{vnode:r,activeBranch:o,pendingBranch:a,pendingId:l,effects:s,parentComponent:c,container:u}=x;let d=!1;x.isHydrating?x.isHydrating=!1:e||(d=o&&a.transition&&"out-in"===a.transition.mode,d&&(o.transition.afterLeave=()=>{l===x.pendingId&&(h(a,u,i===b?f(o):i,0),Nn(s))}),o&&(m(o.el)===u&&(i=f(o)),p(o,c,x,!0)),d||h(a,u,i,0)),aa(x,a),x.pendingBranch=null,x.isInFallback=!1;let v=x.parent,y=!1;for(;v;){if(v.pendingBranch){v.effects.push(...s),y=!0;break}v=v.parent}y||d||Nn(s),x.effects=[],w&&t&&t.pendingBranch&&g===t.pendingId&&(t.deps--,0!==t.deps||n||t.resolve()),na(r,"onResolve")},fallback(e){if(!x.pendingBranch)return;const{vnode:t,activeBranch:n,parentComponent:r,container:o,namespace:i}=x;na(t,"onFallback");const a=f(n),c=()=>{x.isInFallback&&(d(null,e,o,a,r,null,i,l,s),aa(x,e))},u=e.transition&&"out-in"===e.transition.mode;u&&(n.transition.afterLeave=c),x.isInFallback=!0,p(n,r,null,!0),u||c()},move(e,t,n){x.activeBranch&&h(x.activeBranch,e,t,n),x.container=e},next:()=>x.activeBranch&&f(x.activeBranch),registerDep(e,t,n){const r=!!x.pendingBranch;r&&x.deps++;const o=e.vnode.el;e.asyncDep.catch((t=>{yn(t,e,0)})).then((i=>{if(e.isUnmounted||x.isUnmounted||x.pendingId!==e.suspenseId)return;e.asyncResolved=!0;const{vnode:l}=e;Qa(e,i,!1),o&&(l.el=o);const s=!o&&e.subTree.el;t(e,l,m(o||e.subTree.el),o?null:f(e.subTree),x,a,n),s&&v(s),Ji(e,l.el),r&&0==--x.deps&&x.resolve()}))},unmount(e,t){x.isUnmounted=!0,x.activeBranch&&p(x.activeBranch,n,e,t),x.pendingBranch&&p(x.pendingBranch,n,e,t)}};return x}function oa(e){let t;if(y(e)){const n=va&&e._c;n&&(e._d=!1,pa()),e=e(),n&&(e._d=!0,t=ha,fa())}if(m(e)){const t=Gi(e);0,e=t}return e=Ia(e),t&&!e.dynamicChildren&&(e.dynamicChildren=t.filter((t=>t!==e))),e}function ia(e,t){t&&t.pendingBranch?m(e)?t.effects.push(...e):t.effects.push(e):Nn(e)}function aa(e,t){e.activeBranch=t;const{vnode:n,parentComponent:r}=e;let o=t.el;for(;!o&&t.component;)o=(t=t.component.subTree).el;n.el=o,r&&r.subTree===n&&(r.vnode.el=o,Ji(r,o))}const la=Symbol.for("v-fgt"),sa=Symbol.for("v-txt"),ca=Symbol.for("v-cmt"),ua=Symbol.for("v-stc"),da=[];let ha=null;function pa(e=!1){da.push(ha=e?null:[])}function fa(){da.pop(),ha=da[da.length-1]||null}let ma,va=1;function ga(e,t=!1){va+=e,e<0&&ha&&t&&(ha.hasOnce=!0)}function wa(e){return e.dynamicChildren=va>0?ha||a:null,fa(),va>0&&ha&&ha.push(e),e}function ya(e,t,n,r,o,i){return wa(Ba(e,t,n,r,o,i,!0))}function ba(e,t,n,r,o){return wa(Ma(e,t,n,r,o,!0))}function xa(e){return!!e&&!0===e.__v_isVNode}function ka(e,t){return e.type===t.type&&e.key===t.key}function Ea(e){ma=e}const Aa=({key:e})=>null!=e?e:null,Ca=({ref:e,ref_key:t,ref_for:n})=>("number"==typeof e&&(e=""+e),null!=e?b(e)||Pt(e)||y(e)?{i:Rn,r:e,k:t,f:!!n}:e:null);function Ba(e,t=null,n=null,r=0,o=null,i=(e===la?0:1),a=!1,l=!1){const s={__v_isVNode:!0,__v_skip:!0,type:e,props:t,key:t&&Aa(t),ref:t&&Ca(t),scopeId:Hn,slotScopeIds:null,children:n,component:null,suspense:null,ssContent:null,ssFallback:null,dirs:null,transition:null,el:null,anchor:null,target:null,targetStart:null,targetAnchor:null,staticCount:0,shapeFlag:i,patchFlag:r,dynamicProps:o,dynamicChildren:null,appContext:null,ctx:Rn};return l?(Oa(s,n),128&i&&e.normalize(s)):n&&(s.shapeFlag|=b(n)?8:16),va>0&&!a&&ha&&(s.patchFlag>0||6&i)&&32!==s.patchFlag&&ha.push(s),s}const Ma=_a;function _a(e,t=null,n=null,r=0,o=null,i=!1){if(e&&e!==ho||(e=ca),xa(e)){const r=Na(e,t,!0);return n&&Oa(r,n),va>0&&!i&&ha&&(6&r.shapeFlag?ha[ha.indexOf(e)]=r:ha.push(r)),r.patchFlag=-2,r}if(ll(e)&&(e=e.__vccOpts),t){t=Sa(t);let{class:e,style:n}=t;e&&!b(e)&&(t.class=X(e)),k(n)&&(Zt(n)&&!m(n)&&(n=d({},n)),t.style=$(n))}return Ba(e,t,n,r,o,b(e)?1:Qi(e)?128:Gn(e)?64:k(e)?4:y(e)?2:0,i,!0)}function Sa(e){return e?Zt(e)||ci(e)?d({},e):e:null}function Na(e,t,n=!1,r=!1){const{props:o,ref:i,patchFlag:a,children:l,transition:s}=e,c=t?Da(o||{},t):o,u={__v_isVNode:!0,__v_skip:!0,type:e.type,props:c,key:c&&Aa(c),ref:t&&t.ref?n&&i?m(i)?i.concat(Ca(t)):[i,Ca(t)]:Ca(t):i,scopeId:e.scopeId,slotScopeIds:e.slotScopeIds,children:l,target:e.target,targetStart:e.targetStart,targetAnchor:e.targetAnchor,staticCount:e.staticCount,shapeFlag:e.shapeFlag,patchFlag:t&&e.type!==la?-1===a?16:16|a:a,dynamicProps:e.dynamicProps,dynamicChildren:e.dynamicChildren,appContext:e.appContext,dirs:e.dirs,transition:s,component:e.component,suspense:e.suspense,ssContent:e.ssContent&&Na(e.ssContent),ssFallback:e.ssFallback&&Na(e.ssFallback),el:e.el,anchor:e.anchor,ctx:e.ctx,ce:e.ce};return s&&r&&gr(u,s.clone(u)),u}function Va(e=" ",t=0){return Ma(sa,null,e,t)}function La(e,t){const n=Ma(ua,null,e);return n.staticCount=t,n}function Ta(e="",t=!1){return t?(pa(),ba(ca,null,e)):Ma(ca,null,e)}function Ia(e){return null==e||"boolean"==typeof e?Ma(ca):m(e)?Ma(la,null,e.slice()):xa(e)?Za(e):Ma(sa,null,String(e))}function Za(e){return null===e.el&&-1!==e.patchFlag||e.memo?e:Na(e)}function Oa(e,t){let n=0;const{shapeFlag:r}=e;if(null==t)t=null;else if(m(t))n=16;else if("object"==typeof t){if(65&r){const n=t.default;return void(n&&(n._c&&(n._d=!1),Oa(e,n()),n._c&&(n._d=!0)))}{n=32;const r=t._;r||ci(t)?3===r&&Rn&&(1===Rn.slots._?t._=1:(t._=2,e.patchFlag|=1024)):t._ctx=Rn}}else y(t)?(t={default:t,_ctx:Rn},n=32):(t=String(t),64&r?(n=16,t=[Va(t)]):n=8);e.children=t,e.shapeFlag|=n}function Da(...e){const t={};for(let n=0;n<e.length;n++){const r=e[n];for(const e in r)if("class"===e)t.class!==r.class&&(t.class=X([t.class,r.class]));else if("style"===e)t.style=$([t.style,r.style]);else if(c(e)){const n=t[e],o=r[e];!o||n===o||m(n)&&n.includes(o)||(t[e]=n?[].concat(n,o):o)}else""!==e&&(t[e]=r[e])}return t}function Ra(e,t,n,r=null){wn(e,t,7,[n,r])}const Ha=ei();let Pa=0;function ja(e,t,n){const r=e.type,o=(t?t.appContext:e.appContext)||Ha,a={uid:Pa++,vnode:e,type:r,parent:t,appContext:o,root:null,next:null,subTree:null,effect:null,update:null,job:null,scope:new fe(!0),render:null,proxy:null,exposed:null,exposeProxy:null,withProxy:null,provides:t?t.provides:Object.create(o.provides),ids:t?t.ids:["",0,0],accessCache:null,renderCache:[],components:null,directives:null,propsOptions:pi(r,o),emitsOptions:Ui(r,o),emit:null,emitted:null,propsDefaults:i,inheritAttrs:r.inheritAttrs,ctx:i,data:i,props:i,attrs:i,slots:i,refs:i,setupState:i,setupContext:null,suspense:n,suspenseId:n?n.pendingId:0,asyncDep:null,asyncResolved:!1,isMounted:!1,isUnmounted:!1,isDeactivated:!1,bc:null,c:null,bm:null,m:null,bu:null,u:null,um:null,bum:null,da:null,a:null,rtg:null,rtc:null,ec:null,sp:null};return a.ctx={_:a},a.root=t?t.root:a,a.emit=qi.bind(null,a),e.ce&&e.ce(a),a}let Fa=null;const za=()=>Fa||Rn;let qa,Ua;{const e=q(),t=(t,n)=>{let r;return(r=e[t])||(r=e[t]=[]),r.push(n),e=>{r.length>1?r.forEach((t=>t(e))):r[0](e)}};qa=t("__VUE_INSTANCE_SETTERS__",(e=>Fa=e)),Ua=t("__VUE_SSR_SETTERS__",(e=>Xa=e))}const $a=e=>{const t=Fa;return qa(e),e.scope.on(),()=>{e.scope.off(),qa(t)}},Wa=()=>{Fa&&Fa.scope.off(),qa(null)};function Ga(e){return 4&e.vnode.shapeFlag}let Ka,Ya,Xa=!1;function Ja(e,t=!1,n=!1){t&&Ua(t);const{props:r,children:o}=e.vnode,i=Ga(e);!function(e,t,n,r=!1){const o={},i=si();e.propsDefaults=Object.create(null),ui(e,t,o,i);for(const t in e.propsOptions[0])t in o||(o[t]=void 0);n?e.props=r?o:_t(o):e.type.props?e.props=o:e.props=i,e.attrs=i}(e,r,i,t),xi(e,o,n);const a=i?function(e,t){const n=e.type;0;e.accessCache=Object.create(null),e.proxy=new Proxy(e.ctx,Co),!1;const{setup:r}=n;if(r){Oe();const n=e.setupContext=r.length>1?ol(e):null,o=$a(e),i=gn(r,e,0,[e.props,n]),a=E(i);if(De(),o(),!a&&!e.sp||Rr(e)||xr(e),a){if(i.then(Wa,Wa),t)return i.then((n=>{Qa(e,n,t)})).catch((t=>{yn(t,e,0)}));e.asyncDep=i}else Qa(e,i,t)}else nl(e,t)}(e,t):void 0;return t&&Ua(!1),a}function Qa(e,t,n){y(t)?e.type.__ssrInlineRender?e.ssrRender=t:e.render=t:k(t)&&(e.setupState=Kt(t)),nl(e,n)}function el(e){Ka=e,Ya=e=>{e.render._rc&&(e.withProxy=new Proxy(e.ctx,Bo))}}const tl=()=>!Ka;function nl(e,t,n){const r=e.type;if(!e.render){if(!t&&Ka&&!r.render){const t=r.template||$o(e).template;if(t){0;const{isCustomElement:n,compilerOptions:o}=e.appContext.config,{delimiters:i,compilerOptions:a}=r,l=d(d({isCustomElement:n,delimiters:i},o),a);r.render=Ka(t,l)}}e.render=r.render||l,Ya&&Ya(e)}{const t=$a(e);Oe();try{zo(e)}finally{De(),t()}}}const rl={get:(e,t)=>(We(e,0,""),e[t])};function ol(e){const t=t=>{e.exposed=t||{}};return{attrs:new Proxy(e.attrs,rl),slots:e.slots,emit:e.emit,expose:t}}function il(e){return e.exposed?e.exposeProxy||(e.exposeProxy=new Proxy(Kt(Dt(e.exposed)),{get:(t,n)=>n in t?t[n]:n in Eo?Eo[n](e):void 0,has:(e,t)=>t in e||t in Eo})):e.proxy}function al(e,t=!0){return y(e)?e.displayName||e.name:e.name||t&&e.__name}function ll(e){return y(e)&&"__vccOpts"in e}const sl=(e,t)=>{const n=function(e,t,n=!1){let r,o;return y(e)?r=e:(r=e.get,o=e.set),new rn(r,o,n)}(e,0,Xa);return n};function cl(e,t,n){const r=arguments.length;return 2===r?k(t)&&!m(t)?xa(t)?Ma(e,null,[t]):Ma(e,t):Ma(e,null,t):(r>3?n=Array.prototype.slice.call(arguments,2):3===r&&xa(n)&&(n=[n]),Ma(e,t,n))}function ul(){return void 0}function dl(e,t,n,r){const o=n[r];if(o&&hl(o,e))return o;const i=t();return i.memo=e.slice(),i.cacheIndex=r,n[r]=i}function hl(e,t){const n=e.memo;if(n.length!=t.length)return!1;for(let e=0;e<n.length;e++)if(R(n[e],t[e]))return!1;return va>0&&ha&&ha.push(e),!0}const pl="3.5.13",fl=l,ml=vn,vl=Zn,gl=function e(t,n){var r,o;if(Zn=t,Zn)Zn.enabled=!0,On.forEach((({event:e,args:t})=>Zn.emit(e,...t))),On=[];else if("undefined"!=typeof window&&window.HTMLElement&&!(null==(o=null==(r=window.navigator)?void 0:r.userAgent)?void 0:o.includes("jsdom"))){(n.__VUE_DEVTOOLS_HOOK_REPLAY__=n.__VUE_DEVTOOLS_HOOK_REPLAY__||[]).push((t=>{e(t,n)})),setTimeout((()=>{Zn||(n.__VUE_DEVTOOLS_HOOK_REPLAY__=null,Dn=!0,On=[])}),3e3)}else Dn=!0,On=[]},wl={createComponentInstance:ja,setupComponent:Ja,renderComponentRoot:Wi,setCurrentRenderingInstance:Pn,isVNode:xa,normalizeVNode:Ia,getComponentPublicInstance:il,ensureValidVNode:bo,pushWarningContext:function(e){pn.push(e)},popWarningContext:function(){pn.pop()}},yl=null,bl=null,xl=null;let kl;const El="undefined"!=typeof window&&window.trustedTypes;if(El)try{kl=El.createPolicy("vue",{createHTML:e=>e})}catch(e){}const Al=kl?e=>kl.createHTML(e):e=>e,Cl="undefined"!=typeof document?document:null,Bl=Cl&&Cl.createElement("template"),Ml={insert:(e,t,n)=>{t.insertBefore(e,n||null)},remove:e=>{const t=e.parentNode;t&&t.removeChild(e)},createElement:(e,t,n,r)=>{const o="svg"===t?Cl.createElementNS("http://www.w3.org/2000/svg",e):"mathml"===t?Cl.createElementNS("http://www.w3.org/1998/Math/MathML",e):n?Cl.createElement(e,{is:n}):Cl.createElement(e);return"select"===e&&r&&null!=r.multiple&&o.setAttribute("multiple",r.multiple),o},createText:e=>Cl.createTextNode(e),createComment:e=>Cl.createComment(e),setText:(e,t)=>{e.nodeValue=t},setElementText:(e,t)=>{e.textContent=t},parentNode:e=>e.parentNode,nextSibling:e=>e.nextSibling,querySelector:e=>Cl.querySelector(e),setScopeId(e,t){e.setAttribute(t,"")},insertStaticContent(e,t,n,r,o,i){const a=n?n.previousSibling:t.lastChild;if(o&&(o===i||o.nextSibling))for(;t.insertBefore(o.cloneNode(!0),n),o!==i&&(o=o.nextSibling););else{Bl.innerHTML=Al("svg"===r?`<svg>${e}</svg>`:"mathml"===r?`<math>${e}</math>`:e);const o=Bl.content;if("svg"===r||"mathml"===r){const e=o.firstChild;for(;e.firstChild;)o.appendChild(e.firstChild);o.removeChild(e)}t.insertBefore(o,n)}return[a?a.nextSibling:t.firstChild,n?n.previousSibling:t.lastChild]}},_l="transition",Sl="animation",Nl=Symbol("_vtc"),Vl={name:String,type:String,css:{type:Boolean,default:!0},duration:[String,Number,Object],enterFromClass:String,enterActiveClass:String,enterToClass:String,appearFromClass:String,appearActiveClass:String,appearToClass:String,leaveFromClass:String,leaveActiveClass:String,leaveToClass:String},Ll=d({},cr,Vl),Tl=(e=>(e.displayName="Transition",e.props=Ll,e))(((e,{slots:t})=>cl(hr,Ol(e),t))),Il=(e,t=[])=>{m(e)?e.forEach((e=>e(...t))):e&&e(...t)},Zl=e=>!!e&&(m(e)?e.some((e=>e.length>1)):e.length>1);function Ol(e){const t={};for(const n in e)n in Vl||(t[n]=e[n]);if(!1===e.css)return t;const{name:n="v",type:r,duration:o,enterFromClass:i=`${n}-enter-from`,enterActiveClass:a=`${n}-enter-active`,enterToClass:l=`${n}-enter-to`,appearFromClass:s=i,appearActiveClass:c=a,appearToClass:u=l,leaveFromClass:h=`${n}-leave-from`,leaveActiveClass:p=`${n}-leave-active`,leaveToClass:f=`${n}-leave-to`}=e,m=function(e){if(null==e)return null;if(k(e))return[Dl(e.enter),Dl(e.leave)];{const t=Dl(e);return[t,t]}}(o),v=m&&m[0],g=m&&m[1],{onBeforeEnter:w,onEnter:y,onEnterCancelled:b,onLeave:x,onLeaveCancelled:E,onBeforeAppear:A=w,onAppear:C=y,onAppearCancelled:B=b}=t,M=(e,t,n,r)=>{e._enterCancelled=r,Hl(e,t?u:l),Hl(e,t?c:a),n&&n()},_=(e,t)=>{e._isLeaving=!1,Hl(e,h),Hl(e,f),Hl(e,p),t&&t()},S=e=>(t,n)=>{const o=e?C:y,a=()=>M(t,e,n);Il(o,[t,a]),Pl((()=>{Hl(t,e?s:i),Rl(t,e?u:l),Zl(o)||Fl(t,r,v,a)}))};return d(t,{onBeforeEnter(e){Il(w,[e]),Rl(e,i),Rl(e,a)},onBeforeAppear(e){Il(A,[e]),Rl(e,s),Rl(e,c)},onEnter:S(!1),onAppear:S(!0),onLeave(e,t){e._isLeaving=!0;const n=()=>_(e,t);Rl(e,h),e._enterCancelled?(Rl(e,p),$l()):($l(),Rl(e,p)),Pl((()=>{e._isLeaving&&(Hl(e,h),Rl(e,f),Zl(x)||Fl(e,r,g,n))})),Il(x,[e,n])},onEnterCancelled(e){M(e,!1,void 0,!0),Il(b,[e])},onAppearCancelled(e){M(e,!0,void 0,!0),Il(B,[e])},onLeaveCancelled(e){_(e),Il(E,[e])}})}function Dl(e){return F(e)}function Rl(e,t){t.split(/\s+/).forEach((t=>t&&e.classList.add(t))),(e[Nl]||(e[Nl]=new Set)).add(t)}function Hl(e,t){t.split(/\s+/).forEach((t=>t&&e.classList.remove(t)));const n=e[Nl];n&&(n.delete(t),n.size||(e[Nl]=void 0))}function Pl(e){requestAnimationFrame((()=>{requestAnimationFrame(e)}))}let jl=0;function Fl(e,t,n,r){const o=e._endId=++jl,i=()=>{o===e._endId&&r()};if(null!=n)return setTimeout(i,n);const{type:a,timeout:l,propCount:s}=zl(e,t);if(!a)return r();const c=a+"end";let u=0;const d=()=>{e.removeEventListener(c,h),i()},h=t=>{t.target===e&&++u>=s&&d()};setTimeout((()=>{u<s&&d()}),l+1),e.addEventListener(c,h)}function zl(e,t){const n=window.getComputedStyle(e),r=e=>(n[e]||"").split(", "),o=r(`${_l}Delay`),i=r(`${_l}Duration`),a=ql(o,i),l=r(`${Sl}Delay`),s=r(`${Sl}Duration`),c=ql(l,s);let u=null,d=0,h=0;t===_l?a>0&&(u=_l,d=a,h=i.length):t===Sl?c>0&&(u=Sl,d=c,h=s.length):(d=Math.max(a,c),u=d>0?a>c?_l:Sl:null,h=u?u===_l?i.length:s.length:0);return{type:u,timeout:d,propCount:h,hasTransform:u===_l&&/\b(transform|all)(,|$)/.test(r(`${_l}Property`).toString())}}function ql(e,t){for(;e.length<t.length;)e=e.concat(e);return Math.max(...t.map(((t,n)=>Ul(t)+Ul(e[n]))))}function Ul(e){return"auto"===e?0:1e3*Number(e.slice(0,-1).replace(",","."))}function $l(){return document.body.offsetHeight}const Wl=Symbol("_vod"),Gl=Symbol("_vsh"),Kl={beforeMount(e,{value:t},{transition:n}){e[Wl]="none"===e.style.display?"":e.style.display,n&&t?n.beforeEnter(e):Yl(e,t)},mounted(e,{value:t},{transition:n}){n&&t&&n.enter(e)},updated(e,{value:t,oldValue:n},{transition:r}){!t!=!n&&(r?t?(r.beforeEnter(e),Yl(e,!0),r.enter(e)):r.leave(e,(()=>{Yl(e,!1)})):Yl(e,t))},beforeUnmount(e,{value:t}){Yl(e,t)}};function Yl(e,t){e.style.display=t?e[Wl]:"none",e[Gl]=!t}const Xl=Symbol("");function Jl(e){const t=za();if(!t)return;const n=t.ut=(n=e(t.proxy))=>{Array.from(document.querySelectorAll(`[data-v-owner="${t.uid}"]`)).forEach((e=>es(e,n)))};const r=()=>{const r=e(t.proxy);t.ce?es(t.ce,r):Ql(t.subTree,r),n(r)};eo((()=>{Nn(r)})),Qr((()=>{Ri(r,l,{flush:"post"});const e=new MutationObserver(r);e.observe(t.subTree.el.parentNode,{childList:!0}),ro((()=>e.disconnect()))}))}function Ql(e,t){if(128&e.shapeFlag){const n=e.suspense;e=n.activeBranch,n.pendingBranch&&!n.isHydrating&&n.effects.push((()=>{Ql(n.activeBranch,t)}))}for(;e.component;)e=e.component.subTree;if(1&e.shapeFlag&&e.el)es(e.el,t);else if(e.type===la)e.children.forEach((e=>Ql(e,t)));else if(e.type===ua){let{el:n,anchor:r}=e;for(;n&&(es(n,t),n!==r);)n=n.nextSibling}}function es(e,t){if(1===e.nodeType){const n=e.style;let r="";for(const e in t)n.setProperty(`--${e}`,t[e]),r+=`--${e}: ${t[e]};`;n[Xl]=r}}const ts=/(^|;)\s*display\s*:/;const ns=/\s*!important$/;function rs(e,t,n){if(m(n))n.forEach((n=>rs(e,t,n)));else if(null==n&&(n=""),t.startsWith("--"))e.setProperty(t,n);else{const r=function(e,t){const n=is[t];if(n)return n;let r=T(t);if("filter"!==r&&r in e)return is[t]=r;r=O(r);for(let n=0;n<os.length;n++){const o=os[n]+r;if(o in e)return is[t]=o}return t}(e,t);ns.test(n)?e.setProperty(Z(r),n.replace(ns,""),"important"):e[r]=n}}const os=["Webkit","Moz","ms"],is={};const as="http://www.w3.org/1999/xlink";function ls(e,t,n,r,o,i=oe(t)){r&&t.startsWith("xlink:")?null==n?e.removeAttributeNS(as,t.slice(6,t.length)):e.setAttributeNS(as,t,n):null==n||i&&!ie(n)?e.removeAttribute(t):e.setAttribute(t,i?"":x(n)?String(n):n)}function ss(e,t,n,r,o){if("innerHTML"===t||"textContent"===t)return void(null!=n&&(e[t]="innerHTML"===t?Al(n):n));const i=e.tagName;if("value"===t&&"PROGRESS"!==i&&!i.includes("-")){const r="OPTION"===i?e.getAttribute("value")||"":e.value,o=null==n?"checkbox"===e.type?"on":"":String(n);return r===o&&"_value"in e||(e.value=o),null==n&&e.removeAttribute(t),void(e._value=n)}let a=!1;if(""===n||null==n){const r=typeof e[t];"boolean"===r?n=ie(n):null==n&&"string"===r?(n="",a=!0):"number"===r&&(n=0,a=!0)}try{e[t]=n}catch(e){0}a&&e.removeAttribute(o||t)}function cs(e,t,n,r){e.addEventListener(t,n,r)}const us=Symbol("_vei");function ds(e,t,n,r,o=null){const i=e[us]||(e[us]={}),a=i[t];if(r&&a)a.value=r;else{const[n,l]=function(e){let t;if(hs.test(e)){let n;for(t={};n=e.match(hs);)e=e.slice(0,e.length-n[0].length),t[n[0].toLowerCase()]=!0}const n=":"===e[2]?e.slice(3):Z(e.slice(2));return[n,t]}(t);if(r){const a=i[t]=function(e,t){const n=e=>{if(e._vts){if(e._vts<=n.attached)return}else e._vts=Date.now();wn(function(e,t){if(m(t)){const n=e.stopImmediatePropagation;return e.stopImmediatePropagation=()=>{n.call(e),e._stopped=!0},t.map((e=>t=>!t._stopped&&e&&e(t)))}return t}(e,n.value),t,5,[e])};return n.value=e,n.attached=ms(),n}(r,o);cs(e,n,a,l)}else a&&(!function(e,t,n,r){e.removeEventListener(t,n,r)}(e,n,a,l),i[t]=void 0)}}const hs=/(?:Once|Passive|Capture)$/;let ps=0;const fs=Promise.resolve(),ms=()=>ps||(fs.then((()=>ps=0)),ps=Date.now());const vs=e=>111===e.charCodeAt(0)&&110===e.charCodeAt(1)&&e.charCodeAt(2)>96&&e.charCodeAt(2)<123;const gs={};function ws(e,t,n){const r=yr(e,t);M(r)&&d(r,t);class o extends xs{constructor(e){super(r,e,n)}}return o.def=r,o}const ys=(e,t)=>ws(e,t,lc),bs="undefined"!=typeof HTMLElement?HTMLElement:class{};class xs extends bs{constructor(e,t={},n=ac){super(),this._def=e,this._props=t,this._createApp=n,this._isVueCE=!0,this._instance=null,this._app=null,this._nonce=this._def.nonce,this._connected=!1,this._resolved=!1,this._numberProps=null,this._styleChildren=new WeakSet,this._ob=null,this.shadowRoot&&n!==ac?this._root=this.shadowRoot:!1!==e.shadowRoot?(this.attachShadow({mode:"open"}),this._root=this.shadowRoot):this._root=this,this._def.__asyncLoader||this._resolveProps(this._def)}connectedCallback(){if(!this.isConnected)return;this.shadowRoot||this._parseSlots(),this._connected=!0;let e=this;for(;e=e&&(e.parentNode||e.host);)if(e instanceof xs){this._parent=e;break}this._instance||(this._resolved?(this._setParent(),this._update()):e&&e._pendingResolve?this._pendingResolve=e._pendingResolve.then((()=>{this._pendingResolve=void 0,this._resolveDef()})):this._resolveDef())}_setParent(e=this._parent){e&&(this._instance.parent=e._instance,this._instance.provides=e._instance.provides)}disconnectedCallback(){this._connected=!1,Mn((()=>{this._connected||(this._ob&&(this._ob.disconnect(),this._ob=null),this._app&&this._app.unmount(),this._instance&&(this._instance.ce=void 0),this._app=this._instance=null)}))}_resolveDef(){if(this._pendingResolve)return;for(let e=0;e<this.attributes.length;e++)this._setAttr(this.attributes[e].name);this._ob=new MutationObserver((e=>{for(const t of e)this._setAttr(t.attributeName)})),this._ob.observe(this,{attributes:!0});const e=(e,t=!1)=>{this._resolved=!0,this._pendingResolve=void 0;const{props:n,styles:r}=e;let o;if(n&&!m(n))for(const e in n){const t=n[e];(t===Number||t&&t.type===Number)&&(e in this._props&&(this._props[e]=F(this._props[e])),(o||(o=Object.create(null)))[T(e)]=!0)}this._numberProps=o,t&&this._resolveProps(e),this.shadowRoot&&this._applyStyles(r),this._mount(e)},t=this._def.__asyncLoader;t?this._pendingResolve=t().then((t=>e(this._def=t,!0))):e(this._def)}_mount(e){this._app=this._createApp(e),e.configureApp&&e.configureApp(this._app),this._app._ceVNode=this._createVNode(),this._app.mount(this._root);const t=this._instance&&this._instance.exposed;if(t)for(const e in t)f(this,e)||Object.defineProperty(this,e,{get:()=>$t(t[e])})}_resolveProps(e){const{props:t}=e,n=m(t)?t:Object.keys(t||{});for(const e of Object.keys(this))"_"!==e[0]&&n.includes(e)&&this._setProp(e,this[e]);for(const e of n.map(T))Object.defineProperty(this,e,{get(){return this._getProp(e)},set(t){this._setProp(e,t,!0,!0)}})}_setAttr(e){if(e.startsWith("data-v-"))return;const t=this.hasAttribute(e);let n=t?this.getAttribute(e):gs;const r=T(e);t&&this._numberProps&&this._numberProps[r]&&(n=F(n)),this._setProp(r,n,!1,!0)}_getProp(e){return this._props[e]}_setProp(e,t,n=!0,r=!1){if(t!==this._props[e]&&(t===gs?delete this._props[e]:(this._props[e]=t,"key"===e&&this._app&&(this._app._ceVNode.key=t)),r&&this._instance&&this._update(),n)){const n=this._ob;n&&n.disconnect(),!0===t?this.setAttribute(Z(e),""):"string"==typeof t||"number"==typeof t?this.setAttribute(Z(e),t+""):t||this.removeAttribute(Z(e)),n&&n.observe(this,{attributes:!0})}}_update(){oc(this._createVNode(),this._root)}_createVNode(){const e={};this.shadowRoot||(e.onVnodeMounted=e.onVnodeUpdated=this._renderSlots.bind(this));const t=Ma(this._def,d(e,this._props));return this._instance||(t.ce=e=>{this._instance=e,e.ce=this,e.isCE=!0;const t=(e,t)=>{this.dispatchEvent(new CustomEvent(e,M(t[0])?d({detail:t},t[0]):{detail:t}))};e.emit=(e,...n)=>{t(e,n),Z(e)!==e&&t(Z(e),n)},this._setParent()}),t}_applyStyles(e,t){if(!e)return;if(t){if(t===this._def||this._styleChildren.has(t))return;this._styleChildren.add(t)}const n=this._nonce;for(let t=e.length-1;t>=0;t--){const r=document.createElement("style");n&&r.setAttribute("nonce",n),r.textContent=e[t],this.shadowRoot.prepend(r)}}_parseSlots(){const e=this._slots={};let t;for(;t=this.firstChild;){const n=1===t.nodeType&&t.getAttribute("slot")||"default";(e[n]||(e[n]=[])).push(t),this.removeChild(t)}}_renderSlots(){const e=(this._teleportTarget||this).querySelectorAll("slot"),t=this._instance.type.__scopeId;for(let n=0;n<e.length;n++){const r=e[n],o=r.getAttribute("name")||"default",i=this._slots[o],a=r.parentNode;if(i)for(const e of i){if(t&&1===e.nodeType){const n=t+"-s",r=document.createTreeWalker(e,1);let o;for(e.setAttribute(n,"");o=r.nextNode();)o.setAttribute(n,"")}a.insertBefore(e,r)}else for(;r.firstChild;)a.insertBefore(r.firstChild,r);a.removeChild(r)}}_injectChildStyle(e){this._applyStyles(e.styles,e)}_removeChildStyle(e){0}}function ks(e){const t=za(),n=t&&t.ce;return n||null}function Es(){const e=ks();return e&&e.shadowRoot}function As(e="$style"){{const t=za();if(!t)return i;const n=t.type.__cssModules;if(!n)return i;const r=n[e];return r||i}}const Cs=new WeakMap,Bs=new WeakMap,Ms=Symbol("_moveCb"),_s=Symbol("_enterCb"),Ss=(e=>(delete e.props.mode,e))({name:"TransitionGroup",props:d({},Ll,{tag:String,moveClass:String}),setup(e,{slots:t}){const n=za(),r=lr();let o,i;return to((()=>{if(!o.length)return;const t=e.moveClass||`${e.name||"v"}-move`;if(!function(e,t,n){const r=e.cloneNode(),o=e[Nl];o&&o.forEach((e=>{e.split(/\s+/).forEach((e=>e&&r.classList.remove(e)))}));n.split(/\s+/).forEach((e=>e&&r.classList.add(e))),r.style.display="none";const i=1===t.nodeType?t:t.parentNode;i.appendChild(r);const{hasTransform:a}=zl(r);return i.removeChild(r),a}(o[0].el,n.vnode.el,t))return;o.forEach(Ns),o.forEach(Vs);const r=o.filter(Ls);$l(),r.forEach((e=>{const n=e.el,r=n.style;Rl(n,t),r.transform=r.webkitTransform=r.transitionDuration="";const o=n[Ms]=e=>{e&&e.target!==n||e&&!/transform$/.test(e.propertyName)||(n.removeEventListener("transitionend",o),n[Ms]=null,Hl(n,t))};n.addEventListener("transitionend",o)}))})),()=>{const a=Ot(e),l=Ol(a);let s=a.tag||la;if(o=[],i)for(let e=0;e<i.length;e++){const t=i[e];t.el&&t.el instanceof Element&&(o.push(t),gr(t,fr(t,l,r,n)),Cs.set(t,t.el.getBoundingClientRect()))}i=t.default?wr(t.default()):[];for(let e=0;e<i.length;e++){const t=i[e];null!=t.key&&gr(t,fr(t,l,r,n))}return Ma(s,null,i)}}});function Ns(e){const t=e.el;t[Ms]&&t[Ms](),t[_s]&&t[_s]()}function Vs(e){Bs.set(e,e.el.getBoundingClientRect())}function Ls(e){const t=Cs.get(e),n=Bs.get(e),r=t.left-n.left,o=t.top-n.top;if(r||o){const t=e.el.style;return t.transform=t.webkitTransform=`translate(${r}px,${o}px)`,t.transitionDuration="0s",e}}const Ts=e=>{const t=e.props["onUpdate:modelValue"]||!1;return m(t)?e=>H(t,e):t};function Is(e){e.target.composing=!0}function Zs(e){const t=e.target;t.composing&&(t.composing=!1,t.dispatchEvent(new Event("input")))}const Os=Symbol("_assign"),Ds={created(e,{modifiers:{lazy:t,trim:n,number:r}},o){e[Os]=Ts(o);const i=r||o.props&&"number"===o.props.type;cs(e,t?"change":"input",(t=>{if(t.target.composing)return;let r=e.value;n&&(r=r.trim()),i&&(r=j(r)),e[Os](r)})),n&&cs(e,"change",(()=>{e.value=e.value.trim()})),t||(cs(e,"compositionstart",Is),cs(e,"compositionend",Zs),cs(e,"change",Zs))},mounted(e,{value:t}){e.value=null==t?"":t},beforeUpdate(e,{value:t,oldValue:n,modifiers:{lazy:r,trim:o,number:i}},a){if(e[Os]=Ts(a),e.composing)return;const l=null==t?"":t;if((!i&&"number"!==e.type||/^0\d/.test(e.value)?e.value:j(e.value))!==l){if(document.activeElement===e&&"range"!==e.type){if(r&&t===n)return;if(o&&e.value.trim()===l)return}e.value=l}}},Rs={deep:!0,created(e,t,n){e[Os]=Ts(n),cs(e,"change",(()=>{const t=e._modelValue,n=zs(e),r=e.checked,o=e[Os];if(m(t)){const e=le(t,n),i=-1!==e;if(r&&!i)o(t.concat(n));else if(!r&&i){const n=[...t];n.splice(e,1),o(n)}}else if(g(t)){const e=new Set(t);r?e.add(n):e.delete(n),o(e)}else o(qs(e,r))}))},mounted:Hs,beforeUpdate(e,t,n){e[Os]=Ts(n),Hs(e,t,n)}};function Hs(e,{value:t,oldValue:n},r){let o;if(e._modelValue=t,m(t))o=le(t,r.props.value)>-1;else if(g(t))o=t.has(r.props.value);else{if(t===n)return;o=ae(t,qs(e,!0))}e.checked!==o&&(e.checked=o)}const Ps={created(e,{value:t},n){e.checked=ae(t,n.props.value),e[Os]=Ts(n),cs(e,"change",(()=>{e[Os](zs(e))}))},beforeUpdate(e,{value:t,oldValue:n},r){e[Os]=Ts(r),t!==n&&(e.checked=ae(t,r.props.value))}},js={deep:!0,created(e,{value:t,modifiers:{number:n}},r){const o=g(t);cs(e,"change",(()=>{const t=Array.prototype.filter.call(e.options,(e=>e.selected)).map((e=>n?j(zs(e)):zs(e)));e[Os](e.multiple?o?new Set(t):t:t[0]),e._assigning=!0,Mn((()=>{e._assigning=!1}))})),e[Os]=Ts(r)},mounted(e,{value:t}){Fs(e,t)},beforeUpdate(e,t,n){e[Os]=Ts(n)},updated(e,{value:t}){e._assigning||Fs(e,t)}};function Fs(e,t){const n=e.multiple,r=m(t);if(!n||r||g(t)){for(let o=0,i=e.options.length;o<i;o++){const i=e.options[o],a=zs(i);if(n)if(r){const e=typeof a;i.selected="string"===e||"number"===e?t.some((e=>String(e)===String(a))):le(t,a)>-1}else i.selected=t.has(a);else if(ae(zs(i),t))return void(e.selectedIndex!==o&&(e.selectedIndex=o))}n||-1===e.selectedIndex||(e.selectedIndex=-1)}}function zs(e){return"_value"in e?e._value:e.value}function qs(e,t){const n=t?"_trueValue":"_falseValue";return n in e?e[n]:t}const Us={created(e,t,n){Ws(e,t,n,null,"created")},mounted(e,t,n){Ws(e,t,n,null,"mounted")},beforeUpdate(e,t,n,r){Ws(e,t,n,r,"beforeUpdate")},updated(e,t,n,r){Ws(e,t,n,r,"updated")}};function $s(e,t){switch(e){case"SELECT":return js;case"TEXTAREA":return Ds;default:switch(t){case"checkbox":return Rs;case"radio":return Ps;default:return Ds}}}function Ws(e,t,n,r,o){const i=$s(e.tagName,n.props&&n.props.type)[o];i&&i(e,t,n,r)}const Gs=["ctrl","shift","alt","meta"],Ks={stop:e=>e.stopPropagation(),prevent:e=>e.preventDefault(),self:e=>e.target!==e.currentTarget,ctrl:e=>!e.ctrlKey,shift:e=>!e.shiftKey,alt:e=>!e.altKey,meta:e=>!e.metaKey,left:e=>"button"in e&&0!==e.button,middle:e=>"button"in e&&1!==e.button,right:e=>"button"in e&&2!==e.button,exact:(e,t)=>Gs.some((n=>e[`${n}Key`]&&!t.includes(n)))},Ys=(e,t)=>{const n=e._withMods||(e._withMods={}),r=t.join(".");return n[r]||(n[r]=(n,...r)=>{for(let e=0;e<t.length;e++){const r=Ks[t[e]];if(r&&r(n,t))return}return e(n,...r)})},Xs={esc:"escape",space:" ",up:"arrow-up",left:"arrow-left",right:"arrow-right",down:"arrow-down",delete:"backspace"},Js=(e,t)=>{const n=e._withKeys||(e._withKeys={}),r=t.join(".");return n[r]||(n[r]=n=>{if(!("key"in n))return;const r=Z(n.key);return t.some((e=>e===r||Xs[e]===r))?e(n):void 0})},Qs=d({patchProp:(e,t,n,r,o,i)=>{const a="svg"===o;"class"===t?function(e,t,n){const r=e[Nl];r&&(t=(t?[t,...r]:[...r]).join(" ")),null==t?e.removeAttribute("class"):n?e.setAttribute("class",t):e.className=t}(e,r,a):"style"===t?function(e,t,n){const r=e.style,o=b(n);let i=!1;if(n&&!o){if(t)if(b(t))for(const e of t.split(";")){const t=e.slice(0,e.indexOf(":")).trim();null==n[t]&&rs(r,t,"")}else for(const e in t)null==n[e]&&rs(r,e,"");for(const e in n)"display"===e&&(i=!0),rs(r,e,n[e])}else if(o){if(t!==n){const e=r[Xl];e&&(n+=";"+e),r.cssText=n,i=ts.test(n)}}else t&&e.removeAttribute("style");Wl in e&&(e[Wl]=i?r.display:"",e[Gl]&&(r.display="none"))}(e,n,r):c(t)?u(t)||ds(e,t,0,r,i):("."===t[0]?(t=t.slice(1),1):"^"===t[0]?(t=t.slice(1),0):function(e,t,n,r){if(r)return"innerHTML"===t||"textContent"===t||!!(t in e&&vs(t)&&y(n));if("spellcheck"===t||"draggable"===t||"translate"===t)return!1;if("form"===t)return!1;if("list"===t&&"INPUT"===e.tagName)return!1;if("type"===t&&"TEXTAREA"===e.tagName)return!1;if("width"===t||"height"===t){const t=e.tagName;if("IMG"===t||"VIDEO"===t||"CANVAS"===t||"SOURCE"===t)return!1}if(vs(t)&&b(n))return!1;return t in e}(e,t,r,a))?(ss(e,t,r),e.tagName.includes("-")||"value"!==t&&"checked"!==t&&"selected"!==t||ls(e,t,r,a,0,"value"!==t)):!e._isVueCE||!/[A-Z]/.test(t)&&b(r)?("true-value"===t?e._trueValue=r:"false-value"===t&&(e._falseValue=r),ls(e,t,r,a)):ss(e,T(t),r,0,t)}},Ml);let ec,tc=!1;function nc(){return ec||(ec=Ai(Qs))}function rc(){return ec=tc?ec:Ci(Qs),tc=!0,ec}const oc=(...e)=>{nc().render(...e)},ic=(...e)=>{rc().hydrate(...e)},ac=(...e)=>{const t=nc().createApp(...e);const{mount:n}=t;return t.mount=e=>{const r=cc(e);if(!r)return;const o=t._component;y(o)||o.render||o.template||(o.template=r.innerHTML),1===r.nodeType&&(r.textContent="");const i=n(r,!1,sc(r));return r instanceof Element&&(r.removeAttribute("v-cloak"),r.setAttribute("data-v-app","")),i},t},lc=(...e)=>{const t=rc().createApp(...e);const{mount:n}=t;return t.mount=e=>{const t=cc(e);if(t)return n(t,!0,sc(t))},t};function sc(e){return e instanceof SVGElement?"svg":"function"==typeof MathMLElement&&e instanceof MathMLElement?"mathml":void 0}function cc(e){if(b(e)){return document.querySelector(e)}return e}let uc=!1;const dc=()=>{uc||(uc=!0,Ds.getSSRProps=({value:e})=>({value:e}),Ps.getSSRProps=({value:e},t)=>{if(t.props&&ae(t.props.value,e))return{checked:!0}},Rs.getSSRProps=({value:e},t)=>{if(m(e)){if(t.props&&le(e,t.props.value)>-1)return{checked:!0}}else if(g(e)){if(t.props&&e.has(t.props.value))return{checked:!0}}else if(e)return{checked:!0}},Us.getSSRProps=(e,t)=>{if("string"!=typeof t.type)return;const n=$s(t.type.toUpperCase(),t.props&&t.props.type);return n.getSSRProps?n.getSSRProps(e,t):void 0},Kl.getSSRProps=({value:e})=>{if(!e)return{style:{display:"none"}}})},hc=Symbol(""),pc=Symbol(""),fc=Symbol(""),mc=Symbol(""),vc=Symbol(""),gc=Symbol(""),wc=Symbol(""),yc=Symbol(""),bc=Symbol(""),xc=Symbol(""),kc=Symbol(""),Ec=Symbol(""),Ac=Symbol(""),Cc=Symbol(""),Bc=Symbol(""),Mc=Symbol(""),_c=Symbol(""),Sc=Symbol(""),Nc=Symbol(""),Vc=Symbol(""),Lc=Symbol(""),Tc=Symbol(""),Ic=Symbol(""),Zc=Symbol(""),Oc=Symbol(""),Dc=Symbol(""),Rc=Symbol(""),Hc=Symbol(""),Pc=Symbol(""),jc=Symbol(""),Fc=Symbol(""),zc=Symbol(""),qc=Symbol(""),Uc=Symbol(""),$c=Symbol(""),Wc=Symbol(""),Gc=Symbol(""),Kc=Symbol(""),Yc=Symbol(""),Xc={[hc]:"Fragment",[pc]:"Teleport",[fc]:"Suspense",[mc]:"KeepAlive",[vc]:"BaseTransition",[gc]:"openBlock",[wc]:"createBlock",[yc]:"createElementBlock",[bc]:"createVNode",[xc]:"createElementVNode",[kc]:"createCommentVNode",[Ec]:"createTextVNode",[Ac]:"createStaticVNode",[Cc]:"resolveComponent",[Bc]:"resolveDynamicComponent",[Mc]:"resolveDirective",[_c]:"resolveFilter",[Sc]:"withDirectives",[Nc]:"renderList",[Vc]:"renderSlot",[Lc]:"createSlots",[Tc]:"toDisplayString",[Ic]:"mergeProps",[Zc]:"normalizeClass",[Oc]:"normalizeStyle",[Dc]:"normalizeProps",[Rc]:"guardReactiveProps",[Hc]:"toHandlers",[Pc]:"camelize",[jc]:"capitalize",[Fc]:"toHandlerKey",[zc]:"setBlockTracking",[qc]:"pushScopeId",[Uc]:"popScopeId",[$c]:"withCtx",[Wc]:"unref",[Gc]:"isRef",[Kc]:"withMemo",[Yc]:"isMemoSame"};const Jc={start:{line:1,column:1,offset:0},end:{line:1,column:1,offset:0},source:""};function Qc(e,t,n,r,o,i,a,l=!1,s=!1,c=!1,u=Jc){return e&&(l?(e.helper(gc),e.helper(cu(e.inSSR,c))):e.helper(su(e.inSSR,c)),a&&e.helper(Sc)),{type:13,tag:t,props:n,children:r,patchFlag:o,dynamicProps:i,directives:a,isBlock:l,disableTracking:s,isComponent:c,loc:u}}function eu(e,t=Jc){return{type:17,loc:t,elements:e}}function tu(e,t=Jc){return{type:15,loc:t,properties:e}}function nu(e,t){return{type:16,loc:Jc,key:b(e)?ru(e,!0):e,value:t}}function ru(e,t=!1,n=Jc,r=0){return{type:4,loc:n,content:e,isStatic:t,constType:t?3:r}}function ou(e,t=Jc){return{type:8,loc:t,children:e}}function iu(e,t=[],n=Jc){return{type:14,loc:n,callee:e,arguments:t}}function au(e,t=void 0,n=!1,r=!1,o=Jc){return{type:18,params:e,returns:t,newline:n,isSlot:r,loc:o}}function lu(e,t,n,r=!0){return{type:19,test:e,consequent:t,alternate:n,newline:r,loc:Jc}}function su(e,t){return e||t?bc:xc}function cu(e,t){return e||t?wc:yc}function uu(e,{helper:t,removeHelper:n,inSSR:r}){e.isBlock||(e.isBlock=!0,n(su(r,e.isComponent)),t(gc),t(cu(r,e.isComponent)))}const du=new Uint8Array([123,123]),hu=new Uint8Array([125,125]);function pu(e){return e>=97&&e<=122||e>=65&&e<=90}function fu(e){return 32===e||10===e||9===e||12===e||13===e}function mu(e){return 47===e||62===e||fu(e)}function vu(e){const t=new Uint8Array(e.length);for(let n=0;n<e.length;n++)t[n]=e.charCodeAt(n);return t}const gu={Cdata:new Uint8Array([67,68,65,84,65,91]),CdataEnd:new Uint8Array([93,93,62]),CommentEnd:new Uint8Array([45,45,62]),ScriptEnd:new Uint8Array([60,47,115,99,114,105,112,116]),StyleEnd:new Uint8Array([60,47,115,116,121,108,101]),TitleEnd:new Uint8Array([60,47,116,105,116,108,101]),TextareaEnd:new Uint8Array([60,47,116,101,120,116,97,114,101,97])};function wu(e,{compatConfig:t}){const n=t&&t[e];return"MODE"===e?n||3:n}function yu(e,t){const n=wu("MODE",t),r=wu(e,t);return 3===n?!0===r:!1!==r}function bu(e,t,n,...r){return yu(e,t)}function xu(e){throw e}function ku(e){}function Eu(e,t,n,r){const o=new SyntaxError(String(`https://vuejs.org/error-reference/#compiler-${e}`));return o.code=e,o.loc=t,o}const Au=e=>4===e.type&&e.isStatic;function Cu(e){switch(e){case"Teleport":case"teleport":return pc;case"Suspense":case"suspense":return fc;case"KeepAlive":case"keep-alive":return mc;case"BaseTransition":case"base-transition":return vc}}const Bu=/^\d|[^\$\w\xA0-\uFFFF]/,Mu=e=>!Bu.test(e),_u=/[A-Za-z_$\xA0-\uFFFF]/,Su=/[\.\?\w$\xA0-\uFFFF]/,Nu=/\s+[.[]\s*|\s*[.[]\s+/g,Vu=e=>4===e.type?e.content:e.loc.source,Lu=e=>{const t=Vu(e).trim().replace(Nu,(e=>e.trim()));let n=0,r=[],o=0,i=0,a=null;for(let e=0;e<t.length;e++){const l=t.charAt(e);switch(n){case 0:if("["===l)r.push(n),n=1,o++;else if("("===l)r.push(n),n=2,i++;else if(!(0===e?_u:Su).test(l))return!1;break;case 1:"'"===l||'"'===l||"`"===l?(r.push(n),n=3,a=l):"["===l?o++:"]"===l&&(--o||(n=r.pop()));break;case 2:if("'"===l||'"'===l||"`"===l)r.push(n),n=3,a=l;else if("("===l)i++;else if(")"===l){if(e===t.length-1)return!1;--i||(n=r.pop())}break;case 3:l===a&&(n=r.pop(),a=null)}}return!o&&!i},Tu=/^\s*(async\s*)?(\([^)]*?\)|[\w$_]+)\s*(:[^=]+)?=>|^\s*(async\s+)?function(?:\s+[\w$]+)?\s*\(/,Iu=e=>Tu.test(Vu(e));function Zu(e,t,n=!1){for(let r=0;r<e.props.length;r++){const o=e.props[r];if(7===o.type&&(n||o.exp)&&(b(t)?o.name===t:t.test(o.name)))return o}}function Ou(e,t,n=!1,r=!1){for(let o=0;o<e.props.length;o++){const i=e.props[o];if(6===i.type){if(n)continue;if(i.name===t&&(i.value||r))return i}else if("bind"===i.name&&(i.exp||r)&&Du(i.arg,t))return i}}function Du(e,t){return!(!e||!Au(e)||e.content!==t)}function Ru(e){return 5===e.type||2===e.type}function Hu(e){return 7===e.type&&"slot"===e.name}function Pu(e){return 1===e.type&&3===e.tagType}function ju(e){return 1===e.type&&2===e.tagType}const Fu=new Set([Dc,Rc]);function zu(e,t=[]){if(e&&!b(e)&&14===e.type){const n=e.callee;if(!b(n)&&Fu.has(n))return zu(e.arguments[0],t.concat(e))}return[e,t]}function qu(e,t,n){let r,o,i=13===e.type?e.props:e.arguments[2],a=[];if(i&&!b(i)&&14===i.type){const e=zu(i);i=e[0],a=e[1],o=a[a.length-1]}if(null==i||b(i))r=tu([t]);else if(14===i.type){const e=i.arguments[0];b(e)||15!==e.type?i.callee===Hc?r=iu(n.helper(Ic),[tu([t]),i]):i.arguments.unshift(tu([t])):Uu(t,e)||e.properties.unshift(t),!r&&(r=i)}else 15===i.type?(Uu(t,i)||i.properties.unshift(t),r=i):(r=iu(n.helper(Ic),[tu([t]),i]),o&&o.callee===Rc&&(o=a[a.length-2]));13===e.type?o?o.arguments[0]=r:e.props=r:o?o.arguments[0]=r:e.arguments[2]=r}function Uu(e,t){let n=!1;if(4===e.key.type){const r=e.key.content;n=t.properties.some((e=>4===e.key.type&&e.key.content===r))}return n}function $u(e,t){return`_${t}_${e.replace(/[^\w]/g,((t,n)=>"-"===t?"_":e.charCodeAt(n).toString()))}`}const Wu=/([\s\S]*?)\s+(?:in|of)\s+(\S[\s\S]*)/,Gu={parseMode:"base",ns:0,delimiters:["{{","}}"],getNamespace:()=>0,isVoidTag:s,isPreTag:s,isIgnoreNewlineTag:s,isCustomElement:s,onError:xu,onWarn:ku,comments:!1,prefixIdentifiers:!1};let Ku=Gu,Yu=null,Xu="",Ju=null,Qu=null,ed="",td=-1,nd=-1,rd=0,od=!1,id=null;const ad=[],ld=new class{constructor(e,t){this.stack=e,this.cbs=t,this.state=1,this.buffer="",this.sectionStart=0,this.index=0,this.entityStart=0,this.baseState=1,this.inRCDATA=!1,this.inXML=!1,this.inVPre=!1,this.newlines=[],this.mode=0,this.delimiterOpen=du,this.delimiterClose=hu,this.delimiterIndex=-1,this.currentSequence=void 0,this.sequenceIndex=0}get inSFCRoot(){return 2===this.mode&&0===this.stack.length}reset(){this.state=1,this.mode=0,this.buffer="",this.sectionStart=0,this.index=0,this.baseState=1,this.inRCDATA=!1,this.currentSequence=void 0,this.newlines.length=0,this.delimiterOpen=du,this.delimiterClose=hu}getPos(e){let t=1,n=e+1;for(let r=this.newlines.length-1;r>=0;r--){const o=this.newlines[r];if(e>o){t=r+2,n=e-o;break}}return{column:n,line:t,offset:e}}peek(){return this.buffer.charCodeAt(this.index+1)}stateText(e){60===e?(this.index>this.sectionStart&&this.cbs.ontext(this.sectionStart,this.index),this.state=5,this.sectionStart=this.index):this.inVPre||e!==this.delimiterOpen[0]||(this.state=2,this.delimiterIndex=0,this.stateInterpolationOpen(e))}stateInterpolationOpen(e){if(e===this.delimiterOpen[this.delimiterIndex])if(this.delimiterIndex===this.delimiterOpen.length-1){const e=this.index+1-this.delimiterOpen.length;e>this.sectionStart&&this.cbs.ontext(this.sectionStart,e),this.state=3,this.sectionStart=e}else this.delimiterIndex++;else this.inRCDATA?(this.state=32,this.stateInRCDATA(e)):(this.state=1,this.stateText(e))}stateInterpolation(e){e===this.delimiterClose[0]&&(this.state=4,this.delimiterIndex=0,this.stateInterpolationClose(e))}stateInterpolationClose(e){e===this.delimiterClose[this.delimiterIndex]?this.delimiterIndex===this.delimiterClose.length-1?(this.cbs.oninterpolation(this.sectionStart,this.index+1),this.inRCDATA?this.state=32:this.state=1,this.sectionStart=this.index+1):this.delimiterIndex++:(this.state=3,this.stateInterpolation(e))}stateSpecialStartSequence(e){const t=this.sequenceIndex===this.currentSequence.length;if(t?mu(e):(32|e)===this.currentSequence[this.sequenceIndex]){if(!t)return void this.sequenceIndex++}else this.inRCDATA=!1;this.sequenceIndex=0,this.state=6,this.stateInTagName(e)}stateInRCDATA(e){if(this.sequenceIndex===this.currentSequence.length){if(62===e||fu(e)){const t=this.index-this.currentSequence.length;if(this.sectionStart<t){const e=this.index;this.index=t,this.cbs.ontext(this.sectionStart,t),this.index=e}return this.sectionStart=t+2,this.stateInClosingTagName(e),void(this.inRCDATA=!1)}this.sequenceIndex=0}(32|e)===this.currentSequence[this.sequenceIndex]?this.sequenceIndex+=1:0===this.sequenceIndex?this.currentSequence===gu.TitleEnd||this.currentSequence===gu.TextareaEnd&&!this.inSFCRoot?this.inVPre||e!==this.delimiterOpen[0]||(this.state=2,this.delimiterIndex=0,this.stateInterpolationOpen(e)):this.fastForwardTo(60)&&(this.sequenceIndex=1):this.sequenceIndex=Number(60===e)}stateCDATASequence(e){e===gu.Cdata[this.sequenceIndex]?++this.sequenceIndex===gu.Cdata.length&&(this.state=28,this.currentSequence=gu.CdataEnd,this.sequenceIndex=0,this.sectionStart=this.index+1):(this.sequenceIndex=0,this.state=23,this.stateInDeclaration(e))}fastForwardTo(e){for(;++this.index<this.buffer.length;){const t=this.buffer.charCodeAt(this.index);if(10===t&&this.newlines.push(this.index),t===e)return!0}return this.index=this.buffer.length-1,!1}stateInCommentLike(e){e===this.currentSequence[this.sequenceIndex]?++this.sequenceIndex===this.currentSequence.length&&(this.currentSequence===gu.CdataEnd?this.cbs.oncdata(this.sectionStart,this.index-2):this.cbs.oncomment(this.sectionStart,this.index-2),this.sequenceIndex=0,this.sectionStart=this.index+1,this.state=1):0===this.sequenceIndex?this.fastForwardTo(this.currentSequence[0])&&(this.sequenceIndex=1):e!==this.currentSequence[this.sequenceIndex-1]&&(this.sequenceIndex=0)}startSpecial(e,t){this.enterRCDATA(e,t),this.state=31}enterRCDATA(e,t){this.inRCDATA=!0,this.currentSequence=e,this.sequenceIndex=t}stateBeforeTagName(e){33===e?(this.state=22,this.sectionStart=this.index+1):63===e?(this.state=24,this.sectionStart=this.index+1):pu(e)?(this.sectionStart=this.index,0===this.mode?this.state=6:this.inSFCRoot?this.state=34:this.inXML?this.state=6:this.state=116===e?30:115===e?29:6):47===e?this.state=8:(this.state=1,this.stateText(e))}stateInTagName(e){mu(e)&&this.handleTagName(e)}stateInSFCRootTagName(e){if(mu(e)){const t=this.buffer.slice(this.sectionStart,this.index);"template"!==t&&this.enterRCDATA(vu("</"+t),0),this.handleTagName(e)}}handleTagName(e){this.cbs.onopentagname(this.sectionStart,this.index),this.sectionStart=-1,this.state=11,this.stateBeforeAttrName(e)}stateBeforeClosingTagName(e){fu(e)||(62===e?(this.state=1,this.sectionStart=this.index+1):(this.state=pu(e)?9:27,this.sectionStart=this.index))}stateInClosingTagName(e){(62===e||fu(e))&&(this.cbs.onclosetag(this.sectionStart,this.index),this.sectionStart=-1,this.state=10,this.stateAfterClosingTagName(e))}stateAfterClosingTagName(e){62===e&&(this.state=1,this.sectionStart=this.index+1)}stateBeforeAttrName(e){62===e?(this.cbs.onopentagend(this.index),this.inRCDATA?this.state=32:this.state=1,this.sectionStart=this.index+1):47===e?this.state=7:60===e&&47===this.peek()?(this.cbs.onopentagend(this.index),this.state=5,this.sectionStart=this.index):fu(e)||this.handleAttrStart(e)}handleAttrStart(e){118===e&&45===this.peek()?(this.state=13,this.sectionStart=this.index):46===e||58===e||64===e||35===e?(this.cbs.ondirname(this.index,this.index+1),this.state=14,this.sectionStart=this.index+1):(this.state=12,this.sectionStart=this.index)}stateInSelfClosingTag(e){62===e?(this.cbs.onselfclosingtag(this.index),this.state=1,this.sectionStart=this.index+1,this.inRCDATA=!1):fu(e)||(this.state=11,this.stateBeforeAttrName(e))}stateInAttrName(e){(61===e||mu(e))&&(this.cbs.onattribname(this.sectionStart,this.index),this.handleAttrNameEnd(e))}stateInDirName(e){61===e||mu(e)?(this.cbs.ondirname(this.sectionStart,this.index),this.handleAttrNameEnd(e)):58===e?(this.cbs.ondirname(this.sectionStart,this.index),this.state=14,this.sectionStart=this.index+1):46===e&&(this.cbs.ondirname(this.sectionStart,this.index),this.state=16,this.sectionStart=this.index+1)}stateInDirArg(e){61===e||mu(e)?(this.cbs.ondirarg(this.sectionStart,this.index),this.handleAttrNameEnd(e)):91===e?this.state=15:46===e&&(this.cbs.ondirarg(this.sectionStart,this.index),this.state=16,this.sectionStart=this.index+1)}stateInDynamicDirArg(e){93===e?this.state=14:(61===e||mu(e))&&(this.cbs.ondirarg(this.sectionStart,this.index+1),this.handleAttrNameEnd(e))}stateInDirModifier(e){61===e||mu(e)?(this.cbs.ondirmodifier(this.sectionStart,this.index),this.handleAttrNameEnd(e)):46===e&&(this.cbs.ondirmodifier(this.sectionStart,this.index),this.sectionStart=this.index+1)}handleAttrNameEnd(e){this.sectionStart=this.index,this.state=17,this.cbs.onattribnameend(this.index),this.stateAfterAttrName(e)}stateAfterAttrName(e){61===e?this.state=18:47===e||62===e?(this.cbs.onattribend(0,this.sectionStart),this.sectionStart=-1,this.state=11,this.stateBeforeAttrName(e)):fu(e)||(this.cbs.onattribend(0,this.sectionStart),this.handleAttrStart(e))}stateBeforeAttrValue(e){34===e?(this.state=19,this.sectionStart=this.index+1):39===e?(this.state=20,this.sectionStart=this.index+1):fu(e)||(this.sectionStart=this.index,this.state=21,this.stateInAttrValueNoQuotes(e))}handleInAttrValue(e,t){(e===t||this.fastForwardTo(t))&&(this.cbs.onattribdata(this.sectionStart,this.index),this.sectionStart=-1,this.cbs.onattribend(34===t?3:2,this.index+1),this.state=11)}stateInAttrValueDoubleQuotes(e){this.handleInAttrValue(e,34)}stateInAttrValueSingleQuotes(e){this.handleInAttrValue(e,39)}stateInAttrValueNoQuotes(e){fu(e)||62===e?(this.cbs.onattribdata(this.sectionStart,this.index),this.sectionStart=-1,this.cbs.onattribend(1,this.index),this.state=11,this.stateBeforeAttrName(e)):39!==e&&60!==e&&61!==e&&96!==e||this.cbs.onerr(18,this.index)}stateBeforeDeclaration(e){91===e?(this.state=26,this.sequenceIndex=0):this.state=45===e?25:23}stateInDeclaration(e){(62===e||this.fastForwardTo(62))&&(this.state=1,this.sectionStart=this.index+1)}stateInProcessingInstruction(e){(62===e||this.fastForwardTo(62))&&(this.cbs.onprocessinginstruction(this.sectionStart,this.index),this.state=1,this.sectionStart=this.index+1)}stateBeforeComment(e){45===e?(this.state=28,this.currentSequence=gu.CommentEnd,this.sequenceIndex=2,this.sectionStart=this.index+1):this.state=23}stateInSpecialComment(e){(62===e||this.fastForwardTo(62))&&(this.cbs.oncomment(this.sectionStart,this.index),this.state=1,this.sectionStart=this.index+1)}stateBeforeSpecialS(e){e===gu.ScriptEnd[3]?this.startSpecial(gu.ScriptEnd,4):e===gu.StyleEnd[3]?this.startSpecial(gu.StyleEnd,4):(this.state=6,this.stateInTagName(e))}stateBeforeSpecialT(e){e===gu.TitleEnd[3]?this.startSpecial(gu.TitleEnd,4):e===gu.TextareaEnd[3]?this.startSpecial(gu.TextareaEnd,4):(this.state=6,this.stateInTagName(e))}startEntity(){}stateInEntity(){}parse(e){for(this.buffer=e;this.index<this.buffer.length;){const e=this.buffer.charCodeAt(this.index);switch(10===e&&this.newlines.push(this.index),this.state){case 1:this.stateText(e);break;case 2:this.stateInterpolationOpen(e);break;case 3:this.stateInterpolation(e);break;case 4:this.stateInterpolationClose(e);break;case 31:this.stateSpecialStartSequence(e);break;case 32:this.stateInRCDATA(e);break;case 26:this.stateCDATASequence(e);break;case 19:this.stateInAttrValueDoubleQuotes(e);break;case 12:this.stateInAttrName(e);break;case 13:this.stateInDirName(e);break;case 14:this.stateInDirArg(e);break;case 15:this.stateInDynamicDirArg(e);break;case 16:this.stateInDirModifier(e);break;case 28:this.stateInCommentLike(e);break;case 27:this.stateInSpecialComment(e);break;case 11:this.stateBeforeAttrName(e);break;case 6:this.stateInTagName(e);break;case 34:this.stateInSFCRootTagName(e);break;case 9:this.stateInClosingTagName(e);break;case 5:this.stateBeforeTagName(e);break;case 17:this.stateAfterAttrName(e);break;case 20:this.stateInAttrValueSingleQuotes(e);break;case 18:this.stateBeforeAttrValue(e);break;case 8:this.stateBeforeClosingTagName(e);break;case 10:this.stateAfterClosingTagName(e);break;case 29:this.stateBeforeSpecialS(e);break;case 30:this.stateBeforeSpecialT(e);break;case 21:this.stateInAttrValueNoQuotes(e);break;case 7:this.stateInSelfClosingTag(e);break;case 23:this.stateInDeclaration(e);break;case 22:this.stateBeforeDeclaration(e);break;case 25:this.stateBeforeComment(e);break;case 24:this.stateInProcessingInstruction(e);break;case 33:this.stateInEntity()}this.index++}this.cleanup(),this.finish()}cleanup(){this.sectionStart!==this.index&&(1===this.state||32===this.state&&0===this.sequenceIndex?(this.cbs.ontext(this.sectionStart,this.index),this.sectionStart=this.index):19!==this.state&&20!==this.state&&21!==this.state||(this.cbs.onattribdata(this.sectionStart,this.index),this.sectionStart=this.index))}finish(){this.handleTrailingData(),this.cbs.onend()}handleTrailingData(){const e=this.buffer.length;this.sectionStart>=e||(28===this.state?this.currentSequence===gu.CdataEnd?this.cbs.oncdata(this.sectionStart,e):this.cbs.oncomment(this.sectionStart,e):6===this.state||11===this.state||18===this.state||17===this.state||12===this.state||13===this.state||14===this.state||15===this.state||16===this.state||20===this.state||19===this.state||21===this.state||9===this.state||this.cbs.ontext(this.sectionStart,e))}emitCodePoint(e,t){}}(ad,{onerr:_d,ontext(e,t){hd(ud(e,t),e,t)},ontextentity(e,t,n){hd(e,t,n)},oninterpolation(e,t){if(od)return hd(ud(e,t),e,t);let n=e+ld.delimiterOpen.length,r=t-ld.delimiterClose.length;for(;fu(Xu.charCodeAt(n));)n++;for(;fu(Xu.charCodeAt(r-1));)r--;let o=ud(n,r);o.includes("&")&&(o=Ku.decodeEntities(o,!1)),kd({type:5,content:Md(o,!1,Ed(n,r)),loc:Ed(e,t)})},onopentagname(e,t){const n=ud(e,t);Ju={type:1,tag:n,ns:Ku.getNamespace(n,ad[0],Ku.ns),tagType:0,props:[],children:[],loc:Ed(e-1,t),codegenNode:void 0}},onopentagend(e){dd(e)},onclosetag(e,t){const n=ud(e,t);if(!Ku.isVoidTag(n)){let r=!1;for(let e=0;e<ad.length;e++){if(ad[e].tag.toLowerCase()===n.toLowerCase()){r=!0,e>0&&_d(24,ad[0].loc.start.offset);for(let n=0;n<=e;n++){pd(ad.shift(),t,n<e)}break}}r||_d(23,fd(e,60))}},onselfclosingtag(e){const t=Ju.tag;Ju.isSelfClosing=!0,dd(e),ad[0]&&ad[0].tag===t&&pd(ad.shift(),e)},onattribname(e,t){Qu={type:6,name:ud(e,t),nameLoc:Ed(e,t),value:void 0,loc:Ed(e)}},ondirname(e,t){const n=ud(e,t),r="."===n||":"===n?"bind":"@"===n?"on":"#"===n?"slot":n.slice(2);if(od||""!==r||_d(26,e),od||""===r)Qu={type:6,name:n,nameLoc:Ed(e,t),value:void 0,loc:Ed(e)};else if(Qu={type:7,name:r,rawName:n,exp:void 0,arg:void 0,modifiers:"."===n?[ru("prop")]:[],loc:Ed(e)},"pre"===r){od=ld.inVPre=!0,id=Ju;const e=Ju.props;for(let t=0;t<e.length;t++)7===e[t].type&&(e[t]=Bd(e[t]))}},ondirarg(e,t){if(e===t)return;const n=ud(e,t);if(od)Qu.name+=n,Cd(Qu.nameLoc,t);else{const r="["!==n[0];Qu.arg=Md(r?n:n.slice(1,-1),r,Ed(e,t),r?3:0)}},ondirmodifier(e,t){const n=ud(e,t);if(od)Qu.name+="."+n,Cd(Qu.nameLoc,t);else if("slot"===Qu.name){const e=Qu.arg;e&&(e.content+="."+n,Cd(e.loc,t))}else{const r=ru(n,!0,Ed(e,t));Qu.modifiers.push(r)}},onattribdata(e,t){ed+=ud(e,t),td<0&&(td=e),nd=t},onattribentity(e,t,n){ed+=e,td<0&&(td=t),nd=n},onattribnameend(e){const t=Qu.loc.start.offset,n=ud(t,e);7===Qu.type&&(Qu.rawName=n),Ju.props.some((e=>(7===e.type?e.rawName:e.name)===n))&&_d(2,t)},onattribend(e,t){if(Ju&&Qu){if(Cd(Qu.loc,t),0!==e)if(ed.includes("&")&&(ed=Ku.decodeEntities(ed,!0)),6===Qu.type)"class"===Qu.name&&(ed=xd(ed).trim()),1!==e||ed||_d(13,t),Qu.value={type:2,content:ed,loc:1===e?Ed(td,nd):Ed(td-1,nd+1)},ld.inSFCRoot&&"template"===Ju.tag&&"lang"===Qu.name&&ed&&"html"!==ed&&ld.enterRCDATA(vu("</template"),0);else{let e=0;Qu.exp=Md(ed,!1,Ed(td,nd),0,e),"for"===Qu.name&&(Qu.forParseResult=function(e){const t=e.loc,n=e.content,r=n.match(Wu);if(!r)return;const[,o,i]=r,a=(e,n,r=!1)=>{const o=t.start.offset+n;return Md(e,!1,Ed(o,o+e.length),0,r?1:0)},l={source:a(i.trim(),n.indexOf(i,o.length)),value:void 0,key:void 0,index:void 0,finalized:!1};let s=o.trim().replace(cd,"").trim();const c=o.indexOf(s),u=s.match(sd);if(u){s=s.replace(sd,"").trim();const e=u[1].trim();let t;if(e&&(t=n.indexOf(e,c+s.length),l.key=a(e,t,!0)),u[2]){const r=u[2].trim();r&&(l.index=a(r,n.indexOf(r,l.key?t+e.length:c+s.length),!0))}}s&&(l.value=a(s,c,!0));return l}(Qu.exp));let t=-1;"bind"===Qu.name&&(t=Qu.modifiers.findIndex((e=>"sync"===e.content)))>-1&&bu("COMPILER_V_BIND_SYNC",Ku,Qu.loc,Qu.rawName)&&(Qu.name="model",Qu.modifiers.splice(t,1))}7===Qu.type&&"pre"===Qu.name||Ju.props.push(Qu)}ed="",td=nd=-1},oncomment(e,t){Ku.comments&&kd({type:3,content:ud(e,t),loc:Ed(e-4,t+3)})},onend(){const e=Xu.length;for(let t=0;t<ad.length;t++)pd(ad[t],e-1),_d(24,ad[t].loc.start.offset)},oncdata(e,t){0!==ad[0].ns?hd(ud(e,t),e,t):_d(1,e-9)},onprocessinginstruction(e){0===(ad[0]?ad[0].ns:Ku.ns)&&_d(21,e-1)}}),sd=/,([^,\}\]]*)(?:,([^,\}\]]*))?$/,cd=/^\(|\)$/g;function ud(e,t){return Xu.slice(e,t)}function dd(e){ld.inSFCRoot&&(Ju.innerLoc=Ed(e+1,e+1)),kd(Ju);const{tag:t,ns:n}=Ju;0===n&&Ku.isPreTag(t)&&rd++,Ku.isVoidTag(t)?pd(Ju,e):(ad.unshift(Ju),1!==n&&2!==n||(ld.inXML=!0)),Ju=null}function hd(e,t,n){{const t=ad[0]&&ad[0].tag;"script"!==t&&"style"!==t&&e.includes("&")&&(e=Ku.decodeEntities(e,!1))}const r=ad[0]||Yu,o=r.children[r.children.length-1];o&&2===o.type?(o.content+=e,Cd(o.loc,n)):r.children.push({type:2,content:e,loc:Ed(t,n)})}function pd(e,t,n=!1){Cd(e.loc,n?fd(t,60):function(e,t){let n=e;for(;Xu.charCodeAt(n)!==t&&n<Xu.length-1;)n++;return n}(t,62)+1),ld.inSFCRoot&&(e.children.length?e.innerLoc.end=d({},e.children[e.children.length-1].loc.end):e.innerLoc.end=d({},e.innerLoc.start),e.innerLoc.source=ud(e.innerLoc.start.offset,e.innerLoc.end.offset));const{tag:r,ns:o,children:i}=e;if(od||("slot"===r?e.tagType=2:vd(e)?e.tagType=3:function({tag:e,props:t}){if(Ku.isCustomElement(e))return!1;if("component"===e||(n=e.charCodeAt(0),n>64&&n<91)||Cu(e)||Ku.isBuiltInComponent&&Ku.isBuiltInComponent(e)||Ku.isNativeTag&&!Ku.isNativeTag(e))return!0;var n;for(let e=0;e<t.length;e++){const n=t[e];if(6===n.type){if("is"===n.name&&n.value){if(n.value.content.startsWith("vue:"))return!0;if(bu("COMPILER_IS_ON_ELEMENT",Ku,n.loc))return!0}}else if("bind"===n.name&&Du(n.arg,"is")&&bu("COMPILER_IS_ON_ELEMENT",Ku,n.loc))return!0}return!1}(e)&&(e.tagType=1)),ld.inRCDATA||(e.children=wd(i)),0===o&&Ku.isIgnoreNewlineTag(r)){const e=i[0];e&&2===e.type&&(e.content=e.content.replace(/^\r?\n/,""))}0===o&&Ku.isPreTag(r)&&rd--,id===e&&(od=ld.inVPre=!1,id=null),ld.inXML&&0===(ad[0]?ad[0].ns:Ku.ns)&&(ld.inXML=!1);{const t=e.props;if(!ld.inSFCRoot&&yu("COMPILER_NATIVE_TEMPLATE",Ku)&&"template"===e.tag&&!vd(e)){const t=ad[0]||Yu,n=t.children.indexOf(e);t.children.splice(n,1,...e.children)}const n=t.find((e=>6===e.type&&"inline-template"===e.name));n&&bu("COMPILER_INLINE_TEMPLATE",Ku,n.loc)&&e.children.length&&(n.value={type:2,content:ud(e.children[0].loc.start.offset,e.children[e.children.length-1].loc.end.offset),loc:n.loc})}}function fd(e,t){let n=e;for(;Xu.charCodeAt(n)!==t&&n>=0;)n--;return n}const md=new Set(["if","else","else-if","for","slot"]);function vd({tag:e,props:t}){if("template"===e)for(let e=0;e<t.length;e++)if(7===t[e].type&&md.has(t[e].name))return!0;return!1}const gd=/\r\n/g;function wd(e,t){const n="preserve"!==Ku.whitespace;let r=!1;for(let t=0;t<e.length;t++){const o=e[t];if(2===o.type)if(rd)o.content=o.content.replace(gd,"\n");else if(yd(o.content)){const i=e[t-1]&&e[t-1].type,a=e[t+1]&&e[t+1].type;!i||!a||n&&(3===i&&(3===a||1===a)||1===i&&(3===a||1===a&&bd(o.content)))?(r=!0,e[t]=null):o.content=" "}else n&&(o.content=xd(o.content))}return r?e.filter(Boolean):e}function yd(e){for(let t=0;t<e.length;t++)if(!fu(e.charCodeAt(t)))return!1;return!0}function bd(e){for(let t=0;t<e.length;t++){const n=e.charCodeAt(t);if(10===n||13===n)return!0}return!1}function xd(e){let t="",n=!1;for(let r=0;r<e.length;r++)fu(e.charCodeAt(r))?n||(t+=" ",n=!0):(t+=e[r],n=!1);return t}function kd(e){(ad[0]||Yu).children.push(e)}function Ed(e,t){return{start:ld.getPos(e),end:null==t?t:ld.getPos(t),source:null==t?t:ud(e,t)}}function Ad(e){return Ed(e.start.offset,e.end.offset)}function Cd(e,t){e.end=ld.getPos(t),e.source=ud(e.start.offset,t)}function Bd(e){const t={type:6,name:e.rawName,nameLoc:Ed(e.loc.start.offset,e.loc.start.offset+e.rawName.length),value:void 0,loc:e.loc};if(e.exp){const n=e.exp.loc;n.end.offset<e.loc.end.offset&&(n.start.offset--,n.start.column--,n.end.offset++,n.end.column++),t.value={type:2,content:e.exp.content,loc:n}}return t}function Md(e,t=!1,n,r=0,o=0){return ru(e,t,n,r)}function _d(e,t,n){Ku.onError(Eu(e,Ed(t,t)))}function Sd(e,t){if(ld.reset(),Ju=null,Qu=null,ed="",td=-1,nd=-1,ad.length=0,Xu=e,Ku=d({},Gu),t){let e;for(e in t)null!=t[e]&&(Ku[e]=t[e])}ld.mode="html"===Ku.parseMode?1:"sfc"===Ku.parseMode?2:0,ld.inXML=1===Ku.ns||2===Ku.ns;const n=t&&t.delimiters;n&&(ld.delimiterOpen=vu(n[0]),ld.delimiterClose=vu(n[1]));const r=Yu=function(e,t=""){return{type:0,source:t,children:e,helpers:new Set,components:[],directives:[],hoists:[],imports:[],cached:[],temps:0,codegenNode:void 0,loc:Jc}}([],e);return ld.parse(Xu),r.loc=Ed(0,e.length),r.children=wd(r.children),Yu=null,r}function Nd(e,t){Ld(e,void 0,t,Vd(e,e.children[0]))}function Vd(e,t){const{children:n}=e;return 1===n.length&&1===t.type&&!ju(t)}function Ld(e,t,n,r=!1,o=!1){const{children:i}=e,a=[];for(let t=0;t<i.length;t++){const l=i[t];if(1===l.type&&0===l.tagType){const e=r?0:Td(l,n);if(e>0){if(e>=2){l.codegenNode.patchFlag=-1,a.push(l);continue}}else{const e=l.codegenNode;if(13===e.type){const t=e.patchFlag;if((void 0===t||512===t||1===t)&&Od(l,n)>=2){const t=Dd(l);t&&(e.props=n.hoist(t))}e.dynamicProps&&(e.dynamicProps=n.hoist(e.dynamicProps))}}}else if(12===l.type){if((r?0:Td(l,n))>=2){a.push(l);continue}}if(1===l.type){const t=1===l.tagType;t&&n.scopes.vSlot++,Ld(l,e,n,!1,o),t&&n.scopes.vSlot--}else if(11===l.type)Ld(l,e,n,1===l.children.length,!0);else if(9===l.type)for(let t=0;t<l.branches.length;t++)Ld(l.branches[t],e,n,1===l.branches[t].children.length,o)}let l=!1;if(a.length===i.length&&1===e.type)if(0===e.tagType&&e.codegenNode&&13===e.codegenNode.type&&m(e.codegenNode.children))e.codegenNode.children=s(eu(e.codegenNode.children)),l=!0;else if(1===e.tagType&&e.codegenNode&&13===e.codegenNode.type&&e.codegenNode.children&&!m(e.codegenNode.children)&&15===e.codegenNode.children.type){const t=c(e.codegenNode,"default");t&&(t.returns=s(eu(t.returns)),l=!0)}else if(3===e.tagType&&t&&1===t.type&&1===t.tagType&&t.codegenNode&&13===t.codegenNode.type&&t.codegenNode.children&&!m(t.codegenNode.children)&&15===t.codegenNode.children.type){const n=Zu(e,"slot",!0),r=n&&n.arg&&c(t.codegenNode,n.arg);r&&(r.returns=s(eu(r.returns)),l=!0)}if(!l)for(const e of a)e.codegenNode=n.cache(e.codegenNode);function s(e){const t=n.cache(e);return o&&n.hmr&&(t.needArraySpread=!0),t}function c(e,t){if(e.children&&!m(e.children)&&15===e.children.type){const n=e.children.properties.find((e=>e.key===t||e.key.content===t));return n&&n.value}}a.length&&n.transformHoist&&n.transformHoist(i,n,e)}function Td(e,t){const{constantCache:n}=t;switch(e.type){case 1:if(0!==e.tagType)return 0;const r=n.get(e);if(void 0!==r)return r;const o=e.codegenNode;if(13!==o.type)return 0;if(o.isBlock&&"svg"!==e.tag&&"foreignObject"!==e.tag&&"math"!==e.tag)return 0;if(void 0===o.patchFlag){let r=3;const i=Od(e,t);if(0===i)return n.set(e,0),0;i<r&&(r=i);for(let o=0;o<e.children.length;o++){const i=Td(e.children[o],t);if(0===i)return n.set(e,0),0;i<r&&(r=i)}if(r>1)for(let o=0;o<e.props.length;o++){const i=e.props[o];if(7===i.type&&"bind"===i.name&&i.exp){const o=Td(i.exp,t);if(0===o)return n.set(e,0),0;o<r&&(r=o)}}if(o.isBlock){for(let t=0;t<e.props.length;t++){if(7===e.props[t].type)return n.set(e,0),0}t.removeHelper(gc),t.removeHelper(cu(t.inSSR,o.isComponent)),o.isBlock=!1,t.helper(su(t.inSSR,o.isComponent))}return n.set(e,r),r}return n.set(e,0),0;case 2:case 3:return 3;case 9:case 11:case 10:default:return 0;case 5:case 12:return Td(e.content,t);case 4:return e.constType;case 8:let i=3;for(let n=0;n<e.children.length;n++){const r=e.children[n];if(b(r)||x(r))continue;const o=Td(r,t);if(0===o)return 0;o<i&&(i=o)}return i;case 20:return 2}}const Id=new Set([Zc,Oc,Dc,Rc]);function Zd(e,t){if(14===e.type&&!b(e.callee)&&Id.has(e.callee)){const n=e.arguments[0];if(4===n.type)return Td(n,t);if(14===n.type)return Zd(n,t)}return 0}function Od(e,t){let n=3;const r=Dd(e);if(r&&15===r.type){const{properties:e}=r;for(let r=0;r<e.length;r++){const{key:o,value:i}=e[r],a=Td(o,t);if(0===a)return a;let l;if(a<n&&(n=a),l=4===i.type?Td(i,t):14===i.type?Zd(i,t):0,0===l)return l;l<n&&(n=l)}}return n}function Dd(e){const t=e.codegenNode;if(13===t.type)return t.props}function Rd(e,{filename:t="",prefixIdentifiers:n=!1,hoistStatic:r=!1,hmr:o=!1,cacheHandlers:a=!1,nodeTransforms:s=[],directiveTransforms:c={},transformHoist:u=null,isBuiltInComponent:d=l,isCustomElement:h=l,expressionPlugins:p=[],scopeId:f=null,slotted:m=!0,ssr:v=!1,inSSR:g=!1,ssrCssVars:w="",bindingMetadata:y=i,inline:x=!1,isTS:k=!1,onError:E=xu,onWarn:A=ku,compatConfig:C}){const B=t.replace(/\?.*$/,"").match(/([^/\\]+)\.\w+$/),M={filename:t,selfName:B&&O(T(B[1])),prefixIdentifiers:n,hoistStatic:r,hmr:o,cacheHandlers:a,nodeTransforms:s,directiveTransforms:c,transformHoist:u,isBuiltInComponent:d,isCustomElement:h,expressionPlugins:p,scopeId:f,slotted:m,ssr:v,inSSR:g,ssrCssVars:w,bindingMetadata:y,inline:x,isTS:k,onError:E,onWarn:A,compatConfig:C,root:e,helpers:new Map,components:new Set,directives:new Set,hoists:[],imports:[],cached:[],constantCache:new WeakMap,temps:0,identifiers:Object.create(null),scopes:{vFor:0,vSlot:0,vPre:0,vOnce:0},parent:null,grandParent:null,currentNode:e,childIndex:0,inVOnce:!1,helper(e){const t=M.helpers.get(e)||0;return M.helpers.set(e,t+1),e},removeHelper(e){const t=M.helpers.get(e);if(t){const n=t-1;n?M.helpers.set(e,n):M.helpers.delete(e)}},helperString:e=>`_${Xc[M.helper(e)]}`,replaceNode(e){M.parent.children[M.childIndex]=M.currentNode=e},removeNode(e){const t=M.parent.children,n=e?t.indexOf(e):M.currentNode?M.childIndex:-1;e&&e!==M.currentNode?M.childIndex>n&&(M.childIndex--,M.onNodeRemoved()):(M.currentNode=null,M.onNodeRemoved()),M.parent.children.splice(n,1)},onNodeRemoved:l,addIdentifiers(e){},removeIdentifiers(e){},hoist(e){b(e)&&(e=ru(e)),M.hoists.push(e);const t=ru(`_hoisted_${M.hoists.length}`,!1,e.loc,2);return t.hoisted=e,t},cache(e,t=!1,n=!1){const r=function(e,t,n=!1,r=!1){return{type:20,index:e,value:t,needPauseTracking:n,inVOnce:r,needArraySpread:!1,loc:Jc}}(M.cached.length,e,t,n);return M.cached.push(r),r}};return M.filters=new Set,M}function Hd(e,t){const n=Rd(e,t);Pd(e,n),t.hoistStatic&&Nd(e,n),t.ssr||function(e,t){const{helper:n}=t,{children:r}=e;if(1===r.length){const n=r[0];if(Vd(e,n)&&n.codegenNode){const r=n.codegenNode;13===r.type&&uu(r,t),e.codegenNode=r}else e.codegenNode=n}else if(r.length>1){let r=64;0,e.codegenNode=Qc(t,n(hc),void 0,e.children,r,void 0,void 0,!0,void 0,!1)}}(e,n),e.helpers=new Set([...n.helpers.keys()]),e.components=[...n.components],e.directives=[...n.directives],e.imports=n.imports,e.hoists=n.hoists,e.temps=n.temps,e.cached=n.cached,e.transformed=!0,e.filters=[...n.filters]}function Pd(e,t){t.currentNode=e;const{nodeTransforms:n}=t,r=[];for(let o=0;o<n.length;o++){const i=n[o](e,t);if(i&&(m(i)?r.push(...i):r.push(i)),!t.currentNode)return;e=t.currentNode}switch(e.type){case 3:t.ssr||t.helper(kc);break;case 5:t.ssr||t.helper(Tc);break;case 9:for(let n=0;n<e.branches.length;n++)Pd(e.branches[n],t);break;case 10:case 11:case 1:case 0:!function(e,t){let n=0;const r=()=>{n--};for(;n<e.children.length;n++){const o=e.children[n];b(o)||(t.grandParent=t.parent,t.parent=e,t.childIndex=n,t.onNodeRemoved=r,Pd(o,t))}}(e,t)}t.currentNode=e;let o=r.length;for(;o--;)r[o]()}function jd(e,t){const n=b(e)?t=>t===e:t=>e.test(t);return(e,r)=>{if(1===e.type){const{props:o}=e;if(3===e.tagType&&o.some(Hu))return;const i=[];for(let a=0;a<o.length;a++){const l=o[a];if(7===l.type&&n(l.name)){o.splice(a,1),a--;const n=t(e,l,r);n&&i.push(n)}}return i}}}const Fd="/*@__PURE__*/",zd=e=>`${Xc[e]}: _${Xc[e]}`;function qd(e,t={}){const n=function(e,{mode:t="function",prefixIdentifiers:n="module"===t,sourceMap:r=!1,filename:o="template.vue.html",scopeId:i=null,optimizeImports:a=!1,runtimeGlobalName:l="Vue",runtimeModuleName:s="vue",ssrRuntimeModuleName:c="vue/server-renderer",ssr:u=!1,isTS:d=!1,inSSR:h=!1}){const p={mode:t,prefixIdentifiers:n,sourceMap:r,filename:o,scopeId:i,optimizeImports:a,runtimeGlobalName:l,runtimeModuleName:s,ssrRuntimeModuleName:c,ssr:u,isTS:d,inSSR:h,source:e.source,code:"",column:1,line:1,offset:0,indentLevel:0,pure:!1,map:void 0,helper:e=>`_${Xc[e]}`,push(e,t=-2,n){p.code+=e},indent(){f(++p.indentLevel)},deindent(e=!1){e?--p.indentLevel:f(--p.indentLevel)},newline(){f(p.indentLevel)}};function f(e){p.push("\n"+"  ".repeat(e),0)}return p}(e,t);t.onContextCreated&&t.onContextCreated(n);const{mode:r,push:o,prefixIdentifiers:i,indent:a,deindent:l,newline:s,scopeId:c,ssr:u}=n,d=Array.from(e.helpers),h=d.length>0,p=!i&&"module"!==r;!function(e,t){const{ssr:n,prefixIdentifiers:r,push:o,newline:i,runtimeModuleName:a,runtimeGlobalName:l,ssrRuntimeModuleName:s}=t,c=l,u=Array.from(e.helpers);if(u.length>0&&(o(`const _Vue = ${c}\n`,-1),e.hoists.length)){o(`const { ${[bc,xc,kc,Ec,Ac].filter((e=>u.includes(e))).map(zd).join(", ")} } = _Vue\n`,-1)}(function(e,t){if(!e.length)return;t.pure=!0;const{push:n,newline:r}=t;r();for(let o=0;o<e.length;o++){const i=e[o];i&&(n(`const _hoisted_${o+1} = `),Gd(i,t),r())}t.pure=!1})(e.hoists,t),i(),o("return ")}(e,n);if(o(`function ${u?"ssrRender":"render"}(${(u?["_ctx","_push","_parent","_attrs"]:["_ctx","_cache"]).join(", ")}) {`),a(),p&&(o("with (_ctx) {"),a(),h&&(o(`const { ${d.map(zd).join(", ")} } = _Vue\n`,-1),s())),e.components.length&&(Ud(e.components,"component",n),(e.directives.length||e.temps>0)&&s()),e.directives.length&&(Ud(e.directives,"directive",n),e.temps>0&&s()),e.filters&&e.filters.length&&(s(),Ud(e.filters,"filter",n),s()),e.temps>0){o("let ");for(let t=0;t<e.temps;t++)o(`${t>0?", ":""}_temp${t}`)}return(e.components.length||e.directives.length||e.temps)&&(o("\n",0),s()),u||o("return "),e.codegenNode?Gd(e.codegenNode,n):o("null"),p&&(l(),o("}")),l(),o("}"),{ast:e,code:n.code,preamble:"",map:n.map?n.map.toJSON():void 0}}function Ud(e,t,{helper:n,push:r,newline:o,isTS:i}){const a=n("filter"===t?_c:"component"===t?Cc:Mc);for(let n=0;n<e.length;n++){let l=e[n];const s=l.endsWith("__self");s&&(l=l.slice(0,-6)),r(`const ${$u(l,t)} = ${a}(${JSON.stringify(l)}${s?", true":""})${i?"!":""}`),n<e.length-1&&o()}}function $d(e,t){const n=e.length>3||!1;t.push("["),n&&t.indent(),Wd(e,t,n),n&&t.deindent(),t.push("]")}function Wd(e,t,n=!1,r=!0){const{push:o,newline:i}=t;for(let a=0;a<e.length;a++){const l=e[a];b(l)?o(l,-3):m(l)?$d(l,t):Gd(l,t),a<e.length-1&&(n?(r&&o(","),i()):r&&o(", "))}}function Gd(e,t){if(b(e))t.push(e,-3);else if(x(e))t.push(t.helper(e));else switch(e.type){case 1:case 9:case 11:case 12:Gd(e.codegenNode,t);break;case 2:!function(e,t){t.push(JSON.stringify(e.content),-3,e)}(e,t);break;case 4:Kd(e,t);break;case 5:!function(e,t){const{push:n,helper:r,pure:o}=t;o&&n(Fd);n(`${r(Tc)}(`),Gd(e.content,t),n(")")}(e,t);break;case 8:Yd(e,t);break;case 3:!function(e,t){const{push:n,helper:r,pure:o}=t;o&&n(Fd);n(`${r(kc)}(${JSON.stringify(e.content)})`,-3,e)}(e,t);break;case 13:!function(e,t){const{push:n,helper:r,pure:o}=t,{tag:i,props:a,children:l,patchFlag:s,dynamicProps:c,directives:u,isBlock:d,disableTracking:h,isComponent:p}=e;let f;s&&(f=String(s));u&&n(r(Sc)+"(");d&&n(`(${r(gc)}(${h?"true":""}), `);o&&n(Fd);const m=d?cu(t.inSSR,p):su(t.inSSR,p);n(r(m)+"(",-2,e),Wd(function(e){let t=e.length;for(;t--&&null==e[t];);return e.slice(0,t+1).map((e=>e||"null"))}([i,a,l,f,c]),t),n(")"),d&&n(")");u&&(n(", "),Gd(u,t),n(")"))}(e,t);break;case 14:!function(e,t){const{push:n,helper:r,pure:o}=t,i=b(e.callee)?e.callee:r(e.callee);o&&n(Fd);n(i+"(",-2,e),Wd(e.arguments,t),n(")")}(e,t);break;case 15:!function(e,t){const{push:n,indent:r,deindent:o,newline:i}=t,{properties:a}=e;if(!a.length)return void n("{}",-2,e);const l=a.length>1||!1;n(l?"{":"{ "),l&&r();for(let e=0;e<a.length;e++){const{key:r,value:o}=a[e];Xd(r,t),n(": "),Gd(o,t),e<a.length-1&&(n(","),i())}l&&o(),n(l?"}":" }")}(e,t);break;case 17:!function(e,t){$d(e.elements,t)}(e,t);break;case 18:!function(e,t){const{push:n,indent:r,deindent:o}=t,{params:i,returns:a,body:l,newline:s,isSlot:c}=e;c&&n(`_${Xc[$c]}(`);n("(",-2,e),m(i)?Wd(i,t):i&&Gd(i,t);n(") => "),(s||l)&&(n("{"),r());a?(s&&n("return "),m(a)?$d(a,t):Gd(a,t)):l&&Gd(l,t);(s||l)&&(o(),n("}"));c&&(e.isNonScopedSlot&&n(", undefined, true"),n(")"))}(e,t);break;case 19:!function(e,t){const{test:n,consequent:r,alternate:o,newline:i}=e,{push:a,indent:l,deindent:s,newline:c}=t;if(4===n.type){const e=!Mu(n.content);e&&a("("),Kd(n,t),e&&a(")")}else a("("),Gd(n,t),a(")");i&&l(),t.indentLevel++,i||a(" "),a("? "),Gd(r,t),t.indentLevel--,i&&c(),i||a(" "),a(": ");const u=19===o.type;u||t.indentLevel++;Gd(o,t),u||t.indentLevel--;i&&s(!0)}(e,t);break;case 20:!function(e,t){const{push:n,helper:r,indent:o,deindent:i,newline:a}=t,{needPauseTracking:l,needArraySpread:s}=e;s&&n("[...(");n(`_cache[${e.index}] || (`),l&&(o(),n(`${r(zc)}(-1`),e.inVOnce&&n(", true"),n("),"),a(),n("("));n(`_cache[${e.index}] = `),Gd(e.value,t),l&&(n(`).cacheIndex = ${e.index},`),a(),n(`${r(zc)}(1),`),a(),n(`_cache[${e.index}]`),i());n(")"),s&&n(")]")}(e,t);break;case 21:Wd(e.body,t,!0,!1)}}function Kd(e,t){const{content:n,isStatic:r}=e;t.push(r?JSON.stringify(n):n,-3,e)}function Yd(e,t){for(let n=0;n<e.children.length;n++){const r=e.children[n];b(r)?t.push(r,-3):Gd(r,t)}}function Xd(e,t){const{push:n}=t;if(8===e.type)n("["),Yd(e,t),n("]");else if(e.isStatic){n(Mu(e.content)?e.content:JSON.stringify(e.content),-2,e)}else n(`[${e.content}]`,-3,e)}new RegExp("\\b"+"arguments,await,break,case,catch,class,const,continue,debugger,default,delete,do,else,export,extends,finally,for,function,if,import,let,new,return,super,switch,throw,try,var,void,while,with,yield".split(",").join("\\b|\\b")+"\\b");const Jd=jd(/^(if|else|else-if)$/,((e,t,n)=>function(e,t,n,r){if(!("else"===t.name||t.exp&&t.exp.content.trim())){const r=t.exp?t.exp.loc:e.loc;n.onError(Eu(28,t.loc)),t.exp=ru("true",!1,r)}0;if("if"===t.name){const o=Qd(e,t),i={type:9,loc:Ad(e.loc),branches:[o]};if(n.replaceNode(i),r)return r(i,o,!0)}else{const o=n.parent.children;let i=o.indexOf(e);for(;i-- >=-1;){const a=o[i];if(a&&3===a.type)n.removeNode(a);else{if(!a||2!==a.type||a.content.trim().length){if(a&&9===a.type){"else-if"===t.name&&void 0===a.branches[a.branches.length-1].condition&&n.onError(Eu(30,e.loc)),n.removeNode();const o=Qd(e,t);0,a.branches.push(o);const i=r&&r(a,o,!1);Pd(o,n),i&&i(),n.currentNode=null}else n.onError(Eu(30,e.loc));break}n.removeNode(a)}}}}(e,t,n,((e,t,r)=>{const o=n.parent.children;let i=o.indexOf(e),a=0;for(;i-- >=0;){const e=o[i];e&&9===e.type&&(a+=e.branches.length)}return()=>{if(r)e.codegenNode=eh(t,a,n);else{const r=function(e){for(;;)if(19===e.type){if(19!==e.alternate.type)return e;e=e.alternate}else 20===e.type&&(e=e.value)}(e.codegenNode);r.alternate=eh(t,a+e.branches.length-1,n)}}}))));function Qd(e,t){const n=3===e.tagType;return{type:10,loc:e.loc,condition:"else"===t.name?void 0:t.exp,children:n&&!Zu(e,"for")?e.children:[e],userKey:Ou(e,"key"),isTemplateIf:n}}function eh(e,t,n){return e.condition?lu(e.condition,th(e,t,n),iu(n.helper(kc),['""',"true"])):th(e,t,n)}function th(e,t,n){const{helper:r}=n,o=nu("key",ru(`${t}`,!1,Jc,2)),{children:i}=e,a=i[0];if(1!==i.length||1!==a.type){if(1===i.length&&11===a.type){const e=a.codegenNode;return qu(e,o,n),e}{let t=64;return Qc(n,r(hc),tu([o]),i,t,void 0,void 0,!0,!1,!1,e.loc)}}{const e=a.codegenNode,t=14===(l=e).type&&l.callee===Kc?l.arguments[1].returns:l;return 13===t.type&&uu(t,n),qu(t,o,n),e}var l}const nh=(e,t,n)=>{const{modifiers:r,loc:o}=e,i=e.arg;let{exp:a}=e;if(a&&4===a.type&&!a.content.trim()&&(a=void 0),!a){if(4!==i.type||!i.isStatic)return n.onError(Eu(52,i.loc)),{props:[nu(i,ru("",!0,o))]};rh(e),a=e.exp}return 4!==i.type?(i.children.unshift("("),i.children.push(') || ""')):i.isStatic||(i.content=`${i.content} || ""`),r.some((e=>"camel"===e.content))&&(4===i.type?i.isStatic?i.content=T(i.content):i.content=`${n.helperString(Pc)}(${i.content})`:(i.children.unshift(`${n.helperString(Pc)}(`),i.children.push(")"))),n.inSSR||(r.some((e=>"prop"===e.content))&&oh(i,"."),r.some((e=>"attr"===e.content))&&oh(i,"^")),{props:[nu(i,a)]}},rh=(e,t)=>{const n=e.arg,r=T(n.content);e.exp=ru(r,!1,n.loc)},oh=(e,t)=>{4===e.type?e.isStatic?e.content=t+e.content:e.content=`\`${t}\${${e.content}}\``:(e.children.unshift(`'${t}' + (`),e.children.push(")"))},ih=jd("for",((e,t,n)=>{const{helper:r,removeHelper:o}=n;return function(e,t,n,r){if(!t.exp)return void n.onError(Eu(31,t.loc));const o=t.forParseResult;if(!o)return void n.onError(Eu(32,t.loc));ah(o,n);const{addIdentifiers:i,removeIdentifiers:a,scopes:l}=n,{source:s,value:c,key:u,index:d}=o,h={type:11,loc:t.loc,source:s,valueAlias:c,keyAlias:u,objectIndexAlias:d,parseResult:o,children:Pu(e)?e.children:[e]};n.replaceNode(h),l.vFor++;const p=r&&r(h);return()=>{l.vFor--,p&&p()}}(e,t,n,(t=>{const i=iu(r(Nc),[t.source]),a=Pu(e),l=Zu(e,"memo"),s=Ou(e,"key",!1,!0);s&&7===s.type&&!s.exp&&rh(s);let c=s&&(6===s.type?s.value?ru(s.value.content,!0):void 0:s.exp);const u=s&&c?nu("key",c):null,d=4===t.source.type&&t.source.constType>0,h=d?64:s?128:256;return t.codegenNode=Qc(n,r(hc),void 0,i,h,void 0,void 0,!0,!d,!1,e.loc),()=>{let s;const{children:h}=t;const p=1!==h.length||1!==h[0].type,f=ju(e)?e:a&&1===e.children.length&&ju(e.children[0])?e.children[0]:null;if(f?(s=f.codegenNode,a&&u&&qu(s,u,n)):p?s=Qc(n,r(hc),u?tu([u]):void 0,e.children,64,void 0,void 0,!0,void 0,!1):(s=h[0].codegenNode,a&&u&&qu(s,u,n),s.isBlock!==!d&&(s.isBlock?(o(gc),o(cu(n.inSSR,s.isComponent))):o(su(n.inSSR,s.isComponent))),s.isBlock=!d,s.isBlock?(r(gc),r(cu(n.inSSR,s.isComponent))):r(su(n.inSSR,s.isComponent))),l){const e=au(lh(t.parseResult,[ru("_cached")]));e.body={type:21,body:[ou(["const _memo = (",l.exp,")"]),ou(["if (_cached",...c?[" && _cached.key === ",c]:[],` && ${n.helperString(Yc)}(_cached, _memo)) return _cached`]),ou(["const _item = ",s]),ru("_item.memo = _memo"),ru("return _item")],loc:Jc},i.arguments.push(e,ru("_cache"),ru(String(n.cached.length))),n.cached.push(null)}else i.arguments.push(au(lh(t.parseResult),s,!0))}}))}));function ah(e,t){e.finalized||(e.finalized=!0)}function lh({value:e,key:t,index:n},r=[]){return function(e){let t=e.length;for(;t--&&!e[t];);return e.slice(0,t+1).map(((e,t)=>e||ru("_".repeat(t+1),!1)))}([e,t,n,...r])}const sh=ru("undefined",!1),ch=(e,t)=>{if(1===e.type&&(1===e.tagType||3===e.tagType)){const n=Zu(e,"slot");if(n)return n.exp,t.scopes.vSlot++,()=>{t.scopes.vSlot--}}},uh=(e,t,n,r)=>au(e,n,!1,!0,n.length?n[0].loc:r);function dh(e,t,n=uh){t.helper($c);const{children:r,loc:o}=e,i=[],a=[];let l=t.scopes.vSlot>0||t.scopes.vFor>0;const s=Zu(e,"slot",!0);if(s){const{arg:e,exp:t}=s;e&&!Au(e)&&(l=!0),i.push(nu(e||ru("default",!0),n(t,void 0,r,o)))}let c=!1,u=!1;const d=[],h=new Set;let p=0;for(let e=0;e<r.length;e++){const o=r[e];let f;if(!Pu(o)||!(f=Zu(o,"slot",!0))){3!==o.type&&d.push(o);continue}if(s){t.onError(Eu(37,f.loc));break}c=!0;const{children:m,loc:v}=o,{arg:g=ru("default",!0),exp:w,loc:y}=f;let b;Au(g)?b=g?g.content:"default":l=!0;const x=Zu(o,"for"),k=n(w,x,m,v);let E,A;if(E=Zu(o,"if"))l=!0,a.push(lu(E.exp,hh(g,k,p++),sh));else if(A=Zu(o,/^else(-if)?$/,!0)){let n,o=e;for(;o--&&(n=r[o],3===n.type););if(n&&Pu(n)&&Zu(n,/^(else-)?if$/)){let e=a[a.length-1];for(;19===e.alternate.type;)e=e.alternate;e.alternate=A.exp?lu(A.exp,hh(g,k,p++),sh):hh(g,k,p++)}else t.onError(Eu(30,A.loc))}else if(x){l=!0;const e=x.forParseResult;e?(ah(e),a.push(iu(t.helper(Nc),[e.source,au(lh(e),hh(g,k),!0)]))):t.onError(Eu(32,x.loc))}else{if(b){if(h.has(b)){t.onError(Eu(38,y));continue}h.add(b),"default"===b&&(u=!0)}i.push(nu(g,k))}}if(!s){const e=(e,r)=>{const i=n(e,void 0,r,o);return t.compatConfig&&(i.isNonScopedSlot=!0),nu("default",i)};c?d.length&&d.some((e=>fh(e)))&&(u?t.onError(Eu(39,d[0].loc)):i.push(e(void 0,d))):i.push(e(void 0,r))}const f=l?2:ph(e.children)?3:1;let m=tu(i.concat(nu("_",ru(f+"",!1))),o);return a.length&&(m=iu(t.helper(Lc),[m,eu(a)])),{slots:m,hasDynamicSlots:l}}function hh(e,t,n){const r=[nu("name",e),nu("fn",t)];return null!=n&&r.push(nu("key",ru(String(n),!0))),tu(r)}function ph(e){for(let t=0;t<e.length;t++){const n=e[t];switch(n.type){case 1:if(2===n.tagType||ph(n.children))return!0;break;case 9:if(ph(n.branches))return!0;break;case 10:case 11:if(ph(n.children))return!0}}return!1}function fh(e){return 2!==e.type&&12!==e.type||(2===e.type?!!e.content.trim():fh(e.content))}const mh=new WeakMap,vh=(e,t)=>function(){if(1!==(e=t.currentNode).type||0!==e.tagType&&1!==e.tagType)return;const{tag:n,props:r}=e,o=1===e.tagType;let i=o?function(e,t,n=!1){let{tag:r}=e;const o=bh(r),i=Ou(e,"is",!1,!0);if(i)if(o||yu("COMPILER_IS_ON_ELEMENT",t)){let e;if(6===i.type?e=i.value&&ru(i.value.content,!0):(e=i.exp,e||(e=ru("is",!1,i.arg.loc))),e)return iu(t.helper(Bc),[e])}else 6===i.type&&i.value.content.startsWith("vue:")&&(r=i.value.content.slice(4));const a=Cu(r)||t.isBuiltInComponent(r);if(a)return n||t.helper(a),a;return t.helper(Cc),t.components.add(r),$u(r,"component")}(e,t):`"${n}"`;const a=k(i)&&i.callee===Bc;let l,s,c,u,d,h=0,p=a||i===pc||i===fc||!o&&("svg"===n||"foreignObject"===n||"math"===n);if(r.length>0){const n=gh(e,t,void 0,o,a);l=n.props,h=n.patchFlag,u=n.dynamicPropNames;const r=n.directives;d=r&&r.length?eu(r.map((e=>function(e,t){const n=[],r=mh.get(e);r?n.push(t.helperString(r)):(t.helper(Mc),t.directives.add(e.name),n.push($u(e.name,"directive")));const{loc:o}=e;e.exp&&n.push(e.exp);e.arg&&(e.exp||n.push("void 0"),n.push(e.arg));if(Object.keys(e.modifiers).length){e.arg||(e.exp||n.push("void 0"),n.push("void 0"));const t=ru("true",!1,o);n.push(tu(e.modifiers.map((e=>nu(e,t))),o))}return eu(n,e.loc)}(e,t)))):void 0,n.shouldUseBlock&&(p=!0)}if(e.children.length>0){i===mc&&(p=!0,h|=1024);if(o&&i!==pc&&i!==mc){const{slots:n,hasDynamicSlots:r}=dh(e,t);s=n,r&&(h|=1024)}else if(1===e.children.length&&i!==pc){const n=e.children[0],r=n.type,o=5===r||8===r;o&&0===Td(n,t)&&(h|=1),s=o||2===r?n:e.children}else s=e.children}u&&u.length&&(c=function(e){let t="[";for(let n=0,r=e.length;n<r;n++)t+=JSON.stringify(e[n]),n<r-1&&(t+=", ");return t+"]"}(u)),e.codegenNode=Qc(t,i,l,s,0===h?void 0:h,c,d,!!p,!1,o,e.loc)};function gh(e,t,n=e.props,r,o,i=!1){const{tag:a,loc:l,children:s}=e;let u=[];const d=[],h=[],p=s.length>0;let f=!1,m=0,v=!1,g=!1,w=!1,y=!1,b=!1,k=!1;const E=[],A=e=>{u.length&&(d.push(tu(wh(u),l)),u=[]),e&&d.push(e)},C=()=>{t.scopes.vFor>0&&u.push(nu(ru("ref_for",!0),ru("true")))},B=({key:e,value:n})=>{if(Au(e)){const i=e.content,a=c(i);if(!a||r&&!o||"onclick"===i.toLowerCase()||"onUpdate:modelValue"===i||S(i)||(y=!0),a&&S(i)&&(k=!0),a&&14===n.type&&(n=n.arguments[0]),20===n.type||(4===n.type||8===n.type)&&Td(n,t)>0)return;"ref"===i?v=!0:"class"===i?g=!0:"style"===i?w=!0:"key"===i||E.includes(i)||E.push(i),!r||"class"!==i&&"style"!==i||E.includes(i)||E.push(i)}else b=!0};for(let o=0;o<n.length;o++){const s=n[o];if(6===s.type){const{loc:e,name:n,nameLoc:r,value:o}=s;let i=!0;if("ref"===n&&(v=!0,C()),"is"===n&&(bh(a)||o&&o.content.startsWith("vue:")||yu("COMPILER_IS_ON_ELEMENT",t)))continue;u.push(nu(ru(n,!0,r),ru(o?o.content:"",i,o?o.loc:e)))}else{const{name:n,arg:o,exp:c,loc:v,modifiers:g}=s,w="bind"===n,y="on"===n;if("slot"===n){r||t.onError(Eu(40,v));continue}if("once"===n||"memo"===n)continue;if("is"===n||w&&Du(o,"is")&&(bh(a)||yu("COMPILER_IS_ON_ELEMENT",t)))continue;if(y&&i)continue;if((w&&Du(o,"key")||y&&p&&Du(o,"vue:before-update"))&&(f=!0),w&&Du(o,"ref")&&C(),!o&&(w||y)){if(b=!0,c)if(w){if(C(),A(),yu("COMPILER_V_BIND_OBJECT_ORDER",t)){d.unshift(c);continue}d.push(c)}else A({type:14,loc:v,callee:t.helper(Hc),arguments:r?[c]:[c,"true"]});else t.onError(Eu(w?34:35,v));continue}w&&g.some((e=>"prop"===e.content))&&(m|=32);const k=t.directiveTransforms[n];if(k){const{props:n,needRuntime:r}=k(s,e,t);!i&&n.forEach(B),y&&o&&!Au(o)?A(tu(n,l)):u.push(...n),r&&(h.push(s),x(r)&&mh.set(s,r))}else N(n)||(h.push(s),p&&(f=!0))}}let M;if(d.length?(A(),M=d.length>1?iu(t.helper(Ic),d,l):d[0]):u.length&&(M=tu(wh(u),l)),b?m|=16:(g&&!r&&(m|=2),w&&!r&&(m|=4),E.length&&(m|=8),y&&(m|=32)),f||0!==m&&32!==m||!(v||k||h.length>0)||(m|=512),!t.inSSR&&M)switch(M.type){case 15:let e=-1,n=-1,r=!1;for(let t=0;t<M.properties.length;t++){const o=M.properties[t].key;Au(o)?"class"===o.content?e=t:"style"===o.content&&(n=t):o.isHandlerKey||(r=!0)}const o=M.properties[e],i=M.properties[n];r?M=iu(t.helper(Dc),[M]):(o&&!Au(o.value)&&(o.value=iu(t.helper(Zc),[o.value])),i&&(w||4===i.value.type&&"["===i.value.content.trim()[0]||17===i.value.type)&&(i.value=iu(t.helper(Oc),[i.value])));break;case 14:break;default:M=iu(t.helper(Dc),[iu(t.helper(Rc),[M])])}return{props:M,directives:h,patchFlag:m,dynamicPropNames:E,shouldUseBlock:f}}function wh(e){const t=new Map,n=[];for(let r=0;r<e.length;r++){const o=e[r];if(8===o.key.type||!o.key.isStatic){n.push(o);continue}const i=o.key.content,a=t.get(i);a?("style"===i||"class"===i||c(i))&&yh(a,o):(t.set(i,o),n.push(o))}return n}function yh(e,t){17===e.value.type?e.value.elements.push(t.value):e.value=eu([e.value,t.value],e.loc)}function bh(e){return"component"===e||"Component"===e}const xh=(e,t)=>{if(ju(e)){const{children:n,loc:r}=e,{slotName:o,slotProps:i}=function(e,t){let n,r='"default"';const o=[];for(let t=0;t<e.props.length;t++){const n=e.props[t];if(6===n.type)n.value&&("name"===n.name?r=JSON.stringify(n.value.content):(n.name=T(n.name),o.push(n)));else if("bind"===n.name&&Du(n.arg,"name")){if(n.exp)r=n.exp;else if(n.arg&&4===n.arg.type){const e=T(n.arg.content);r=n.exp=ru(e,!1,n.arg.loc)}}else"bind"===n.name&&n.arg&&Au(n.arg)&&(n.arg.content=T(n.arg.content)),o.push(n)}if(o.length>0){const{props:r,directives:i}=gh(e,t,o,!1,!1);n=r,i.length&&t.onError(Eu(36,i[0].loc))}return{slotName:r,slotProps:n}}(e,t),a=[t.prefixIdentifiers?"_ctx.$slots":"$slots",o,"{}","undefined","true"];let l=2;i&&(a[2]=i,l=3),n.length&&(a[3]=au([],n,!1,!1,r),l=4),t.scopeId&&!t.slotted&&(l=5),a.splice(l),e.codegenNode=iu(t.helper(Vc),a,r)}};const kh=(e,t,n,r)=>{const{loc:o,modifiers:i,arg:a}=e;let l;if(e.exp||i.length||n.onError(Eu(35,o)),4===a.type)if(a.isStatic){let e=a.content;0,e.startsWith("vue:")&&(e=`vnode-${e.slice(4)}`);l=ru(0!==t.tagType||e.startsWith("vnode")||!/[A-Z]/.test(e)?D(T(e)):`on:${e}`,!0,a.loc)}else l=ou([`${n.helperString(Fc)}(`,a,")"]);else l=a,l.children.unshift(`${n.helperString(Fc)}(`),l.children.push(")");let s=e.exp;s&&!s.content.trim()&&(s=void 0);let c=n.cacheHandlers&&!s&&!n.inVOnce;if(s){const e=Lu(s),t=!(e||Iu(s)),n=s.content.includes(";");0,(t||c&&e)&&(s=ou([`${t?"$event":"(...args)"} => ${n?"{":"("}`,s,n?"}":")"]))}let u={props:[nu(l,s||ru("() => {}",!1,o))]};return r&&(u=r(u)),c&&(u.props[0].value=n.cache(u.props[0].value)),u.props.forEach((e=>e.key.isHandlerKey=!0)),u},Eh=(e,t)=>{if(0===e.type||1===e.type||11===e.type||10===e.type)return()=>{const n=e.children;let r,o=!1;for(let e=0;e<n.length;e++){const t=n[e];if(Ru(t)){o=!0;for(let o=e+1;o<n.length;o++){const i=n[o];if(!Ru(i)){r=void 0;break}r||(r=n[e]=ou([t],t.loc)),r.children.push(" + ",i),n.splice(o,1),o--}}}if(o&&(1!==n.length||0!==e.type&&(1!==e.type||0!==e.tagType||e.props.find((e=>7===e.type&&!t.directiveTransforms[e.name]))||"template"===e.tag)))for(let e=0;e<n.length;e++){const r=n[e];if(Ru(r)||8===r.type){const o=[];2===r.type&&" "===r.content||o.push(r),t.ssr||0!==Td(r,t)||o.push("1"),n[e]={type:12,content:r,loc:r.loc,codegenNode:iu(t.helper(Ec),o)}}}}},Ah=new WeakSet,Ch=(e,t)=>{if(1===e.type&&Zu(e,"once",!0)){if(Ah.has(e)||t.inVOnce||t.inSSR)return;return Ah.add(e),t.inVOnce=!0,t.helper(zc),()=>{t.inVOnce=!1;const e=t.currentNode;e.codegenNode&&(e.codegenNode=t.cache(e.codegenNode,!0,!0))}}},Bh=(e,t,n)=>{const{exp:r,arg:o}=e;if(!r)return n.onError(Eu(41,e.loc)),Mh();const i=r.loc.source.trim(),a=4===r.type?r.content:i,l=n.bindingMetadata[i];if("props"===l||"props-aliased"===l)return n.onError(Eu(44,r.loc)),Mh();if(!a.trim()||!Lu(r))return n.onError(Eu(42,r.loc)),Mh();const s=o||ru("modelValue",!0),c=o?Au(o)?`onUpdate:${T(o.content)}`:ou(['"onUpdate:" + ',o]):"onUpdate:modelValue";let u;u=ou([`${n.isTS?"($event: any)":"$event"} => ((`,r,") = $event)"]);const d=[nu(s,e.exp),nu(c,u)];if(e.modifiers.length&&1===t.tagType){const t=e.modifiers.map((e=>e.content)).map((e=>(Mu(e)?e:JSON.stringify(e))+": true")).join(", "),n=o?Au(o)?`${o.content}Modifiers`:ou([o,' + "Modifiers"']):"modelModifiers";d.push(nu(n,ru(`{ ${t} }`,!1,e.loc,2)))}return Mh(d)};function Mh(e=[]){return{props:e}}const _h=/[\w).+\-_$\]]/,Sh=(e,t)=>{yu("COMPILER_FILTERS",t)&&(5===e.type?Nh(e.content,t):1===e.type&&e.props.forEach((e=>{7===e.type&&"for"!==e.name&&e.exp&&Nh(e.exp,t)})))};function Nh(e,t){if(4===e.type)Vh(e,t);else for(let n=0;n<e.children.length;n++){const r=e.children[n];"object"==typeof r&&(4===r.type?Vh(r,t):8===r.type?Nh(e,t):5===r.type&&Nh(r.content,t))}}function Vh(e,t){const n=e.content;let r,o,i,a,l=!1,s=!1,c=!1,u=!1,d=0,h=0,p=0,f=0,m=[];for(i=0;i<n.length;i++)if(o=r,r=n.charCodeAt(i),l)39===r&&92!==o&&(l=!1);else if(s)34===r&&92!==o&&(s=!1);else if(c)96===r&&92!==o&&(c=!1);else if(u)47===r&&92!==o&&(u=!1);else if(124!==r||124===n.charCodeAt(i+1)||124===n.charCodeAt(i-1)||d||h||p){switch(r){case 34:s=!0;break;case 39:l=!0;break;case 96:c=!0;break;case 40:p++;break;case 41:p--;break;case 91:h++;break;case 93:h--;break;case 123:d++;break;case 125:d--}if(47===r){let e,t=i-1;for(;t>=0&&(e=n.charAt(t)," "===e);t--);e&&_h.test(e)||(u=!0)}}else void 0===a?(f=i+1,a=n.slice(0,i).trim()):v();function v(){m.push(n.slice(f,i).trim()),f=i+1}if(void 0===a?a=n.slice(0,i).trim():0!==f&&v(),m.length){for(i=0;i<m.length;i++)a=Lh(a,m[i],t);e.content=a,e.ast=void 0}}function Lh(e,t,n){n.helper(_c);const r=t.indexOf("(");if(r<0)return n.filters.add(t),`${$u(t,"filter")}(${e})`;{const o=t.slice(0,r),i=t.slice(r+1);return n.filters.add(o),`${$u(o,"filter")}(${e}${")"!==i?","+i:i}`}}const Th=new WeakSet,Ih=(e,t)=>{if(1===e.type){const n=Zu(e,"memo");if(!n||Th.has(e))return;return Th.add(e),()=>{const r=e.codegenNode||t.currentNode.codegenNode;r&&13===r.type&&(1!==e.tagType&&uu(r,t),e.codegenNode=iu(t.helper(Kc),[n.exp,au(void 0,r),"_cache",String(t.cached.length)]),t.cached.push(null))}}};function Zh(e,t={}){const n=t.onError||xu,r="module"===t.mode;!0===t.prefixIdentifiers?n(Eu(47)):r&&n(Eu(48));t.cacheHandlers&&n(Eu(49)),t.scopeId&&!r&&n(Eu(50));const o=d({},t,{prefixIdentifiers:!1}),i=b(e)?Sd(e,o):e,[a,l]=[[Ch,Jd,Ih,ih,Sh,xh,vh,ch,Eh],{on:kh,bind:nh,model:Bh}];return Hd(i,d({},o,{nodeTransforms:[...a,...t.nodeTransforms||[]],directiveTransforms:d({},l,t.directiveTransforms||{})})),qd(i,o)}const Oh=Symbol(""),Dh=Symbol(""),Rh=Symbol(""),Hh=Symbol(""),Ph=Symbol(""),jh=Symbol(""),Fh=Symbol(""),zh=Symbol(""),qh=Symbol(""),Uh=Symbol("");var $h;let Wh;$h={[Oh]:"vModelRadio",[Dh]:"vModelCheckbox",[Rh]:"vModelText",[Hh]:"vModelSelect",[Ph]:"vModelDynamic",[jh]:"withModifiers",[Fh]:"withKeys",[zh]:"vShow",[qh]:"Transition",[Uh]:"TransitionGroup"},Object.getOwnPropertySymbols($h).forEach((e=>{Xc[e]=$h[e]}));const Gh={parseMode:"html",isVoidTag:ne,isNativeTag:e=>Q(e)||ee(e)||te(e),isPreTag:e=>"pre"===e,isIgnoreNewlineTag:e=>"pre"===e||"textarea"===e,decodeEntities:function(e,t=!1){return Wh||(Wh=document.createElement("div")),t?(Wh.innerHTML=`<div foo="${e.replace(/"/g,"&quot;")}">`,Wh.children[0].getAttribute("foo")):(Wh.innerHTML=e,Wh.textContent)},isBuiltInComponent:e=>"Transition"===e||"transition"===e?qh:"TransitionGroup"===e||"transition-group"===e?Uh:void 0,getNamespace(e,t,n){let r=t?t.ns:n;if(t&&2===r)if("annotation-xml"===t.tag){if("svg"===e)return 1;t.props.some((e=>6===e.type&&"encoding"===e.name&&null!=e.value&&("text/html"===e.value.content||"application/xhtml+xml"===e.value.content)))&&(r=0)}else/^m(?:[ions]|text)$/.test(t.tag)&&"mglyph"!==e&&"malignmark"!==e&&(r=0);else t&&1===r&&("foreignObject"!==t.tag&&"desc"!==t.tag&&"title"!==t.tag||(r=0));if(0===r){if("svg"===e)return 1;if("math"===e)return 2}return r}},Kh=(e,t)=>{const n=Y(e);return ru(JSON.stringify(n),!1,t,3)};function Yh(e,t){return Eu(e,t)}const Xh=o("passive,once,capture"),Jh=o("stop,prevent,self,ctrl,shift,alt,meta,exact,middle"),Qh=o("left,right"),ep=o("onkeyup,onkeydown,onkeypress"),tp=(e,t)=>Au(e)&&"onclick"===e.content.toLowerCase()?ru(t,!0):4!==e.type?ou(["(",e,`) === "onClick" ? "${t}" : (`,e,")"]):e;const np=(e,t)=>{1!==e.type||0!==e.tagType||"script"!==e.tag&&"style"!==e.tag||t.removeNode()};const rp=[e=>{1===e.type&&e.props.forEach(((t,n)=>{6===t.type&&"style"===t.name&&t.value&&(e.props[n]={type:7,name:"bind",arg:ru("style",!0,t.loc),exp:Kh(t.value.content,t.loc),modifiers:[],loc:t.loc})}))}],op={cloak:()=>({props:[]}),html:(e,t,n)=>{const{exp:r,loc:o}=e;return r||n.onError(Yh(53,o)),t.children.length&&(n.onError(Yh(54,o)),t.children.length=0),{props:[nu(ru("innerHTML",!0,o),r||ru("",!0))]}},text:(e,t,n)=>{const{exp:r,loc:o}=e;return r||n.onError(Yh(55,o)),t.children.length&&(n.onError(Yh(56,o)),t.children.length=0),{props:[nu(ru("textContent",!0),r?Td(r,n)>0?r:iu(n.helperString(Tc),[r],o):ru("",!0))]}},model:(e,t,n)=>{const r=Bh(e,t,n);if(!r.props.length||1===t.tagType)return r;e.arg&&n.onError(Yh(58,e.arg.loc));const{tag:o}=t,i=n.isCustomElement(o);if("input"===o||"textarea"===o||"select"===o||i){let a=Rh,l=!1;if("input"===o||i){const r=Ou(t,"type");if(r){if(7===r.type)a=Ph;else if(r.value)switch(r.value.content){case"radio":a=Oh;break;case"checkbox":a=Dh;break;case"file":l=!0,n.onError(Yh(59,e.loc))}}else(function(e){return e.props.some((e=>!(7!==e.type||"bind"!==e.name||e.arg&&4===e.arg.type&&e.arg.isStatic)))})(t)&&(a=Ph)}else"select"===o&&(a=Hh);l||(r.needRuntime=n.helper(a))}else n.onError(Yh(57,e.loc));return r.props=r.props.filter((e=>!(4===e.key.type&&"modelValue"===e.key.content))),r},on:(e,t,n)=>kh(e,t,n,(t=>{const{modifiers:r}=e;if(!r.length)return t;let{key:o,value:i}=t.props[0];const{keyModifiers:a,nonKeyModifiers:l,eventOptionModifiers:s}=((e,t,n)=>{const r=[],o=[],i=[];for(let a=0;a<t.length;a++){const l=t[a].content;"native"===l&&bu("COMPILER_V_ON_NATIVE",n)||Xh(l)?i.push(l):Qh(l)?Au(e)?ep(e.content.toLowerCase())?r.push(l):o.push(l):(r.push(l),o.push(l)):Jh(l)?o.push(l):r.push(l)}return{keyModifiers:r,nonKeyModifiers:o,eventOptionModifiers:i}})(o,r,n,e.loc);if(l.includes("right")&&(o=tp(o,"onContextmenu")),l.includes("middle")&&(o=tp(o,"onMouseup")),l.length&&(i=iu(n.helper(jh),[i,JSON.stringify(l)])),!a.length||Au(o)&&!ep(o.content.toLowerCase())||(i=iu(n.helper(Fh),[i,JSON.stringify(a)])),s.length){const e=s.map(O).join("");o=Au(o)?ru(`${o.content}${e}`,!0):ou(["(",o,`) + "${e}"`])}return{props:[nu(o,i)]}})),show:(e,t,n)=>{const{exp:r,loc:o}=e;return r||n.onError(Yh(61,o)),{props:[],needRuntime:n.helper(zh)}}};const ip=Object.create(null);function ap(e,t){if(!b(e)){if(!e.nodeType)return l;e=e.innerHTML}const n=function(e,t){return e+JSON.stringify(t,((e,t)=>"function"==typeof t?t.toString():t))}(e,t),o=ip[n];if(o)return o;if("#"===e[0]){const t=document.querySelector(e);0,e=t?t.innerHTML:""}const i=d({hoistStatic:!0,onError:void 0,onWarn:l},t);i.isCustomElement||"undefined"==typeof customElements||(i.isCustomElement=e=>!!customElements.get(e));const{code:a}=function(e,t={}){return Zh(e,d({},Gh,t,{nodeTransforms:[np,...rp,...t.nodeTransforms||[]],directiveTransforms:d({},op,t.directiveTransforms||{}),transformHoist:null}))}(e,i);const s=new Function("Vue",a)(r);return s._rc=!0,ip[n]=s}el(ap)},66278:(e,t,n)=>{"use strict";n.d(t,{$t:()=>q,y$:()=>D,i0:()=>z,L8:()=>F,PY:()=>j,Pj:()=>h});var r=n(29726);function o(){return"undefined"!=typeof navigator&&"undefined"!=typeof window?window:"undefined"!=typeof globalThis?globalThis:{}}const i="function"==typeof Proxy;let a,l;function s(){return void 0!==a||("undefined"!=typeof window&&window.performance?(a=!0,l=window.performance):"undefined"!=typeof globalThis&&(null===(e=globalThis.perf_hooks)||void 0===e?void 0:e.performance)?(a=!0,l=globalThis.perf_hooks.performance):a=!1),a?l.now():Date.now();var e}class c{constructor(e,t){this.target=null,this.targetQueue=[],this.onQueue=[],this.plugin=e,this.hook=t;const n={};if(e.settings)for(const t in e.settings){const r=e.settings[t];n[t]=r.defaultValue}const r=`__vue-devtools-plugin-settings__${e.id}`;let o=Object.assign({},n);try{const e=localStorage.getItem(r),t=JSON.parse(e);Object.assign(o,t)}catch(e){}this.fallbacks={getSettings:()=>o,setSettings(e){try{localStorage.setItem(r,JSON.stringify(e))}catch(e){}o=e},now:()=>s()},t&&t.on("plugin:settings:set",((e,t)=>{e===this.plugin.id&&this.fallbacks.setSettings(t)})),this.proxiedOn=new Proxy({},{get:(e,t)=>this.target?this.target.on[t]:(...e)=>{this.onQueue.push({method:t,args:e})}}),this.proxiedTarget=new Proxy({},{get:(e,t)=>this.target?this.target[t]:"on"===t?this.proxiedOn:Object.keys(this.fallbacks).includes(t)?(...e)=>(this.targetQueue.push({method:t,args:e,resolve:()=>{}}),this.fallbacks[t](...e)):(...e)=>new Promise((n=>{this.targetQueue.push({method:t,args:e,resolve:n})}))})}async setRealTarget(e){this.target=e;for(const e of this.onQueue)this.target.on[e.method](...e.args);for(const e of this.targetQueue)e.resolve(await this.target[e.method](...e.args))}}function u(e,t){const n=e,r=o(),a=o().__VUE_DEVTOOLS_GLOBAL_HOOK__,l=i&&n.enableEarlyProxy;if(!a||!r.__VUE_DEVTOOLS_PLUGIN_API_AVAILABLE__&&l){const e=l?new c(n,a):null;(r.__VUE_DEVTOOLS_PLUGINS__=r.__VUE_DEVTOOLS_PLUGINS__||[]).push({pluginDescriptor:n,setupFn:t,proxy:e}),e&&t(e.proxiedTarget)}else a.emit("devtools-plugin:setup",e,t)}var d="store";function h(e){return void 0===e&&(e=null),(0,r.inject)(null!==e?e:d)}function p(e,t){Object.keys(e).forEach((function(n){return t(e[n],n)}))}function f(e){return null!==e&&"object"==typeof e}function m(e,t,n){return t.indexOf(e)<0&&(n&&n.prepend?t.unshift(e):t.push(e)),function(){var n=t.indexOf(e);n>-1&&t.splice(n,1)}}function v(e,t){e._actions=Object.create(null),e._mutations=Object.create(null),e._wrappedGetters=Object.create(null),e._modulesNamespaceMap=Object.create(null);var n=e.state;w(e,n,[],e._modules.root,!0),g(e,n,t)}function g(e,t,n){var o=e._state,i=e._scope;e.getters={},e._makeLocalGettersCache=Object.create(null);var a=e._wrappedGetters,l={},s={},c=(0,r.effectScope)(!0);c.run((function(){p(a,(function(t,n){l[n]=function(e,t){return function(){return e(t)}}(t,e),s[n]=(0,r.computed)((function(){return l[n]()})),Object.defineProperty(e.getters,n,{get:function(){return s[n].value},enumerable:!0})}))})),e._state=(0,r.reactive)({data:t}),e._scope=c,e.strict&&function(e){(0,r.watch)((function(){return e._state.data}),(function(){0}),{deep:!0,flush:"sync"})}(e),o&&n&&e._withCommit((function(){o.data=null})),i&&i.stop()}function w(e,t,n,r,o){var i=!n.length,a=e._modules.getNamespace(n);if(r.namespaced&&(e._modulesNamespaceMap[a],e._modulesNamespaceMap[a]=r),!i&&!o){var l=b(t,n.slice(0,-1)),s=n[n.length-1];e._withCommit((function(){l[s]=r.state}))}var c=r.context=function(e,t,n){var r=""===t,o={dispatch:r?e.dispatch:function(n,r,o){var i=x(n,r,o),a=i.payload,l=i.options,s=i.type;return l&&l.root||(s=t+s),e.dispatch(s,a)},commit:r?e.commit:function(n,r,o){var i=x(n,r,o),a=i.payload,l=i.options,s=i.type;l&&l.root||(s=t+s),e.commit(s,a,l)}};return Object.defineProperties(o,{getters:{get:r?function(){return e.getters}:function(){return y(e,t)}},state:{get:function(){return b(e.state,n)}}}),o}(e,a,n);r.forEachMutation((function(t,n){!function(e,t,n,r){var o=e._mutations[t]||(e._mutations[t]=[]);o.push((function(t){n.call(e,r.state,t)}))}(e,a+n,t,c)})),r.forEachAction((function(t,n){var r=t.root?n:a+n,o=t.handler||t;!function(e,t,n,r){var o=e._actions[t]||(e._actions[t]=[]);o.push((function(t){var o,i=n.call(e,{dispatch:r.dispatch,commit:r.commit,getters:r.getters,state:r.state,rootGetters:e.getters,rootState:e.state},t);return(o=i)&&"function"==typeof o.then||(i=Promise.resolve(i)),e._devtoolHook?i.catch((function(t){throw e._devtoolHook.emit("vuex:error",t),t})):i}))}(e,r,o,c)})),r.forEachGetter((function(t,n){!function(e,t,n,r){if(e._wrappedGetters[t])return void 0;e._wrappedGetters[t]=function(e){return n(r.state,r.getters,e.state,e.getters)}}(e,a+n,t,c)})),r.forEachChild((function(r,i){w(e,t,n.concat(i),r,o)}))}function y(e,t){if(!e._makeLocalGettersCache[t]){var n={},r=t.length;Object.keys(e.getters).forEach((function(o){if(o.slice(0,r)===t){var i=o.slice(r);Object.defineProperty(n,i,{get:function(){return e.getters[o]},enumerable:!0})}})),e._makeLocalGettersCache[t]=n}return e._makeLocalGettersCache[t]}function b(e,t){return t.reduce((function(e,t){return e[t]}),e)}function x(e,t,n){return f(e)&&e.type&&(n=t,t=e,e=e.type),{type:e,payload:t,options:n}}var k="vuex:mutations",E="vuex:actions",A="vuex",C=0;function B(e,t){u({id:"org.vuejs.vuex",app:e,label:"Vuex",homepage:"https://next.vuex.vuejs.org/",logo:"https://vuejs.org/images/icons/favicon-96x96.png",packageName:"vuex",componentStateTypes:["vuex bindings"]},(function(n){n.addTimelineLayer({id:k,label:"Vuex Mutations",color:M}),n.addTimelineLayer({id:E,label:"Vuex Actions",color:M}),n.addInspector({id:A,label:"Vuex",icon:"storage",treeFilterPlaceholder:"Filter stores..."}),n.on.getInspectorTree((function(n){if(n.app===e&&n.inspectorId===A)if(n.filter){var r=[];V(r,t._modules.root,n.filter,""),n.rootNodes=r}else n.rootNodes=[N(t._modules.root,"")]})),n.on.getInspectorState((function(n){if(n.app===e&&n.inspectorId===A){var r=n.nodeId;y(t,r),n.state=function(e,t,n){t="root"===n?t:t[n];var r=Object.keys(t),o={state:Object.keys(e.state).map((function(t){return{key:t,editable:!0,value:e.state[t]}}))};if(r.length){var i=function(e){var t={};return Object.keys(e).forEach((function(n){var r=n.split("/");if(r.length>1){var o=t,i=r.pop();r.forEach((function(e){o[e]||(o[e]={_custom:{value:{},display:e,tooltip:"Module",abstract:!0}}),o=o[e]._custom.value})),o[i]=L((function(){return e[n]}))}else t[n]=L((function(){return e[n]}))})),t}(t);o.getters=Object.keys(i).map((function(e){return{key:e.endsWith("/")?S(e):e,editable:!1,value:L((function(){return i[e]}))}}))}return o}((o=t._modules,(a=(i=r).split("/").filter((function(e){return e}))).reduce((function(e,t,n){var r=e[t];if(!r)throw new Error('Missing module "'+t+'" for path "'+i+'".');return n===a.length-1?r:r._children}),"root"===i?o:o.root._children)),"root"===r?t.getters:t._makeLocalGettersCache,r)}var o,i,a})),n.on.editInspectorState((function(n){if(n.app===e&&n.inspectorId===A){var r=n.nodeId,o=n.path;"root"!==r&&(o=r.split("/").filter(Boolean).concat(o)),t._withCommit((function(){n.set(t._state.data,o,n.state.value)}))}})),t.subscribe((function(e,t){var r={};e.payload&&(r.payload=e.payload),r.state=t,n.notifyComponentUpdate(),n.sendInspectorTree(A),n.sendInspectorState(A),n.addTimelineEvent({layerId:k,event:{time:Date.now(),title:e.type,data:r}})})),t.subscribeAction({before:function(e,t){var r={};e.payload&&(r.payload=e.payload),e._id=C++,e._time=Date.now(),r.state=t,n.addTimelineEvent({layerId:E,event:{time:e._time,title:e.type,groupId:e._id,subtitle:"start",data:r}})},after:function(e,t){var r={},o=Date.now()-e._time;r.duration={_custom:{type:"duration",display:o+"ms",tooltip:"Action duration",value:o}},e.payload&&(r.payload=e.payload),r.state=t,n.addTimelineEvent({layerId:E,event:{time:Date.now(),title:e.type,groupId:e._id,subtitle:"end",data:r}})}})}))}var M=8702998,_={label:"namespaced",textColor:16777215,backgroundColor:6710886};function S(e){return e&&"root"!==e?e.split("/").slice(-2,-1)[0]:"Root"}function N(e,t){return{id:t||"root",label:S(t),tags:e.namespaced?[_]:[],children:Object.keys(e._children).map((function(n){return N(e._children[n],t+n+"/")}))}}function V(e,t,n,r){r.includes(n)&&e.push({id:r||"root",label:r.endsWith("/")?r.slice(0,r.length-1):r||"Root",tags:t.namespaced?[_]:[]}),Object.keys(t._children).forEach((function(o){V(e,t._children[o],n,r+o+"/")}))}function L(e){try{return e()}catch(e){return e}}var T=function(e,t){this.runtime=t,this._children=Object.create(null),this._rawModule=e;var n=e.state;this.state=("function"==typeof n?n():n)||{}},I={namespaced:{configurable:!0}};I.namespaced.get=function(){return!!this._rawModule.namespaced},T.prototype.addChild=function(e,t){this._children[e]=t},T.prototype.removeChild=function(e){delete this._children[e]},T.prototype.getChild=function(e){return this._children[e]},T.prototype.hasChild=function(e){return e in this._children},T.prototype.update=function(e){this._rawModule.namespaced=e.namespaced,e.actions&&(this._rawModule.actions=e.actions),e.mutations&&(this._rawModule.mutations=e.mutations),e.getters&&(this._rawModule.getters=e.getters)},T.prototype.forEachChild=function(e){p(this._children,e)},T.prototype.forEachGetter=function(e){this._rawModule.getters&&p(this._rawModule.getters,e)},T.prototype.forEachAction=function(e){this._rawModule.actions&&p(this._rawModule.actions,e)},T.prototype.forEachMutation=function(e){this._rawModule.mutations&&p(this._rawModule.mutations,e)},Object.defineProperties(T.prototype,I);var Z=function(e){this.register([],e,!1)};function O(e,t,n){if(t.update(n),n.modules)for(var r in n.modules){if(!t.getChild(r))return void 0;O(e.concat(r),t.getChild(r),n.modules[r])}}Z.prototype.get=function(e){return e.reduce((function(e,t){return e.getChild(t)}),this.root)},Z.prototype.getNamespace=function(e){var t=this.root;return e.reduce((function(e,n){return e+((t=t.getChild(n)).namespaced?n+"/":"")}),"")},Z.prototype.update=function(e){O([],this.root,e)},Z.prototype.register=function(e,t,n){var r=this;void 0===n&&(n=!0);var o=new T(t,n);0===e.length?this.root=o:this.get(e.slice(0,-1)).addChild(e[e.length-1],o);t.modules&&p(t.modules,(function(t,o){r.register(e.concat(o),t,n)}))},Z.prototype.unregister=function(e){var t=this.get(e.slice(0,-1)),n=e[e.length-1],r=t.getChild(n);r&&r.runtime&&t.removeChild(n)},Z.prototype.isRegistered=function(e){var t=this.get(e.slice(0,-1)),n=e[e.length-1];return!!t&&t.hasChild(n)};function D(e){return new R(e)}var R=function(e){var t=this;void 0===e&&(e={});var n=e.plugins;void 0===n&&(n=[]);var r=e.strict;void 0===r&&(r=!1);var o=e.devtools;this._committing=!1,this._actions=Object.create(null),this._actionSubscribers=[],this._mutations=Object.create(null),this._wrappedGetters=Object.create(null),this._modules=new Z(e),this._modulesNamespaceMap=Object.create(null),this._subscribers=[],this._makeLocalGettersCache=Object.create(null),this._scope=null,this._devtools=o;var i=this,a=this.dispatch,l=this.commit;this.dispatch=function(e,t){return a.call(i,e,t)},this.commit=function(e,t,n){return l.call(i,e,t,n)},this.strict=r;var s=this._modules.root.state;w(this,s,[],this._modules.root),g(this,s),n.forEach((function(e){return e(t)}))},H={state:{configurable:!0}};R.prototype.install=function(e,t){e.provide(t||d,this),e.config.globalProperties.$store=this,void 0!==this._devtools&&this._devtools&&B(e,this)},H.state.get=function(){return this._state.data},H.state.set=function(e){0},R.prototype.commit=function(e,t,n){var r=this,o=x(e,t,n),i=o.type,a=o.payload,l=(o.options,{type:i,payload:a}),s=this._mutations[i];s&&(this._withCommit((function(){s.forEach((function(e){e(a)}))})),this._subscribers.slice().forEach((function(e){return e(l,r.state)})))},R.prototype.dispatch=function(e,t){var n=this,r=x(e,t),o=r.type,i=r.payload,a={type:o,payload:i},l=this._actions[o];if(l){try{this._actionSubscribers.slice().filter((function(e){return e.before})).forEach((function(e){return e.before(a,n.state)}))}catch(e){0}var s=l.length>1?Promise.all(l.map((function(e){return e(i)}))):l[0](i);return new Promise((function(e,t){s.then((function(t){try{n._actionSubscribers.filter((function(e){return e.after})).forEach((function(e){return e.after(a,n.state)}))}catch(e){0}e(t)}),(function(e){try{n._actionSubscribers.filter((function(e){return e.error})).forEach((function(t){return t.error(a,n.state,e)}))}catch(e){0}t(e)}))}))}},R.prototype.subscribe=function(e,t){return m(e,this._subscribers,t)},R.prototype.subscribeAction=function(e,t){return m("function"==typeof e?{before:e}:e,this._actionSubscribers,t)},R.prototype.watch=function(e,t,n){var o=this;return(0,r.watch)((function(){return e(o.state,o.getters)}),t,Object.assign({},n))},R.prototype.replaceState=function(e){var t=this;this._withCommit((function(){t._state.data=e}))},R.prototype.registerModule=function(e,t,n){void 0===n&&(n={}),"string"==typeof e&&(e=[e]),this._modules.register(e,t),w(this,this.state,e,this._modules.get(e),n.preserveState),g(this,this.state)},R.prototype.unregisterModule=function(e){var t=this;"string"==typeof e&&(e=[e]),this._modules.unregister(e),this._withCommit((function(){delete b(t.state,e.slice(0,-1))[e[e.length-1]]})),v(this)},R.prototype.hasModule=function(e){return"string"==typeof e&&(e=[e]),this._modules.isRegistered(e)},R.prototype.hotUpdate=function(e){this._modules.update(e),v(this,!0)},R.prototype._withCommit=function(e){var t=this._committing;this._committing=!0,e(),this._committing=t},Object.defineProperties(R.prototype,H);var P=$((function(e,t){var n={};return U(t).forEach((function(t){var r=t.key,o=t.val;n[r]=function(){var t=this.$store.state,n=this.$store.getters;if(e){var r=W(this.$store,"mapState",e);if(!r)return;t=r.context.state,n=r.context.getters}return"function"==typeof o?o.call(this,t,n):t[o]},n[r].vuex=!0})),n})),j=$((function(e,t){var n={};return U(t).forEach((function(t){var r=t.key,o=t.val;n[r]=function(){for(var t=[],n=arguments.length;n--;)t[n]=arguments[n];var r=this.$store.commit;if(e){var i=W(this.$store,"mapMutations",e);if(!i)return;r=i.context.commit}return"function"==typeof o?o.apply(this,[r].concat(t)):r.apply(this.$store,[o].concat(t))}})),n})),F=$((function(e,t){var n={};return U(t).forEach((function(t){var r=t.key,o=t.val;o=e+o,n[r]=function(){if(!e||W(this.$store,"mapGetters",e))return this.$store.getters[o]},n[r].vuex=!0})),n})),z=$((function(e,t){var n={};return U(t).forEach((function(t){var r=t.key,o=t.val;n[r]=function(){for(var t=[],n=arguments.length;n--;)t[n]=arguments[n];var r=this.$store.dispatch;if(e){var i=W(this.$store,"mapActions",e);if(!i)return;r=i.context.dispatch}return"function"==typeof o?o.apply(this,[r].concat(t)):r.apply(this.$store,[o].concat(t))}})),n})),q=function(e){return{mapState:P.bind(null,e),mapGetters:F.bind(null,e),mapMutations:j.bind(null,e),mapActions:z.bind(null,e)}};function U(e){return function(e){return Array.isArray(e)||f(e)}(e)?Array.isArray(e)?e.map((function(e){return{key:e,val:e}})):Object.keys(e).map((function(t){return{key:t,val:e[t]}})):[]}function $(e){return function(t,n){return"string"!=typeof t?(n=t,t=""):"/"!==t.charAt(t.length-1)&&(t+="/"),e(t,n)}}function W(e,t,n){return e._modulesNamespaceMap[n]}},86425:(e,t,n)=>{"use strict";var r=n(65606),o=n(48287).hp;function i(e,t){return function(){return e.apply(t,arguments)}}const{toString:a}=Object.prototype,{getPrototypeOf:l}=Object,s=(c=Object.create(null),e=>{const t=a.call(e);return c[t]||(c[t]=t.slice(8,-1).toLowerCase())});var c;const u=e=>(e=e.toLowerCase(),t=>s(t)===e),d=e=>t=>typeof t===e,{isArray:h}=Array,p=d("undefined");const f=u("ArrayBuffer");const m=d("string"),v=d("function"),g=d("number"),w=e=>null!==e&&"object"==typeof e,y=e=>{if("object"!==s(e))return!1;const t=l(e);return!(null!==t&&t!==Object.prototype&&null!==Object.getPrototypeOf(t)||Symbol.toStringTag in e||Symbol.iterator in e)},b=u("Date"),x=u("File"),k=u("Blob"),E=u("FileList"),A=u("URLSearchParams"),[C,B,M,_]=["ReadableStream","Request","Response","Headers"].map(u);function S(e,t,{allOwnKeys:n=!1}={}){if(null==e)return;let r,o;if("object"!=typeof e&&(e=[e]),h(e))for(r=0,o=e.length;r<o;r++)t.call(null,e[r],r,e);else{const o=n?Object.getOwnPropertyNames(e):Object.keys(e),i=o.length;let a;for(r=0;r<i;r++)a=o[r],t.call(null,e[a],a,e)}}function N(e,t){t=t.toLowerCase();const n=Object.keys(e);let r,o=n.length;for(;o-- >0;)if(r=n[o],t===r.toLowerCase())return r;return null}const V="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof self?self:"undefined"!=typeof window?window:n.g,L=e=>!p(e)&&e!==V;const T=(I="undefined"!=typeof Uint8Array&&l(Uint8Array),e=>I&&e instanceof I);var I;const Z=u("HTMLFormElement"),O=(({hasOwnProperty:e})=>(t,n)=>e.call(t,n))(Object.prototype),D=u("RegExp"),R=(e,t)=>{const n=Object.getOwnPropertyDescriptors(e),r={};S(n,((n,o)=>{let i;!1!==(i=t(n,o,e))&&(r[o]=i||n)})),Object.defineProperties(e,r)},H="abcdefghijklmnopqrstuvwxyz",P="0123456789",j={DIGIT:P,ALPHA:H,ALPHA_DIGIT:H+H.toUpperCase()+P};const F=u("AsyncFunction"),z=(q="function"==typeof setImmediate,U=v(V.postMessage),q?setImmediate:U?($=`axios@${Math.random()}`,W=[],V.addEventListener("message",(({source:e,data:t})=>{e===V&&t===$&&W.length&&W.shift()()}),!1),e=>{W.push(e),V.postMessage($,"*")}):e=>setTimeout(e));var q,U,$,W;const G="undefined"!=typeof queueMicrotask?queueMicrotask.bind(V):void 0!==r&&r.nextTick||z;var K={isArray:h,isArrayBuffer:f,isBuffer:function(e){return null!==e&&!p(e)&&null!==e.constructor&&!p(e.constructor)&&v(e.constructor.isBuffer)&&e.constructor.isBuffer(e)},isFormData:e=>{let t;return e&&("function"==typeof FormData&&e instanceof FormData||v(e.append)&&("formdata"===(t=s(e))||"object"===t&&v(e.toString)&&"[object FormData]"===e.toString()))},isArrayBufferView:function(e){let t;return t="undefined"!=typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(e):e&&e.buffer&&f(e.buffer),t},isString:m,isNumber:g,isBoolean:e=>!0===e||!1===e,isObject:w,isPlainObject:y,isReadableStream:C,isRequest:B,isResponse:M,isHeaders:_,isUndefined:p,isDate:b,isFile:x,isBlob:k,isRegExp:D,isFunction:v,isStream:e=>w(e)&&v(e.pipe),isURLSearchParams:A,isTypedArray:T,isFileList:E,forEach:S,merge:function e(){const{caseless:t}=L(this)&&this||{},n={},r=(r,o)=>{const i=t&&N(n,o)||o;y(n[i])&&y(r)?n[i]=e(n[i],r):y(r)?n[i]=e({},r):h(r)?n[i]=r.slice():n[i]=r};for(let e=0,t=arguments.length;e<t;e++)arguments[e]&&S(arguments[e],r);return n},extend:(e,t,n,{allOwnKeys:r}={})=>(S(t,((t,r)=>{n&&v(t)?e[r]=i(t,n):e[r]=t}),{allOwnKeys:r}),e),trim:e=>e.trim?e.trim():e.replace(/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,""),stripBOM:e=>(65279===e.charCodeAt(0)&&(e=e.slice(1)),e),inherits:(e,t,n,r)=>{e.prototype=Object.create(t.prototype,r),e.prototype.constructor=e,Object.defineProperty(e,"super",{value:t.prototype}),n&&Object.assign(e.prototype,n)},toFlatObject:(e,t,n,r)=>{let o,i,a;const s={};if(t=t||{},null==e)return t;do{for(o=Object.getOwnPropertyNames(e),i=o.length;i-- >0;)a=o[i],r&&!r(a,e,t)||s[a]||(t[a]=e[a],s[a]=!0);e=!1!==n&&l(e)}while(e&&(!n||n(e,t))&&e!==Object.prototype);return t},kindOf:s,kindOfTest:u,endsWith:(e,t,n)=>{e=String(e),(void 0===n||n>e.length)&&(n=e.length),n-=t.length;const r=e.indexOf(t,n);return-1!==r&&r===n},toArray:e=>{if(!e)return null;if(h(e))return e;let t=e.length;if(!g(t))return null;const n=new Array(t);for(;t-- >0;)n[t]=e[t];return n},forEachEntry:(e,t)=>{const n=(e&&e[Symbol.iterator]).call(e);let r;for(;(r=n.next())&&!r.done;){const n=r.value;t.call(e,n[0],n[1])}},matchAll:(e,t)=>{let n;const r=[];for(;null!==(n=e.exec(t));)r.push(n);return r},isHTMLForm:Z,hasOwnProperty:O,hasOwnProp:O,reduceDescriptors:R,freezeMethods:e=>{R(e,((t,n)=>{if(v(e)&&-1!==["arguments","caller","callee"].indexOf(n))return!1;const r=e[n];v(r)&&(t.enumerable=!1,"writable"in t?t.writable=!1:t.set||(t.set=()=>{throw Error("Can not rewrite read-only method '"+n+"'")}))}))},toObjectSet:(e,t)=>{const n={},r=e=>{e.forEach((e=>{n[e]=!0}))};return h(e)?r(e):r(String(e).split(t)),n},toCamelCase:e=>e.toLowerCase().replace(/[-_\s]([a-z\d])(\w*)/g,(function(e,t,n){return t.toUpperCase()+n})),noop:()=>{},toFiniteNumber:(e,t)=>null!=e&&Number.isFinite(e=+e)?e:t,findKey:N,global:V,isContextDefined:L,ALPHABET:j,generateString:(e=16,t=j.ALPHA_DIGIT)=>{let n="";const{length:r}=t;for(;e--;)n+=t[Math.random()*r|0];return n},isSpecCompliantForm:function(e){return!!(e&&v(e.append)&&"FormData"===e[Symbol.toStringTag]&&e[Symbol.iterator])},toJSONObject:e=>{const t=new Array(10),n=(e,r)=>{if(w(e)){if(t.indexOf(e)>=0)return;if(!("toJSON"in e)){t[r]=e;const o=h(e)?[]:{};return S(e,((e,t)=>{const i=n(e,r+1);!p(i)&&(o[t]=i)})),t[r]=void 0,o}}return e};return n(e,0)},isAsyncFn:F,isThenable:e=>e&&(w(e)||v(e))&&v(e.then)&&v(e.catch),setImmediate:z,asap:G};function Y(e,t,n,r,o){Error.call(this),Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):this.stack=(new Error).stack,this.message=e,this.name="AxiosError",t&&(this.code=t),n&&(this.config=n),r&&(this.request=r),o&&(this.response=o,this.status=o.status?o.status:null)}K.inherits(Y,Error,{toJSON:function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:K.toJSONObject(this.config),code:this.code,status:this.status}}});const X=Y.prototype,J={};["ERR_BAD_OPTION_VALUE","ERR_BAD_OPTION","ECONNABORTED","ETIMEDOUT","ERR_NETWORK","ERR_FR_TOO_MANY_REDIRECTS","ERR_DEPRECATED","ERR_BAD_RESPONSE","ERR_BAD_REQUEST","ERR_CANCELED","ERR_NOT_SUPPORT","ERR_INVALID_URL"].forEach((e=>{J[e]={value:e}})),Object.defineProperties(Y,J),Object.defineProperty(X,"isAxiosError",{value:!0}),Y.from=(e,t,n,r,o,i)=>{const a=Object.create(X);return K.toFlatObject(e,a,(function(e){return e!==Error.prototype}),(e=>"isAxiosError"!==e)),Y.call(a,e.message,t,n,r,o),a.cause=e,a.name=e.name,i&&Object.assign(a,i),a};function Q(e){return K.isPlainObject(e)||K.isArray(e)}function ee(e){return K.endsWith(e,"[]")?e.slice(0,-2):e}function te(e,t,n){return e?e.concat(t).map((function(e,t){return e=ee(e),!n&&t?"["+e+"]":e})).join(n?".":""):t}const ne=K.toFlatObject(K,{},null,(function(e){return/^is[A-Z]/.test(e)}));function re(e,t,n){if(!K.isObject(e))throw new TypeError("target must be an object");t=t||new FormData;const r=(n=K.toFlatObject(n,{metaTokens:!0,dots:!1,indexes:!1},!1,(function(e,t){return!K.isUndefined(t[e])}))).metaTokens,i=n.visitor||u,a=n.dots,l=n.indexes,s=(n.Blob||"undefined"!=typeof Blob&&Blob)&&K.isSpecCompliantForm(t);if(!K.isFunction(i))throw new TypeError("visitor must be a function");function c(e){if(null===e)return"";if(K.isDate(e))return e.toISOString();if(!s&&K.isBlob(e))throw new Y("Blob is not supported. Use a Buffer instead.");return K.isArrayBuffer(e)||K.isTypedArray(e)?s&&"function"==typeof Blob?new Blob([e]):o.from(e):e}function u(e,n,o){let i=e;if(e&&!o&&"object"==typeof e)if(K.endsWith(n,"{}"))n=r?n:n.slice(0,-2),e=JSON.stringify(e);else if(K.isArray(e)&&function(e){return K.isArray(e)&&!e.some(Q)}(e)||(K.isFileList(e)||K.endsWith(n,"[]"))&&(i=K.toArray(e)))return n=ee(n),i.forEach((function(e,r){!K.isUndefined(e)&&null!==e&&t.append(!0===l?te([n],r,a):null===l?n:n+"[]",c(e))})),!1;return!!Q(e)||(t.append(te(o,n,a),c(e)),!1)}const d=[],h=Object.assign(ne,{defaultVisitor:u,convertValue:c,isVisitable:Q});if(!K.isObject(e))throw new TypeError("data must be an object");return function e(n,r){if(!K.isUndefined(n)){if(-1!==d.indexOf(n))throw Error("Circular reference detected in "+r.join("."));d.push(n),K.forEach(n,(function(n,o){!0===(!(K.isUndefined(n)||null===n)&&i.call(t,n,K.isString(o)?o.trim():o,r,h))&&e(n,r?r.concat(o):[o])})),d.pop()}}(e),t}function oe(e){const t={"!":"%21","'":"%27","(":"%28",")":"%29","~":"%7E","%20":"+","%00":"\0"};return encodeURIComponent(e).replace(/[!'()~]|%20|%00/g,(function(e){return t[e]}))}function ie(e,t){this._pairs=[],e&&re(e,this,t)}const ae=ie.prototype;function le(e){return encodeURIComponent(e).replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}function se(e,t,n){if(!t)return e;const r=n&&n.encode||le;K.isFunction(n)&&(n={serialize:n});const o=n&&n.serialize;let i;if(i=o?o(t,n):K.isURLSearchParams(t)?t.toString():new ie(t,n).toString(r),i){const t=e.indexOf("#");-1!==t&&(e=e.slice(0,t)),e+=(-1===e.indexOf("?")?"?":"&")+i}return e}ae.append=function(e,t){this._pairs.push([e,t])},ae.toString=function(e){const t=e?function(t){return e.call(this,t,oe)}:oe;return this._pairs.map((function(e){return t(e[0])+"="+t(e[1])}),"").join("&")};var ce=class{constructor(){this.handlers=[]}use(e,t,n){return this.handlers.push({fulfilled:e,rejected:t,synchronous:!!n&&n.synchronous,runWhen:n?n.runWhen:null}),this.handlers.length-1}eject(e){this.handlers[e]&&(this.handlers[e]=null)}clear(){this.handlers&&(this.handlers=[])}forEach(e){K.forEach(this.handlers,(function(t){null!==t&&e(t)}))}},ue={silentJSONParsing:!0,forcedJSONParsing:!0,clarifyTimeoutError:!1},de={isBrowser:!0,classes:{URLSearchParams:"undefined"!=typeof URLSearchParams?URLSearchParams:ie,FormData:"undefined"!=typeof FormData?FormData:null,Blob:"undefined"!=typeof Blob?Blob:null},protocols:["http","https","file","blob","url","data"]};const he="undefined"!=typeof window&&"undefined"!=typeof document,pe="object"==typeof navigator&&navigator||void 0,fe=he&&(!pe||["ReactNative","NativeScript","NS"].indexOf(pe.product)<0),me="undefined"!=typeof WorkerGlobalScope&&self instanceof WorkerGlobalScope&&"function"==typeof self.importScripts,ve=he&&window.location.href||"http://localhost";var ge={...Object.freeze({__proto__:null,hasBrowserEnv:he,hasStandardBrowserWebWorkerEnv:me,hasStandardBrowserEnv:fe,navigator:pe,origin:ve}),...de};function we(e){function t(e,n,r,o){let i=e[o++];if("__proto__"===i)return!0;const a=Number.isFinite(+i),l=o>=e.length;if(i=!i&&K.isArray(r)?r.length:i,l)return K.hasOwnProp(r,i)?r[i]=[r[i],n]:r[i]=n,!a;r[i]&&K.isObject(r[i])||(r[i]=[]);return t(e,n,r[i],o)&&K.isArray(r[i])&&(r[i]=function(e){const t={},n=Object.keys(e);let r;const o=n.length;let i;for(r=0;r<o;r++)i=n[r],t[i]=e[i];return t}(r[i])),!a}if(K.isFormData(e)&&K.isFunction(e.entries)){const n={};return K.forEachEntry(e,((e,r)=>{t(function(e){return K.matchAll(/\w+|\[(\w*)]/g,e).map((e=>"[]"===e[0]?"":e[1]||e[0]))}(e),r,n,0)})),n}return null}const ye={transitional:ue,adapter:["xhr","http","fetch"],transformRequest:[function(e,t){const n=t.getContentType()||"",r=n.indexOf("application/json")>-1,o=K.isObject(e);o&&K.isHTMLForm(e)&&(e=new FormData(e));if(K.isFormData(e))return r?JSON.stringify(we(e)):e;if(K.isArrayBuffer(e)||K.isBuffer(e)||K.isStream(e)||K.isFile(e)||K.isBlob(e)||K.isReadableStream(e))return e;if(K.isArrayBufferView(e))return e.buffer;if(K.isURLSearchParams(e))return t.setContentType("application/x-www-form-urlencoded;charset=utf-8",!1),e.toString();let i;if(o){if(n.indexOf("application/x-www-form-urlencoded")>-1)return function(e,t){return re(e,new ge.classes.URLSearchParams,Object.assign({visitor:function(e,t,n,r){return ge.isNode&&K.isBuffer(e)?(this.append(t,e.toString("base64")),!1):r.defaultVisitor.apply(this,arguments)}},t))}(e,this.formSerializer).toString();if((i=K.isFileList(e))||n.indexOf("multipart/form-data")>-1){const t=this.env&&this.env.FormData;return re(i?{"files[]":e}:e,t&&new t,this.formSerializer)}}return o||r?(t.setContentType("application/json",!1),function(e,t,n){if(K.isString(e))try{return(t||JSON.parse)(e),K.trim(e)}catch(e){if("SyntaxError"!==e.name)throw e}return(n||JSON.stringify)(e)}(e)):e}],transformResponse:[function(e){const t=this.transitional||ye.transitional,n=t&&t.forcedJSONParsing,r="json"===this.responseType;if(K.isResponse(e)||K.isReadableStream(e))return e;if(e&&K.isString(e)&&(n&&!this.responseType||r)){const n=!(t&&t.silentJSONParsing)&&r;try{return JSON.parse(e)}catch(e){if(n){if("SyntaxError"===e.name)throw Y.from(e,Y.ERR_BAD_RESPONSE,this,null,this.response);throw e}}}return e}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,maxBodyLength:-1,env:{FormData:ge.classes.FormData,Blob:ge.classes.Blob},validateStatus:function(e){return e>=200&&e<300},headers:{common:{Accept:"application/json, text/plain, */*","Content-Type":void 0}}};K.forEach(["delete","get","head","post","put","patch"],(e=>{ye.headers[e]={}}));var be=ye;const xe=K.toObjectSet(["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"]);const ke=Symbol("internals");function Ee(e){return e&&String(e).trim().toLowerCase()}function Ae(e){return!1===e||null==e?e:K.isArray(e)?e.map(Ae):String(e)}function Ce(e,t,n,r,o){return K.isFunction(r)?r.call(this,t,n):(o&&(t=n),K.isString(t)?K.isString(r)?-1!==t.indexOf(r):K.isRegExp(r)?r.test(t):void 0:void 0)}class Be{constructor(e){e&&this.set(e)}set(e,t,n){const r=this;function o(e,t,n){const o=Ee(t);if(!o)throw new Error("header name must be a non-empty string");const i=K.findKey(r,o);(!i||void 0===r[i]||!0===n||void 0===n&&!1!==r[i])&&(r[i||t]=Ae(e))}const i=(e,t)=>K.forEach(e,((e,n)=>o(e,n,t)));if(K.isPlainObject(e)||e instanceof this.constructor)i(e,t);else if(K.isString(e)&&(e=e.trim())&&!/^[-_a-zA-Z0-9^`|~,!#$%&'*+.]+$/.test(e.trim()))i((e=>{const t={};let n,r,o;return e&&e.split("\n").forEach((function(e){o=e.indexOf(":"),n=e.substring(0,o).trim().toLowerCase(),r=e.substring(o+1).trim(),!n||t[n]&&xe[n]||("set-cookie"===n?t[n]?t[n].push(r):t[n]=[r]:t[n]=t[n]?t[n]+", "+r:r)})),t})(e),t);else if(K.isHeaders(e))for(const[t,r]of e.entries())o(r,t,n);else null!=e&&o(t,e,n);return this}get(e,t){if(e=Ee(e)){const n=K.findKey(this,e);if(n){const e=this[n];if(!t)return e;if(!0===t)return function(e){const t=Object.create(null),n=/([^\s,;=]+)\s*(?:=\s*([^,;]+))?/g;let r;for(;r=n.exec(e);)t[r[1]]=r[2];return t}(e);if(K.isFunction(t))return t.call(this,e,n);if(K.isRegExp(t))return t.exec(e);throw new TypeError("parser must be boolean|regexp|function")}}}has(e,t){if(e=Ee(e)){const n=K.findKey(this,e);return!(!n||void 0===this[n]||t&&!Ce(0,this[n],n,t))}return!1}delete(e,t){const n=this;let r=!1;function o(e){if(e=Ee(e)){const o=K.findKey(n,e);!o||t&&!Ce(0,n[o],o,t)||(delete n[o],r=!0)}}return K.isArray(e)?e.forEach(o):o(e),r}clear(e){const t=Object.keys(this);let n=t.length,r=!1;for(;n--;){const o=t[n];e&&!Ce(0,this[o],o,e,!0)||(delete this[o],r=!0)}return r}normalize(e){const t=this,n={};return K.forEach(this,((r,o)=>{const i=K.findKey(n,o);if(i)return t[i]=Ae(r),void delete t[o];const a=e?function(e){return e.trim().toLowerCase().replace(/([a-z\d])(\w*)/g,((e,t,n)=>t.toUpperCase()+n))}(o):String(o).trim();a!==o&&delete t[o],t[a]=Ae(r),n[a]=!0})),this}concat(...e){return this.constructor.concat(this,...e)}toJSON(e){const t=Object.create(null);return K.forEach(this,((n,r)=>{null!=n&&!1!==n&&(t[r]=e&&K.isArray(n)?n.join(", "):n)})),t}[Symbol.iterator](){return Object.entries(this.toJSON())[Symbol.iterator]()}toString(){return Object.entries(this.toJSON()).map((([e,t])=>e+": "+t)).join("\n")}get[Symbol.toStringTag](){return"AxiosHeaders"}static from(e){return e instanceof this?e:new this(e)}static concat(e,...t){const n=new this(e);return t.forEach((e=>n.set(e))),n}static accessor(e){const t=(this[ke]=this[ke]={accessors:{}}).accessors,n=this.prototype;function r(e){const r=Ee(e);t[r]||(!function(e,t){const n=K.toCamelCase(" "+t);["get","set","has"].forEach((r=>{Object.defineProperty(e,r+n,{value:function(e,n,o){return this[r].call(this,t,e,n,o)},configurable:!0})}))}(n,e),t[r]=!0)}return K.isArray(e)?e.forEach(r):r(e),this}}Be.accessor(["Content-Type","Content-Length","Accept","Accept-Encoding","User-Agent","Authorization"]),K.reduceDescriptors(Be.prototype,(({value:e},t)=>{let n=t[0].toUpperCase()+t.slice(1);return{get:()=>e,set(e){this[n]=e}}})),K.freezeMethods(Be);var Me=Be;function _e(e,t){const n=this||be,r=t||n,o=Me.from(r.headers);let i=r.data;return K.forEach(e,(function(e){i=e.call(n,i,o.normalize(),t?t.status:void 0)})),o.normalize(),i}function Se(e){return!(!e||!e.__CANCEL__)}function Ne(e,t,n){Y.call(this,null==e?"canceled":e,Y.ERR_CANCELED,t,n),this.name="CanceledError"}function Ve(e,t,n){const r=n.config.validateStatus;n.status&&r&&!r(n.status)?t(new Y("Request failed with status code "+n.status,[Y.ERR_BAD_REQUEST,Y.ERR_BAD_RESPONSE][Math.floor(n.status/100)-4],n.config,n.request,n)):e(n)}K.inherits(Ne,Y,{__CANCEL__:!0});const Le=(e,t,n=3)=>{let r=0;const o=function(e,t){e=e||10;const n=new Array(e),r=new Array(e);let o,i=0,a=0;return t=void 0!==t?t:1e3,function(l){const s=Date.now(),c=r[a];o||(o=s),n[i]=l,r[i]=s;let u=a,d=0;for(;u!==i;)d+=n[u++],u%=e;if(i=(i+1)%e,i===a&&(a=(a+1)%e),s-o<t)return;const h=c&&s-c;return h?Math.round(1e3*d/h):void 0}}(50,250);return function(e,t){let n,r,o=0,i=1e3/t;const a=(t,i=Date.now())=>{o=i,n=null,r&&(clearTimeout(r),r=null),e.apply(null,t)};return[(...e)=>{const t=Date.now(),l=t-o;l>=i?a(e,t):(n=e,r||(r=setTimeout((()=>{r=null,a(n)}),i-l)))},()=>n&&a(n)]}((n=>{const i=n.loaded,a=n.lengthComputable?n.total:void 0,l=i-r,s=o(l);r=i;e({loaded:i,total:a,progress:a?i/a:void 0,bytes:l,rate:s||void 0,estimated:s&&a&&i<=a?(a-i)/s:void 0,event:n,lengthComputable:null!=a,[t?"download":"upload"]:!0})}),n)},Te=(e,t)=>{const n=null!=e;return[r=>t[0]({lengthComputable:n,total:e,loaded:r}),t[1]]},Ie=e=>(...t)=>K.asap((()=>e(...t)));var Ze=ge.hasStandardBrowserEnv?((e,t)=>n=>(n=new URL(n,ge.origin),e.protocol===n.protocol&&e.host===n.host&&(t||e.port===n.port)))(new URL(ge.origin),ge.navigator&&/(msie|trident)/i.test(ge.navigator.userAgent)):()=>!0,Oe=ge.hasStandardBrowserEnv?{write(e,t,n,r,o,i){const a=[e+"="+encodeURIComponent(t)];K.isNumber(n)&&a.push("expires="+new Date(n).toGMTString()),K.isString(r)&&a.push("path="+r),K.isString(o)&&a.push("domain="+o),!0===i&&a.push("secure"),document.cookie=a.join("; ")},read(e){const t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove(e){this.write(e,"",Date.now()-864e5)}}:{write(){},read:()=>null,remove(){}};function De(e,t){return e&&!/^([a-z][a-z\d+\-.]*:)?\/\//i.test(t)?function(e,t){return t?e.replace(/\/?\/$/,"")+"/"+t.replace(/^\/+/,""):e}(e,t):t}const Re=e=>e instanceof Me?{...e}:e;function He(e,t){t=t||{};const n={};function r(e,t,n,r){return K.isPlainObject(e)&&K.isPlainObject(t)?K.merge.call({caseless:r},e,t):K.isPlainObject(t)?K.merge({},t):K.isArray(t)?t.slice():t}function o(e,t,n,o){return K.isUndefined(t)?K.isUndefined(e)?void 0:r(void 0,e,0,o):r(e,t,0,o)}function i(e,t){if(!K.isUndefined(t))return r(void 0,t)}function a(e,t){return K.isUndefined(t)?K.isUndefined(e)?void 0:r(void 0,e):r(void 0,t)}function l(n,o,i){return i in t?r(n,o):i in e?r(void 0,n):void 0}const s={url:i,method:i,data:i,baseURL:a,transformRequest:a,transformResponse:a,paramsSerializer:a,timeout:a,timeoutMessage:a,withCredentials:a,withXSRFToken:a,adapter:a,responseType:a,xsrfCookieName:a,xsrfHeaderName:a,onUploadProgress:a,onDownloadProgress:a,decompress:a,maxContentLength:a,maxBodyLength:a,beforeRedirect:a,transport:a,httpAgent:a,httpsAgent:a,cancelToken:a,socketPath:a,responseEncoding:a,validateStatus:l,headers:(e,t,n)=>o(Re(e),Re(t),0,!0)};return K.forEach(Object.keys(Object.assign({},e,t)),(function(r){const i=s[r]||o,a=i(e[r],t[r],r);K.isUndefined(a)&&i!==l||(n[r]=a)})),n}var Pe=e=>{const t=He({},e);let n,{data:r,withXSRFToken:o,xsrfHeaderName:i,xsrfCookieName:a,headers:l,auth:s}=t;if(t.headers=l=Me.from(l),t.url=se(De(t.baseURL,t.url),e.params,e.paramsSerializer),s&&l.set("Authorization","Basic "+btoa((s.username||"")+":"+(s.password?unescape(encodeURIComponent(s.password)):""))),K.isFormData(r))if(ge.hasStandardBrowserEnv||ge.hasStandardBrowserWebWorkerEnv)l.setContentType(void 0);else if(!1!==(n=l.getContentType())){const[e,...t]=n?n.split(";").map((e=>e.trim())).filter(Boolean):[];l.setContentType([e||"multipart/form-data",...t].join("; "))}if(ge.hasStandardBrowserEnv&&(o&&K.isFunction(o)&&(o=o(t)),o||!1!==o&&Ze(t.url))){const e=i&&a&&Oe.read(a);e&&l.set(i,e)}return t};var je="undefined"!=typeof XMLHttpRequest&&function(e){return new Promise((function(t,n){const r=Pe(e);let o=r.data;const i=Me.from(r.headers).normalize();let a,l,s,c,u,{responseType:d,onUploadProgress:h,onDownloadProgress:p}=r;function f(){c&&c(),u&&u(),r.cancelToken&&r.cancelToken.unsubscribe(a),r.signal&&r.signal.removeEventListener("abort",a)}let m=new XMLHttpRequest;function v(){if(!m)return;const r=Me.from("getAllResponseHeaders"in m&&m.getAllResponseHeaders());Ve((function(e){t(e),f()}),(function(e){n(e),f()}),{data:d&&"text"!==d&&"json"!==d?m.response:m.responseText,status:m.status,statusText:m.statusText,headers:r,config:e,request:m}),m=null}m.open(r.method.toUpperCase(),r.url,!0),m.timeout=r.timeout,"onloadend"in m?m.onloadend=v:m.onreadystatechange=function(){m&&4===m.readyState&&(0!==m.status||m.responseURL&&0===m.responseURL.indexOf("file:"))&&setTimeout(v)},m.onabort=function(){m&&(n(new Y("Request aborted",Y.ECONNABORTED,e,m)),m=null)},m.onerror=function(){n(new Y("Network Error",Y.ERR_NETWORK,e,m)),m=null},m.ontimeout=function(){let t=r.timeout?"timeout of "+r.timeout+"ms exceeded":"timeout exceeded";const o=r.transitional||ue;r.timeoutErrorMessage&&(t=r.timeoutErrorMessage),n(new Y(t,o.clarifyTimeoutError?Y.ETIMEDOUT:Y.ECONNABORTED,e,m)),m=null},void 0===o&&i.setContentType(null),"setRequestHeader"in m&&K.forEach(i.toJSON(),(function(e,t){m.setRequestHeader(t,e)})),K.isUndefined(r.withCredentials)||(m.withCredentials=!!r.withCredentials),d&&"json"!==d&&(m.responseType=r.responseType),p&&([s,u]=Le(p,!0),m.addEventListener("progress",s)),h&&m.upload&&([l,c]=Le(h),m.upload.addEventListener("progress",l),m.upload.addEventListener("loadend",c)),(r.cancelToken||r.signal)&&(a=t=>{m&&(n(!t||t.type?new Ne(null,e,m):t),m.abort(),m=null)},r.cancelToken&&r.cancelToken.subscribe(a),r.signal&&(r.signal.aborted?a():r.signal.addEventListener("abort",a)));const g=function(e){const t=/^([-+\w]{1,25})(:?\/\/|:)/.exec(e);return t&&t[1]||""}(r.url);g&&-1===ge.protocols.indexOf(g)?n(new Y("Unsupported protocol "+g+":",Y.ERR_BAD_REQUEST,e)):m.send(o||null)}))};var Fe=(e,t)=>{const{length:n}=e=e?e.filter(Boolean):[];if(t||n){let n,r=new AbortController;const o=function(e){if(!n){n=!0,a();const t=e instanceof Error?e:this.reason;r.abort(t instanceof Y?t:new Ne(t instanceof Error?t.message:t))}};let i=t&&setTimeout((()=>{i=null,o(new Y(`timeout ${t} of ms exceeded`,Y.ETIMEDOUT))}),t);const a=()=>{e&&(i&&clearTimeout(i),i=null,e.forEach((e=>{e.unsubscribe?e.unsubscribe(o):e.removeEventListener("abort",o)})),e=null)};e.forEach((e=>e.addEventListener("abort",o)));const{signal:l}=r;return l.unsubscribe=()=>K.asap(a),l}};const ze=function*(e,t){let n=e.byteLength;if(!t||n<t)return void(yield e);let r,o=0;for(;o<n;)r=o+t,yield e.slice(o,r),o=r},qe=async function*(e){if(e[Symbol.asyncIterator])return void(yield*e);const t=e.getReader();try{for(;;){const{done:e,value:n}=await t.read();if(e)break;yield n}}finally{await t.cancel()}},Ue=(e,t,n,r)=>{const o=async function*(e,t){for await(const n of qe(e))yield*ze(n,t)}(e,t);let i,a=0,l=e=>{i||(i=!0,r&&r(e))};return new ReadableStream({async pull(e){try{const{done:t,value:r}=await o.next();if(t)return l(),void e.close();let i=r.byteLength;if(n){let e=a+=i;n(e)}e.enqueue(new Uint8Array(r))}catch(e){throw l(e),e}},cancel:e=>(l(e),o.return())},{highWaterMark:2})},$e="function"==typeof fetch&&"function"==typeof Request&&"function"==typeof Response,We=$e&&"function"==typeof ReadableStream,Ge=$e&&("function"==typeof TextEncoder?(Ke=new TextEncoder,e=>Ke.encode(e)):async e=>new Uint8Array(await new Response(e).arrayBuffer()));var Ke;const Ye=(e,...t)=>{try{return!!e(...t)}catch(e){return!1}},Xe=We&&Ye((()=>{let e=!1;const t=new Request(ge.origin,{body:new ReadableStream,method:"POST",get duplex(){return e=!0,"half"}}).headers.has("Content-Type");return e&&!t})),Je=We&&Ye((()=>K.isReadableStream(new Response("").body))),Qe={stream:Je&&(e=>e.body)};var et;$e&&(et=new Response,["text","arrayBuffer","blob","formData","stream"].forEach((e=>{!Qe[e]&&(Qe[e]=K.isFunction(et[e])?t=>t[e]():(t,n)=>{throw new Y(`Response type '${e}' is not supported`,Y.ERR_NOT_SUPPORT,n)})})));const tt=async(e,t)=>{const n=K.toFiniteNumber(e.getContentLength());return null==n?(async e=>{if(null==e)return 0;if(K.isBlob(e))return e.size;if(K.isSpecCompliantForm(e)){const t=new Request(ge.origin,{method:"POST",body:e});return(await t.arrayBuffer()).byteLength}return K.isArrayBufferView(e)||K.isArrayBuffer(e)?e.byteLength:(K.isURLSearchParams(e)&&(e+=""),K.isString(e)?(await Ge(e)).byteLength:void 0)})(t):n};const nt={http:null,xhr:je,fetch:$e&&(async e=>{let{url:t,method:n,data:r,signal:o,cancelToken:i,timeout:a,onDownloadProgress:l,onUploadProgress:s,responseType:c,headers:u,withCredentials:d="same-origin",fetchOptions:h}=Pe(e);c=c?(c+"").toLowerCase():"text";let p,f=Fe([o,i&&i.toAbortSignal()],a);const m=f&&f.unsubscribe&&(()=>{f.unsubscribe()});let v;try{if(s&&Xe&&"get"!==n&&"head"!==n&&0!==(v=await tt(u,r))){let e,n=new Request(t,{method:"POST",body:r,duplex:"half"});if(K.isFormData(r)&&(e=n.headers.get("content-type"))&&u.setContentType(e),n.body){const[e,t]=Te(v,Le(Ie(s)));r=Ue(n.body,65536,e,t)}}K.isString(d)||(d=d?"include":"omit");const o="credentials"in Request.prototype;p=new Request(t,{...h,signal:f,method:n.toUpperCase(),headers:u.normalize().toJSON(),body:r,duplex:"half",credentials:o?d:void 0});let i=await fetch(p);const a=Je&&("stream"===c||"response"===c);if(Je&&(l||a&&m)){const e={};["status","statusText","headers"].forEach((t=>{e[t]=i[t]}));const t=K.toFiniteNumber(i.headers.get("content-length")),[n,r]=l&&Te(t,Le(Ie(l),!0))||[];i=new Response(Ue(i.body,65536,n,(()=>{r&&r(),m&&m()})),e)}c=c||"text";let g=await Qe[K.findKey(Qe,c)||"text"](i,e);return!a&&m&&m(),await new Promise(((t,n)=>{Ve(t,n,{data:g,headers:Me.from(i.headers),status:i.status,statusText:i.statusText,config:e,request:p})}))}catch(t){if(m&&m(),t&&"TypeError"===t.name&&/fetch/i.test(t.message))throw Object.assign(new Y("Network Error",Y.ERR_NETWORK,e,p),{cause:t.cause||t});throw Y.from(t,t&&t.code,e,p)}})};K.forEach(nt,((e,t)=>{if(e){try{Object.defineProperty(e,"name",{value:t})}catch(e){}Object.defineProperty(e,"adapterName",{value:t})}}));const rt=e=>`- ${e}`,ot=e=>K.isFunction(e)||null===e||!1===e;var it=e=>{e=K.isArray(e)?e:[e];const{length:t}=e;let n,r;const o={};for(let i=0;i<t;i++){let t;if(n=e[i],r=n,!ot(n)&&(r=nt[(t=String(n)).toLowerCase()],void 0===r))throw new Y(`Unknown adapter '${t}'`);if(r)break;o[t||"#"+i]=r}if(!r){const e=Object.entries(o).map((([e,t])=>`adapter ${e} `+(!1===t?"is not supported by the environment":"is not available in the build")));throw new Y("There is no suitable adapter to dispatch the request "+(t?e.length>1?"since :\n"+e.map(rt).join("\n"):" "+rt(e[0]):"as no adapter specified"),"ERR_NOT_SUPPORT")}return r};function at(e){if(e.cancelToken&&e.cancelToken.throwIfRequested(),e.signal&&e.signal.aborted)throw new Ne(null,e)}function lt(e){at(e),e.headers=Me.from(e.headers),e.data=_e.call(e,e.transformRequest),-1!==["post","put","patch"].indexOf(e.method)&&e.headers.setContentType("application/x-www-form-urlencoded",!1);return it(e.adapter||be.adapter)(e).then((function(t){return at(e),t.data=_e.call(e,e.transformResponse,t),t.headers=Me.from(t.headers),t}),(function(t){return Se(t)||(at(e),t&&t.response&&(t.response.data=_e.call(e,e.transformResponse,t.response),t.response.headers=Me.from(t.response.headers))),Promise.reject(t)}))}const st="1.7.9",ct={};["object","boolean","number","function","string","symbol"].forEach(((e,t)=>{ct[e]=function(n){return typeof n===e||"a"+(t<1?"n ":" ")+e}}));const ut={};ct.transitional=function(e,t,n){function r(e,t){return"[Axios v1.7.9] Transitional option '"+e+"'"+t+(n?". "+n:"")}return(n,o,i)=>{if(!1===e)throw new Y(r(o," has been removed"+(t?" in "+t:"")),Y.ERR_DEPRECATED);return t&&!ut[o]&&(ut[o]=!0,console.warn(r(o," has been deprecated since v"+t+" and will be removed in the near future"))),!e||e(n,o,i)}},ct.spelling=function(e){return(t,n)=>(console.warn(`${n} is likely a misspelling of ${e}`),!0)};var dt={assertOptions:function(e,t,n){if("object"!=typeof e)throw new Y("options must be an object",Y.ERR_BAD_OPTION_VALUE);const r=Object.keys(e);let o=r.length;for(;o-- >0;){const i=r[o],a=t[i];if(a){const t=e[i],n=void 0===t||a(t,i,e);if(!0!==n)throw new Y("option "+i+" must be "+n,Y.ERR_BAD_OPTION_VALUE)}else if(!0!==n)throw new Y("Unknown option "+i,Y.ERR_BAD_OPTION)}},validators:ct};const ht=dt.validators;class pt{constructor(e){this.defaults=e,this.interceptors={request:new ce,response:new ce}}async request(e,t){try{return await this._request(e,t)}catch(e){if(e instanceof Error){let t={};Error.captureStackTrace?Error.captureStackTrace(t):t=new Error;const n=t.stack?t.stack.replace(/^.+\n/,""):"";try{e.stack?n&&!String(e.stack).endsWith(n.replace(/^.+\n.+\n/,""))&&(e.stack+="\n"+n):e.stack=n}catch(e){}}throw e}}_request(e,t){"string"==typeof e?(t=t||{}).url=e:t=e||{},t=He(this.defaults,t);const{transitional:n,paramsSerializer:r,headers:o}=t;void 0!==n&&dt.assertOptions(n,{silentJSONParsing:ht.transitional(ht.boolean),forcedJSONParsing:ht.transitional(ht.boolean),clarifyTimeoutError:ht.transitional(ht.boolean)},!1),null!=r&&(K.isFunction(r)?t.paramsSerializer={serialize:r}:dt.assertOptions(r,{encode:ht.function,serialize:ht.function},!0)),dt.assertOptions(t,{baseUrl:ht.spelling("baseURL"),withXsrfToken:ht.spelling("withXSRFToken")},!0),t.method=(t.method||this.defaults.method||"get").toLowerCase();let i=o&&K.merge(o.common,o[t.method]);o&&K.forEach(["delete","get","head","post","put","patch","common"],(e=>{delete o[e]})),t.headers=Me.concat(i,o);const a=[];let l=!0;this.interceptors.request.forEach((function(e){"function"==typeof e.runWhen&&!1===e.runWhen(t)||(l=l&&e.synchronous,a.unshift(e.fulfilled,e.rejected))}));const s=[];let c;this.interceptors.response.forEach((function(e){s.push(e.fulfilled,e.rejected)}));let u,d=0;if(!l){const e=[lt.bind(this),void 0];for(e.unshift.apply(e,a),e.push.apply(e,s),u=e.length,c=Promise.resolve(t);d<u;)c=c.then(e[d++],e[d++]);return c}u=a.length;let h=t;for(d=0;d<u;){const e=a[d++],t=a[d++];try{h=e(h)}catch(e){t.call(this,e);break}}try{c=lt.call(this,h)}catch(e){return Promise.reject(e)}for(d=0,u=s.length;d<u;)c=c.then(s[d++],s[d++]);return c}getUri(e){return se(De((e=He(this.defaults,e)).baseURL,e.url),e.params,e.paramsSerializer)}}K.forEach(["delete","get","head","options"],(function(e){pt.prototype[e]=function(t,n){return this.request(He(n||{},{method:e,url:t,data:(n||{}).data}))}})),K.forEach(["post","put","patch"],(function(e){function t(t){return function(n,r,o){return this.request(He(o||{},{method:e,headers:t?{"Content-Type":"multipart/form-data"}:{},url:n,data:r}))}}pt.prototype[e]=t(),pt.prototype[e+"Form"]=t(!0)}));var ft=pt;class mt{constructor(e){if("function"!=typeof e)throw new TypeError("executor must be a function.");let t;this.promise=new Promise((function(e){t=e}));const n=this;this.promise.then((e=>{if(!n._listeners)return;let t=n._listeners.length;for(;t-- >0;)n._listeners[t](e);n._listeners=null})),this.promise.then=e=>{let t;const r=new Promise((e=>{n.subscribe(e),t=e})).then(e);return r.cancel=function(){n.unsubscribe(t)},r},e((function(e,r,o){n.reason||(n.reason=new Ne(e,r,o),t(n.reason))}))}throwIfRequested(){if(this.reason)throw this.reason}subscribe(e){this.reason?e(this.reason):this._listeners?this._listeners.push(e):this._listeners=[e]}unsubscribe(e){if(!this._listeners)return;const t=this._listeners.indexOf(e);-1!==t&&this._listeners.splice(t,1)}toAbortSignal(){const e=new AbortController,t=t=>{e.abort(t)};return this.subscribe(t),e.signal.unsubscribe=()=>this.unsubscribe(t),e.signal}static source(){let e;return{token:new mt((function(t){e=t})),cancel:e}}}var vt=mt;const gt={Continue:100,SwitchingProtocols:101,Processing:102,EarlyHints:103,Ok:200,Created:201,Accepted:202,NonAuthoritativeInformation:203,NoContent:204,ResetContent:205,PartialContent:206,MultiStatus:207,AlreadyReported:208,ImUsed:226,MultipleChoices:300,MovedPermanently:301,Found:302,SeeOther:303,NotModified:304,UseProxy:305,Unused:306,TemporaryRedirect:307,PermanentRedirect:308,BadRequest:400,Unauthorized:401,PaymentRequired:402,Forbidden:403,NotFound:404,MethodNotAllowed:405,NotAcceptable:406,ProxyAuthenticationRequired:407,RequestTimeout:408,Conflict:409,Gone:410,LengthRequired:411,PreconditionFailed:412,PayloadTooLarge:413,UriTooLong:414,UnsupportedMediaType:415,RangeNotSatisfiable:416,ExpectationFailed:417,ImATeapot:418,MisdirectedRequest:421,UnprocessableEntity:422,Locked:423,FailedDependency:424,TooEarly:425,UpgradeRequired:426,PreconditionRequired:428,TooManyRequests:429,RequestHeaderFieldsTooLarge:431,UnavailableForLegalReasons:451,InternalServerError:500,NotImplemented:501,BadGateway:502,ServiceUnavailable:503,GatewayTimeout:504,HttpVersionNotSupported:505,VariantAlsoNegotiates:506,InsufficientStorage:507,LoopDetected:508,NotExtended:510,NetworkAuthenticationRequired:511};Object.entries(gt).forEach((([e,t])=>{gt[t]=e}));var wt=gt;const yt=function e(t){const n=new ft(t),r=i(ft.prototype.request,n);return K.extend(r,ft.prototype,n,{allOwnKeys:!0}),K.extend(r,n,null,{allOwnKeys:!0}),r.create=function(n){return e(He(t,n))},r}(be);yt.Axios=ft,yt.CanceledError=Ne,yt.CancelToken=vt,yt.isCancel=Se,yt.VERSION=st,yt.toFormData=re,yt.AxiosError=Y,yt.Cancel=yt.CanceledError,yt.all=function(e){return Promise.all(e)},yt.spread=function(e){return function(t){return e.apply(null,t)}},yt.isAxiosError=function(e){return K.isObject(e)&&!0===e.isAxiosError},yt.mergeConfig=He,yt.AxiosHeaders=Me,yt.formToJSON=e=>we(K.isHTMLForm(e)?new FormData(e):e),yt.getAdapter=it,yt.HttpStatusCode=wt,yt.default=yt,e.exports=yt},72188:(e,t)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});const n={svg:"http://www.w3.org/2000/svg",xmlns:"http://www.w3.org/2000/xmlns/",xhtml:"http://www.w3.org/1999/xhtml",xlink:"http://www.w3.org/1999/xlink",ct:"http://gionkunz.github.com/chartist-js/ct"},r={"&":"&amp;","<":"&lt;",">":"&gt;",'"':"&quot;","'":"&#039;"};function o(e,t){return"number"==typeof e?e+t:e}function i(e){if("string"==typeof e){const t=/^(\d+)\s*(.*)$/g.exec(e);return{value:t?+t[1]:0,unit:(null==t?void 0:t[2])||void 0}}return{value:Number(e)}}function a(e){return String.fromCharCode(97+e%26)}const l=2221e-19;function s(e){return Math.floor(Math.log(Math.abs(e))/Math.LN10)}function c(e,t,n){return t/n.range*e}function u(e,t){const n=Math.pow(10,t||8);return Math.round(e*n)/n}function d(e){if(1===e)return e;function t(e,n){return e%n==0?n:t(n,e%n)}function n(e){return e*e+1}let r,o=2,i=2;if(e%2==0)return 2;do{o=n(o)%e,i=n(n(i))%e,r=t(Math.abs(o-i),e)}while(1===r);return r}function h(e,t,n,r){const o=(r-90)*Math.PI/180;return{x:e+n*Math.cos(o),y:t+n*Math.sin(o)}}function p(e,t,n){let r=arguments.length>3&&void 0!==arguments[3]&&arguments[3];const o={high:t.high,low:t.low,valueRange:0,oom:0,step:0,min:0,max:0,range:0,numberOfSteps:0,values:[]};o.valueRange=o.high-o.low,o.oom=s(o.valueRange),o.step=Math.pow(10,o.oom),o.min=Math.floor(o.low/o.step)*o.step,o.max=Math.ceil(o.high/o.step)*o.step,o.range=o.max-o.min,o.numberOfSteps=Math.round(o.range/o.step);const i=c(e,o.step,o)<n,a=r?d(o.range):0;if(r&&c(e,1,o)>=n)o.step=1;else if(r&&a<o.step&&c(e,a,o)>=n)o.step=a;else{let t=0;for(;;){if(i&&c(e,o.step,o)<=n)o.step*=2;else{if(i||!(c(e,o.step/2,o)>=n))break;if(o.step/=2,r&&o.step%1!=0){o.step*=2;break}}if(t++>1e3)throw new Error("Exceeded maximum number of iterations while optimizing scale step!")}}function h(e,t){return e===(e+=t)&&(e*=1+(t>0?l:-l)),e}o.step=Math.max(o.step,l);let p=o.min,f=o.max;for(;p+o.step<=o.low;)p=h(p,o.step);for(;f-o.step>=o.high;)f=h(f,-o.step);o.min=p,o.max=f,o.range=o.max-o.min;const m=[];for(let e=o.min;e<=o.max;e=h(e,o.step)){const t=u(e);t!==m[m.length-1]&&m.push(t)}return o.values=m,o}function f(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};for(var t=arguments.length,n=new Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];for(let t=0;t<n.length;t++){const r=n[t];for(const t in r){const n=r[t];e[t]="object"!=typeof n||null===n||n instanceof Array?n:f(e[t],n)}}return e}const m=e=>e;function v(e,t){return Array.from({length:e},t?(e,n)=>t(n):()=>{})}const g=(e,t)=>e+(t||0),w=(e,t)=>v(Math.max(...e.map((e=>e.length))),(n=>t(...e.map((e=>e[n])))));function y(e,t){return null!==e&&"object"==typeof e&&Reflect.has(e,t)}function b(e){return null!==e&&isFinite(e)}function x(e){return!e&&0!==e}function k(e){return b(e)?Number(e):void 0}function E(e){return!!Array.isArray(e)&&e.every(Array.isArray)}function A(e,t){let n=0;e[arguments.length>2&&void 0!==arguments[2]&&arguments[2]?"reduceRight":"reduce"](((e,r,o)=>t(r,n++,o)),void 0)}function C(e,t){const n=Array.isArray(e)?e[t]:y(e,"data")?e.data[t]:null;return y(n,"meta")?n.meta:void 0}function B(e){return null==e||"number"==typeof e&&isNaN(e)}function M(e){return Array.isArray(e)&&e.every((e=>Array.isArray(e)||y(e,"data")))}function _(e){return"object"==typeof e&&null!==e&&(Reflect.has(e,"x")||Reflect.has(e,"y"))}function S(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"y";return _(e)&&y(e,t)?k(e[t]):k(e)}function N(e,t,n){const r={high:void 0===(t={...t,...n?"x"===n?t.axisX:t.axisY:{}}).high?-Number.MAX_VALUE:+t.high,low:void 0===t.low?Number.MAX_VALUE:+t.low},o=void 0===t.high,i=void 0===t.low;return(o||i)&&function e(t){if(!B(t))if(Array.isArray(t))for(let n=0;n<t.length;n++)e(t[n]);else{const e=Number(n&&y(t,n)?t[n]:t);o&&e>r.high&&(r.high=e),i&&e<r.low&&(r.low=e)}}(e),(t.referenceValue||0===t.referenceValue)&&(r.high=Math.max(t.referenceValue,r.high),r.low=Math.min(t.referenceValue,r.low)),r.high<=r.low&&(0===r.low?r.high=1:r.low<0?r.high=0:(r.high>0||(r.high=1),r.low=0)),r}function V(e){let t,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1],r=arguments.length>2?arguments[2]:void 0,o=arguments.length>3?arguments[3]:void 0;const i={labels:(e.labels||[]).slice(),series:I(e.series,r,o)},a=i.labels.length;return E(i.series)?(t=Math.max(a,...i.series.map((e=>e.length))),i.series.forEach((e=>{e.push(...v(Math.max(0,t-e.length)))}))):t=i.series.length,i.labels.push(...v(Math.max(0,t-a),(()=>""))),n&&function(e){var t;null===(t=e.labels)||void 0===t||t.reverse(),e.series.reverse();for(const t of e.series)y(t,"data")?t.data.reverse():Array.isArray(t)&&t.reverse()}(i),i}function L(e,t){if(!B(e))return t?function(e,t){let n,r;if("object"!=typeof e){const o=k(e);"x"===t?n=o:r=o}else y(e,"x")&&(n=k(e.x)),y(e,"y")&&(r=k(e.y));if(void 0!==n||void 0!==r)return{x:n,y:r}}(e,t):k(e)}function T(e,t){return Array.isArray(e)?e.map((e=>y(e,"value")?L(e.value,t):L(e,t))):T(e.data,t)}function I(e,t,n){if(M(e))return e.map((e=>T(e,t)));const r=T(e,t);return n?r.map((e=>[e])):r}function Z(e,t,n){const r={increasingX:!1,fillHoles:!1,...n},o=[];let i=!0;for(let n=0;n<e.length;n+=2)void 0===S(t[n/2].value)?r.fillHoles||(i=!0):(r.increasingX&&n>=2&&e[n]<=e[n-2]&&(i=!0),i&&(o.push({pathCoordinates:[],valueData:[]}),i=!1),o[o.length-1].pathCoordinates.push(e[n],e[n+1]),o[o.length-1].valueData.push(t[n/2]));return o}function O(e){let t="";return null==e?e:(t="number"==typeof e?""+e:"object"==typeof e?JSON.stringify({data:e}):String(e),Object.keys(r).reduce(((e,t)=>e.replaceAll(t,r[t])),t))}class D{call(e,t){return this.svgElements.forEach((n=>Reflect.apply(n[e],n,t))),this}attr(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("attr",t)}elem(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("elem",t)}root(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("root",t)}getNode(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("getNode",t)}foreignObject(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("foreignObject",t)}text(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("text",t)}empty(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("empty",t)}remove(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("remove",t)}addClass(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("addClass",t)}removeClass(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("removeClass",t)}removeAllClasses(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("removeAllClasses",t)}animate(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("animate",t)}constructor(e){this.svgElements=[];for(let t=0;t<e.length;t++)this.svgElements.push(new P(e[t]))}}const R={easeInSine:[.47,0,.745,.715],easeOutSine:[.39,.575,.565,1],easeInOutSine:[.445,.05,.55,.95],easeInQuad:[.55,.085,.68,.53],easeOutQuad:[.25,.46,.45,.94],easeInOutQuad:[.455,.03,.515,.955],easeInCubic:[.55,.055,.675,.19],easeOutCubic:[.215,.61,.355,1],easeInOutCubic:[.645,.045,.355,1],easeInQuart:[.895,.03,.685,.22],easeOutQuart:[.165,.84,.44,1],easeInOutQuart:[.77,0,.175,1],easeInQuint:[.755,.05,.855,.06],easeOutQuint:[.23,1,.32,1],easeInOutQuint:[.86,0,.07,1],easeInExpo:[.95,.05,.795,.035],easeOutExpo:[.19,1,.22,1],easeInOutExpo:[1,0,0,1],easeInCirc:[.6,.04,.98,.335],easeOutCirc:[.075,.82,.165,1],easeInOutCirc:[.785,.135,.15,.86],easeInBack:[.6,-.28,.735,.045],easeOutBack:[.175,.885,.32,1.275],easeInOutBack:[.68,-.55,.265,1.55]};function H(e,t,n){let r=arguments.length>3&&void 0!==arguments[3]&&arguments[3],a=arguments.length>4?arguments[4]:void 0;const{easing:l,...s}=n,c={};let u,d;l&&(u=Array.isArray(l)?l:R[l]),s.begin=o(s.begin,"ms"),s.dur=o(s.dur,"ms"),u&&(s.calcMode="spline",s.keySplines=u.join(" "),s.keyTimes="0;1"),r&&(s.fill="freeze",c[t]=s.from,e.attr(c),d=i(s.begin||0).value,s.begin="indefinite");const h=e.elem("animate",{attributeName:t,...s});r&&setTimeout((()=>{try{h._node.beginElement()}catch(n){c[t]=s.to,e.attr(c),h.remove()}}),d);const p=h.getNode();a&&p.addEventListener("beginEvent",(()=>a.emit("animationBegin",{element:e,animate:p,params:n}))),p.addEventListener("endEvent",(()=>{a&&a.emit("animationEnd",{element:e,animate:p,params:n}),r&&(c[t]=s.to,e.attr(c),h.remove())}))}class P{attr(e,t){return"string"==typeof e?t?this._node.getAttributeNS(t,e):this._node.getAttribute(e):(Object.keys(e).forEach((t=>{if(void 0!==e[t])if(-1!==t.indexOf(":")){const r=t.split(":");this._node.setAttributeNS(n[r[0]],t,String(e[t]))}else this._node.setAttribute(t,String(e[t]))})),this)}elem(e,t,n){return new P(e,t,n,this,arguments.length>3&&void 0!==arguments[3]&&arguments[3])}parent(){return this._node.parentNode instanceof SVGElement?new P(this._node.parentNode):null}root(){let e=this._node;for(;"svg"!==e.nodeName&&e.parentElement;)e=e.parentElement;return new P(e)}querySelector(e){const t=this._node.querySelector(e);return t?new P(t):null}querySelectorAll(e){const t=this._node.querySelectorAll(e);return new D(t)}getNode(){return this._node}foreignObject(e,t,r){let o,i=arguments.length>3&&void 0!==arguments[3]&&arguments[3];if("string"==typeof e){const t=document.createElement("div");t.innerHTML=e,o=t.firstChild}else o=e;o instanceof Element&&o.setAttribute("xmlns",n.xmlns);const a=this.elem("foreignObject",t,r,i);return a._node.appendChild(o),a}text(e){return this._node.appendChild(document.createTextNode(e)),this}empty(){for(;this._node.firstChild;)this._node.removeChild(this._node.firstChild);return this}remove(){var e;return null===(e=this._node.parentNode)||void 0===e||e.removeChild(this._node),this.parent()}replace(e){var t;return null===(t=this._node.parentNode)||void 0===t||t.replaceChild(e._node,this._node),e}append(e){return arguments.length>1&&void 0!==arguments[1]&&arguments[1]&&this._node.firstChild?this._node.insertBefore(e._node,this._node.firstChild):this._node.appendChild(e._node),this}classes(){const e=this._node.getAttribute("class");return e?e.trim().split(/\s+/):[]}addClass(e){return this._node.setAttribute("class",this.classes().concat(e.trim().split(/\s+/)).filter((function(e,t,n){return n.indexOf(e)===t})).join(" ")),this}removeClass(e){const t=e.trim().split(/\s+/);return this._node.setAttribute("class",this.classes().filter((e=>-1===t.indexOf(e))).join(" ")),this}removeAllClasses(){return this._node.setAttribute("class",""),this}height(){return this._node.getBoundingClientRect().height}width(){return this._node.getBoundingClientRect().width}animate(e){let t=!(arguments.length>1&&void 0!==arguments[1])||arguments[1],n=arguments.length>2?arguments[2]:void 0;return Object.keys(e).forEach((r=>{const o=e[r];Array.isArray(o)?o.forEach((e=>H(this,r,e,!1,n))):H(this,r,o,t,n)})),this}constructor(e,t,r,o,i=!1){e instanceof Element?this._node=e:(this._node=document.createElementNS(n.svg,e),"svg"===e&&this.attr({"xmlns:ct":n.ct})),t&&this.attr(t),r&&this.addClass(r),o&&(i&&o._node.firstChild?o._node.insertBefore(this._node,o._node.firstChild):o._node.appendChild(this._node))}}function j(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"100%",r=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"100%",o=arguments.length>3?arguments[3]:void 0;Array.from(e.querySelectorAll("svg")).filter((e=>e.getAttributeNS(n.xmlns,"ct"))).forEach((t=>e.removeChild(t)));const i=new P("svg").attr({width:t,height:r}).attr({style:"width: ".concat(t,"; height: ").concat(r,";")});return o&&i.addClass(o),e.appendChild(i.getNode()),i}function F(e){return"number"==typeof e?{top:e,right:e,bottom:e,left:e}:void 0===e?{top:0,right:0,bottom:0,left:0}:{top:"number"==typeof e.top?e.top:0,right:"number"==typeof e.right?e.right:0,bottom:"number"==typeof e.bottom?e.bottom:0,left:"number"==typeof e.left?e.left:0}}function z(e,t){var n,r,o,a;const l=Boolean(t.axisX||t.axisY),s=(null===(n=t.axisY)||void 0===n?void 0:n.offset)||0,c=(null===(r=t.axisX)||void 0===r?void 0:r.offset)||0,u=null===(o=t.axisY)||void 0===o?void 0:o.position,d=null===(a=t.axisX)||void 0===a?void 0:a.position;let h=e.width()||i(t.width).value||0,p=e.height()||i(t.height).value||0;const f=F(t.chartPadding);h=Math.max(h,s+f.left+f.right),p=Math.max(p,c+f.top+f.bottom);const m={x1:0,x2:0,y1:0,y2:0,padding:f,width(){return this.x2-this.x1},height(){return this.y1-this.y2}};return l?("start"===d?(m.y2=f.top+c,m.y1=Math.max(p-f.bottom,m.y2+1)):(m.y2=f.top,m.y1=Math.max(p-f.bottom-c,m.y2+1)),"start"===u?(m.x1=f.left+s,m.x2=Math.max(h-f.right,m.x1+1)):(m.x1=f.left,m.x2=Math.max(h-f.right-s,m.x1+1))):(m.x1=f.left,m.x2=Math.max(h-f.right,m.x1+1),m.y2=f.top,m.y1=Math.max(p-f.bottom,m.y2+1)),m}function q(e,t,n,r,o,i,a,l){const s={["".concat(n.units.pos,"1")]:e,["".concat(n.units.pos,"2")]:e,["".concat(n.counterUnits.pos,"1")]:r,["".concat(n.counterUnits.pos,"2")]:r+o},c=i.elem("line",s,a.join(" "));l.emit("draw",{type:"grid",axis:n,index:t,group:i,element:c,...s})}function U(e,t,n,r){const o=e.elem("rect",{x:t.x1,y:t.y2,width:t.width(),height:t.height()},n,!0);r.emit("draw",{type:"gridBackground",group:e,element:o})}function $(e,t,n,r,o,i,a,l,s,c){const u={[o.units.pos]:e+a[o.units.pos],[o.counterUnits.pos]:a[o.counterUnits.pos],[o.units.len]:t,[o.counterUnits.len]:Math.max(0,i-10)},d=Math.round(u[o.units.len]),h=Math.round(u[o.counterUnits.len]),p=document.createElement("span");p.className=s.join(" "),p.style[o.units.len]=d+"px",p.style[o.counterUnits.len]=h+"px",p.textContent=String(r);const f=l.foreignObject(p,{style:"overflow: visible;",...u});c.emit("draw",{type:"label",axis:o,index:n,group:l,element:f,text:r,...u})}function W(e,t,n){let r;const o=[];function i(o){const i=r;r=f({},e),t&&t.forEach((e=>{window.matchMedia(e[0]).matches&&(r=f(r,e[1]))})),n&&o&&n.emit("optionsChanged",{previousOptions:i,currentOptions:r})}if(!window.matchMedia)throw new Error("window.matchMedia not found! Make sure you're using a polyfill.");return t&&t.forEach((e=>{const t=window.matchMedia(e[0]);t.addEventListener("change",i),o.push(t)})),i(),{removeMediaQueryListeners:function(){o.forEach((e=>e.removeEventListener("change",i)))},getCurrentOptions:()=>r}}P.Easing=R;const G={m:["x","y"],l:["x","y"],c:["x1","y1","x2","y2","x","y"],a:["rx","ry","xAr","lAf","sf","x","y"]},K={accuracy:3};function Y(e,t,n,r,o,i){const a={command:o?e.toLowerCase():e.toUpperCase(),...t,...i?{data:i}:{}};n.splice(r,0,a)}function X(e,t){e.forEach(((n,r)=>{G[n.command.toLowerCase()].forEach(((o,i)=>{t(n,o,r,i,e)}))}))}class J{static join(e){const t=new J(arguments.length>1&&void 0!==arguments[1]&&arguments[1],arguments.length>2?arguments[2]:void 0);for(let n=0;n<e.length;n++){const r=e[n];for(let e=0;e<r.pathElements.length;e++)t.pathElements.push(r.pathElements[e])}return t}position(e){return void 0!==e?(this.pos=Math.max(0,Math.min(this.pathElements.length,e)),this):this.pos}remove(e){return this.pathElements.splice(this.pos,e),this}move(e,t){let n=arguments.length>2&&void 0!==arguments[2]&&arguments[2],r=arguments.length>3?arguments[3]:void 0;return Y("M",{x:+e,y:+t},this.pathElements,this.pos++,n,r),this}line(e,t){let n=arguments.length>2&&void 0!==arguments[2]&&arguments[2],r=arguments.length>3?arguments[3]:void 0;return Y("L",{x:+e,y:+t},this.pathElements,this.pos++,n,r),this}curve(e,t,n,r,o,i){let a=arguments.length>6&&void 0!==arguments[6]&&arguments[6],l=arguments.length>7?arguments[7]:void 0;return Y("C",{x1:+e,y1:+t,x2:+n,y2:+r,x:+o,y:+i},this.pathElements,this.pos++,a,l),this}arc(e,t,n,r,o,i,a){let l=arguments.length>7&&void 0!==arguments[7]&&arguments[7],s=arguments.length>8?arguments[8]:void 0;return Y("A",{rx:e,ry:t,xAr:n,lAf:r,sf:o,x:i,y:a},this.pathElements,this.pos++,l,s),this}parse(e){const t=e.replace(/([A-Za-z])(-?[0-9])/g,"$1 $2").replace(/([0-9])([A-Za-z])/g,"$1 $2").split(/[\s,]+/).reduce(((e,t)=>(t.match(/[A-Za-z]/)&&e.push([]),e[e.length-1].push(t),e)),[]);"Z"===t[t.length-1][0].toUpperCase()&&t.pop();const n=t.map((e=>{const t=e.shift(),n=G[t.toLowerCase()];return{command:t,...n.reduce(((t,n,r)=>(t[n]=+e[r],t)),{})}}));return this.pathElements.splice(this.pos,0,...n),this.pos+=n.length,this}stringify(){const e=Math.pow(10,this.options.accuracy);return this.pathElements.reduce(((t,n)=>{const r=G[n.command.toLowerCase()].map((t=>{const r=n[t];return this.options.accuracy?Math.round(r*e)/e:r}));return t+n.command+r.join(",")}),"")+(this.close?"Z":"")}scale(e,t){return X(this.pathElements,((n,r)=>{n[r]*="x"===r[0]?e:t})),this}translate(e,t){return X(this.pathElements,((n,r)=>{n[r]+="x"===r[0]?e:t})),this}transform(e){return X(this.pathElements,((t,n,r,o,i)=>{const a=e(t,n,r,o,i);(a||0===a)&&(t[n]=a)})),this}clone(){const e=new J(arguments.length>0&&void 0!==arguments[0]&&arguments[0]||this.close);return e.pos=this.pos,e.pathElements=this.pathElements.slice().map((e=>({...e}))),e.options={...this.options},e}splitByCommand(e){const t=[new J];return this.pathElements.forEach((n=>{n.command===e.toUpperCase()&&0!==t[t.length-1].pathElements.length&&t.push(new J),t[t.length-1].pathElements.push(n)})),t}constructor(e=!1,t){this.close=e,this.pathElements=[],this.pos=0,this.options={...K,...t}}}function Q(e){const t={fillHoles:!1,...e};return function(e,n){const r=new J;let o=!0;for(let i=0;i<e.length;i+=2){const a=e[i],l=e[i+1],s=n[i/2];void 0!==S(s.value)?(o?r.move(a,l,!1,s):r.line(a,l,!1,s),o=!1):t.fillHoles||(o=!0)}return r}}function ee(e){const t={fillHoles:!1,...e};return function e(n,r){const o=Z(n,r,{fillHoles:t.fillHoles,increasingX:!0});if(o.length){if(o.length>1)return J.join(o.map((t=>e(t.pathCoordinates,t.valueData))));{if(n=o[0].pathCoordinates,r=o[0].valueData,n.length<=4)return Q()(n,r);const e=[],t=[],i=n.length/2,a=[],l=[],s=[],c=[];for(let r=0;r<i;r++)e[r]=n[2*r],t[r]=n[2*r+1];for(let n=0;n<i-1;n++)s[n]=t[n+1]-t[n],c[n]=e[n+1]-e[n],l[n]=s[n]/c[n];a[0]=l[0],a[i-1]=l[i-2];for(let e=1;e<i-1;e++)0===l[e]||0===l[e-1]||l[e-1]>0!=l[e]>0?a[e]=0:(a[e]=3*(c[e-1]+c[e])/((2*c[e]+c[e-1])/l[e-1]+(c[e]+2*c[e-1])/l[e]),isFinite(a[e])||(a[e]=0));const u=(new J).move(e[0],t[0],!1,r[0]);for(let n=0;n<i-1;n++)u.curve(e[n]+c[n]/3,t[n]+a[n]*c[n]/3,e[n+1]-c[n]/3,t[n+1]-a[n+1]*c[n]/3,e[n+1],t[n+1],!1,r[n+1]);return u}}return Q()([],[])}}var te=Object.freeze({__proto__:null,none:Q,simple:function(e){const t={divisor:2,fillHoles:!1,...e},n=1/Math.max(1,t.divisor);return function(e,r){const o=new J;let i,a=0,l=0;for(let s=0;s<e.length;s+=2){const c=e[s],u=e[s+1],d=(c-a)*n,h=r[s/2];void 0!==h.value?(void 0===i?o.move(c,u,!1,h):o.curve(a+d,l,c-d,u,c,u,!1,h),a=c,l=u,i=h):t.fillHoles||(a=l=0,i=void 0)}return o}},step:function(e){const t={postpone:!0,fillHoles:!1,...e};return function(e,n){const r=new J;let o,i=0,a=0;for(let l=0;l<e.length;l+=2){const s=e[l],c=e[l+1],u=n[l/2];void 0!==u.value?(void 0===o?r.move(s,c,!1,u):(t.postpone?r.line(s,a,!1,o):r.line(i,c,!1,u),r.line(s,c,!1,u)),i=s,a=c,o=u):t.fillHoles||(i=a=0,o=void 0)}return r}},cardinal:function(e){const t={tension:1,fillHoles:!1,...e},n=Math.min(1,Math.max(0,t.tension)),r=1-n;return function e(o,i){const a=Z(o,i,{fillHoles:t.fillHoles});if(a.length){if(a.length>1)return J.join(a.map((t=>e(t.pathCoordinates,t.valueData))));{if(o=a[0].pathCoordinates,i=a[0].valueData,o.length<=4)return Q()(o,i);const e=(new J).move(o[0],o[1],!1,i[0]),t=!1;for(let a=0,l=o.length;l-2*Number(!t)>a;a+=2){const t=[{x:+o[a-2],y:+o[a-1]},{x:+o[a],y:+o[a+1]},{x:+o[a+2],y:+o[a+3]},{x:+o[a+4],y:+o[a+5]}];l-4===a?t[3]=t[2]:a||(t[0]={x:+o[a],y:+o[a+1]}),e.curve(n*(-t[0].x+6*t[1].x+t[2].x)/6+r*t[2].x,n*(-t[0].y+6*t[1].y+t[2].y)/6+r*t[2].y,n*(t[1].x+6*t[2].x-t[3].x)/6+r*t[2].x,n*(t[1].y+6*t[2].y-t[3].y)/6+r*t[2].y,t[2].x,t[2].y,!1,i[(a+2)/2])}return e}}return Q()([],[])}},monotoneCubic:ee});class ne{on(e,t){const{allListeners:n,listeners:r}=this;"*"===e?n.add(t):(r.has(e)||r.set(e,new Set),r.get(e).add(t))}off(e,t){const{allListeners:n,listeners:r}=this;if("*"===e)t?n.delete(t):n.clear();else if(r.has(e)){const n=r.get(e);t?n.delete(t):n.clear(),n.size||r.delete(e)}}emit(e,t){const{allListeners:n,listeners:r}=this;r.has(e)&&r.get(e).forEach((e=>e(t))),n.forEach((n=>n(e,t)))}constructor(){this.listeners=new Map,this.allListeners=new Set}}const re=new WeakMap;class oe{update(e,t){let n=arguments.length>2&&void 0!==arguments[2]&&arguments[2];var r;(e&&(this.data=e||{},this.data.labels=this.data.labels||[],this.data.series=this.data.series||[],this.eventEmitter.emit("data",{type:"update",data:this.data})),t)&&(this.options=f({},n?this.options:this.defaultOptions,t),this.initializeTimeoutId||(null===(r=this.optionsProvider)||void 0===r||r.removeMediaQueryListeners(),this.optionsProvider=W(this.options,this.responsiveOptions,this.eventEmitter)));return!this.initializeTimeoutId&&this.optionsProvider&&this.createChart(this.optionsProvider.getCurrentOptions()),this}detach(){var e;this.initializeTimeoutId?window.clearTimeout(this.initializeTimeoutId):(window.removeEventListener("resize",this.resizeListener),null===(e=this.optionsProvider)||void 0===e||e.removeMediaQueryListeners());return re.delete(this.container),this}on(e,t){return this.eventEmitter.on(e,t),this}off(e,t){return this.eventEmitter.off(e,t),this}initialize(){window.addEventListener("resize",this.resizeListener),this.optionsProvider=W(this.options,this.responsiveOptions,this.eventEmitter),this.eventEmitter.on("optionsChanged",(()=>this.update())),this.options.plugins&&this.options.plugins.forEach((e=>{Array.isArray(e)?e[0](this,e[1]):e(this)})),this.eventEmitter.emit("data",{type:"initial",data:this.data}),this.createChart(this.optionsProvider.getCurrentOptions()),this.initializeTimeoutId=null}constructor(e,t,n,r,o){this.data=t,this.defaultOptions=n,this.options=r,this.responsiveOptions=o,this.eventEmitter=new ne,this.resizeListener=()=>this.update(),this.initializeTimeoutId=setTimeout((()=>this.initialize()),0);const i="string"==typeof e?document.querySelector(e):e;if(!i)throw new Error("Target element is not found");this.container=i;const a=re.get(i);a&&a.detach(),re.set(i,this)}}const ie={x:{pos:"x",len:"width",dir:"horizontal",rectStart:"x1",rectEnd:"x2",rectOffset:"y2"},y:{pos:"y",len:"height",dir:"vertical",rectStart:"y2",rectEnd:"y1",rectOffset:"x1"}};class ae{createGridAndLabels(e,t,n,r){const o="x"===this.units.pos?n.axisX:n.axisY,i=this.ticks.map(((e,t)=>this.projectValue(e,t))),a=this.ticks.map(o.labelInterpolationFnc);i.forEach(((l,s)=>{const c=a[s],u={x:0,y:0};let d;d=i[s+1]?i[s+1]-l:Math.max(this.axisLength-l,this.axisLength/this.ticks.length),""!==c&&x(c)||("x"===this.units.pos?(l=this.chartRect.x1+l,u.x=n.axisX.labelOffset.x,"start"===n.axisX.position?u.y=this.chartRect.padding.top+n.axisX.labelOffset.y+5:u.y=this.chartRect.y1+n.axisX.labelOffset.y+5):(l=this.chartRect.y1-l,u.y=n.axisY.labelOffset.y-d,"start"===n.axisY.position?u.x=this.chartRect.padding.left+n.axisY.labelOffset.x:u.x=this.chartRect.x2+n.axisY.labelOffset.x+10),o.showGrid&&q(l,s,this,this.gridOffset,this.chartRect[this.counterUnits.len](),e,[n.classNames.grid,n.classNames[this.units.dir]],r),o.showLabel&&$(l,d,s,c,this,o.offset,u,t,[n.classNames.label,n.classNames[this.units.dir],"start"===o.position?n.classNames[o.position]:n.classNames.end],r))}))}constructor(e,t,n){this.units=e,this.chartRect=t,this.ticks=n,this.counterUnits=e===ie.x?ie.y:ie.x,this.axisLength=t[this.units.rectEnd]-t[this.units.rectStart],this.gridOffset=t[this.units.rectOffset]}}class le extends ae{projectValue(e){const t=Number(S(e,this.units.pos));return this.axisLength*(t-this.bounds.min)/this.bounds.range}constructor(e,t,n,r){const o=r.highLow||N(t,r,e.pos),i=p(n[e.rectEnd]-n[e.rectStart],o,r.scaleMinSpace||20,r.onlyInteger),a={min:i.min,max:i.max};super(e,n,i.values),this.bounds=i,this.range=a}}class se extends ae{projectValue(e,t){return this.stepLength*t}constructor(e,t,n,r){const o=r.ticks||[];super(e,n,o);const i=Math.max(1,o.length-(r.stretch?1:0));this.stepLength=this.axisLength/i,this.stretch=Boolean(r.stretch)}}function ce(e,t,n){var r;if(y(e,"name")&&e.name&&(null===(r=t.series)||void 0===r?void 0:r[e.name])){const r=(null==t?void 0:t.series[e.name])[n];return void 0===r?t[n]:r}return t[n]}const ue={axisX:{offset:30,position:"end",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:m,type:void 0},axisY:{offset:40,position:"start",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:m,type:void 0,scaleMinSpace:20,onlyInteger:!1},width:void 0,height:void 0,showLine:!0,showPoint:!0,showArea:!1,areaBase:0,lineSmooth:!0,showGridBackground:!1,low:void 0,high:void 0,chartPadding:{top:15,right:15,bottom:5,left:10},fullWidth:!1,reverseData:!1,classNames:{chart:"ct-chart-line",label:"ct-label",labelGroup:"ct-labels",series:"ct-series",line:"ct-line",point:"ct-point",area:"ct-area",grid:"ct-grid",gridGroup:"ct-grids",gridBackground:"ct-grid-background",vertical:"ct-vertical",horizontal:"ct-horizontal",start:"ct-start",end:"ct-end"}};const de={axisX:{offset:30,position:"end",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:m,scaleMinSpace:30,onlyInteger:!1},axisY:{offset:40,position:"start",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:m,scaleMinSpace:20,onlyInteger:!1},width:void 0,height:void 0,high:void 0,low:void 0,referenceValue:0,chartPadding:{top:15,right:15,bottom:5,left:10},seriesBarDistance:15,stackBars:!1,stackMode:"accumulate",horizontalBars:!1,distributeSeries:!1,reverseData:!1,showGridBackground:!1,classNames:{chart:"ct-chart-bar",horizontalBars:"ct-horizontal-bars",label:"ct-label",labelGroup:"ct-labels",series:"ct-series",bar:"ct-bar",grid:"ct-grid",gridGroup:"ct-grids",gridBackground:"ct-grid-background",vertical:"ct-vertical",horizontal:"ct-horizontal",start:"ct-start",end:"ct-end"}};const he={width:void 0,height:void 0,chartPadding:5,classNames:{chartPie:"ct-chart-pie",chartDonut:"ct-chart-donut",series:"ct-series",slicePie:"ct-slice-pie",sliceDonut:"ct-slice-donut",label:"ct-label"},startAngle:0,total:void 0,donut:!1,donutWidth:60,showLabel:!0,labelOffset:0,labelPosition:"inside",labelInterpolationFnc:m,labelDirection:"neutral",ignoreEmptyValues:!1};function pe(e,t,n){const r=t.x>e.x;return r&&"explode"===n||!r&&"implode"===n?"start":r&&"implode"===n||!r&&"explode"===n?"end":"middle"}t.AutoScaleAxis=le,t.Axis=ae,t.BarChart=class extends oe{createChart(e){const{data:t}=this,n=V(t,e.reverseData,e.horizontalBars?"x":"y",!0),r=j(this.container,e.width,e.height,e.classNames.chart+(e.horizontalBars?" "+e.classNames.horizontalBars:"")),o=e.stackBars&&!0!==e.stackMode&&n.series.length?N([(i=n.series,w(i,(function(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return Array.from(t).reduce(((e,t)=>({x:e.x+(y(t,"x")?t.x:0),y:e.y+(y(t,"y")?t.y:0)})),{x:0,y:0})})))],e,e.horizontalBars?"x":"y"):N(n.series,e,e.horizontalBars?"x":"y");var i;this.svg=r;const l=r.elem("g").addClass(e.classNames.gridGroup),s=r.elem("g"),c=r.elem("g").addClass(e.classNames.labelGroup);"number"==typeof e.high&&(o.high=e.high),"number"==typeof e.low&&(o.low=e.low);const u=z(r,e);let d;const h=e.distributeSeries&&e.stackBars?n.labels.slice(0,1):n.labels;let p,f,m;e.horizontalBars?(d=f=void 0===e.axisX.type?new le(ie.x,n.series,u,{...e.axisX,highLow:o,referenceValue:0}):new e.axisX.type(ie.x,n.series,u,{...e.axisX,highLow:o,referenceValue:0}),p=m=void 0===e.axisY.type?new se(ie.y,n.series,u,{ticks:h}):new e.axisY.type(ie.y,n.series,u,e.axisY)):(p=f=void 0===e.axisX.type?new se(ie.x,n.series,u,{ticks:h}):new e.axisX.type(ie.x,n.series,u,e.axisX),d=m=void 0===e.axisY.type?new le(ie.y,n.series,u,{...e.axisY,highLow:o,referenceValue:0}):new e.axisY.type(ie.y,n.series,u,{...e.axisY,highLow:o,referenceValue:0}));const v=e.horizontalBars?u.x1+d.projectValue(0):u.y1-d.projectValue(0),g="accumulate"===e.stackMode,x="accumulate-relative"===e.stackMode,k=[],E=[];let B=k;p.createGridAndLabels(l,c,e,this.eventEmitter),d.createGridAndLabels(l,c,e,this.eventEmitter),e.showGridBackground&&U(l,u,e.classNames.gridBackground,this.eventEmitter),A(t.series,((r,o)=>{const i=o-(t.series.length-1)/2;let l;l=e.distributeSeries&&!e.stackBars?p.axisLength/n.series.length/2:e.distributeSeries&&e.stackBars?p.axisLength/2:p.axisLength/n.series[o].length/2;const c=s.elem("g"),h=y(r,"name")&&r.name,w=y(r,"className")&&r.className,A=y(r,"meta")?r.meta:void 0;h&&c.attr({"ct:series-name":h}),A&&c.attr({"ct:meta":O(A)}),c.addClass([e.classNames.series,w||"".concat(e.classNames.series,"-").concat(a(o))].join(" ")),n.series[o].forEach(((t,a)=>{const s=y(t,"x")&&t.x,h=y(t,"y")&&t.y;let w,A;w=e.distributeSeries&&!e.stackBars?o:e.distributeSeries&&e.stackBars?0:a,A=e.horizontalBars?{x:u.x1+d.projectValue(s||0,a,n.series[o]),y:u.y1-p.projectValue(h||0,w,n.series[o])}:{x:u.x1+p.projectValue(s||0,w,n.series[o]),y:u.y1-d.projectValue(h||0,a,n.series[o])},p instanceof se&&(p.stretch||(A[p.units.pos]+=l*(e.horizontalBars?-1:1)),A[p.units.pos]+=e.stackBars||e.distributeSeries?0:i*e.seriesBarDistance*(e.horizontalBars?-1:1)),x&&(B=h>=0||s>=0?k:E);const M=B[a]||v;if(B[a]=M-(v-A[p.counterUnits.pos]),void 0===t)return;const _={["".concat(p.units.pos,"1")]:A[p.units.pos],["".concat(p.units.pos,"2")]:A[p.units.pos]};e.stackBars&&(g||x||!e.stackMode)?(_["".concat(p.counterUnits.pos,"1")]=M,_["".concat(p.counterUnits.pos,"2")]=B[a]):(_["".concat(p.counterUnits.pos,"1")]=v,_["".concat(p.counterUnits.pos,"2")]=A[p.counterUnits.pos]),_.x1=Math.min(Math.max(_.x1,u.x1),u.x2),_.x2=Math.min(Math.max(_.x2,u.x1),u.x2),_.y1=Math.min(Math.max(_.y1,u.y2),u.y1),_.y2=Math.min(Math.max(_.y2,u.y2),u.y1);const S=C(r,a),N=c.elem("line",_,e.classNames.bar).attr({"ct:value":[s,h].filter(b).join(","),"ct:meta":O(S)});this.eventEmitter.emit("draw",{type:"bar",value:t,index:a,meta:S,series:r,seriesIndex:o,axisX:f,axisY:m,chartRect:u,group:c,element:N,..._})}))}),e.reverseData),this.eventEmitter.emit("created",{chartRect:u,axisX:f,axisY:m,svg:r,options:e})}constructor(e,t,n,r){super(e,t,de,f({},de,n),r),this.data=t}},t.BaseChart=oe,t.EPSILON=l,t.EventEmitter=ne,t.FixedScaleAxis=class extends ae{projectValue(e){const t=Number(S(e,this.units.pos));return this.axisLength*(t-this.range.min)/(this.range.max-this.range.min)}constructor(e,t,n,r){const o=r.highLow||N(t,r,e.pos),i=r.divisor||1,a=(r.ticks||v(i,(e=>o.low+(o.high-o.low)/i*e))).sort(((e,t)=>Number(e)-Number(t))),l={min:o.low,max:o.high};super(e,n,a),this.range=l}},t.Interpolation=te,t.LineChart=class extends oe{createChart(e){const{data:t}=this,n=V(t,e.reverseData,!0),r=j(this.container,e.width,e.height,e.classNames.chart);this.svg=r;const o=r.elem("g").addClass(e.classNames.gridGroup),i=r.elem("g"),l=r.elem("g").addClass(e.classNames.labelGroup),s=z(r,e);let c,u;c=void 0===e.axisX.type?new se(ie.x,n.series,s,{...e.axisX,ticks:n.labels,stretch:e.fullWidth}):new e.axisX.type(ie.x,n.series,s,e.axisX),u=void 0===e.axisY.type?new le(ie.y,n.series,s,{...e.axisY,high:b(e.high)?e.high:e.axisY.high,low:b(e.low)?e.low:e.axisY.low}):new e.axisY.type(ie.y,n.series,s,e.axisY),c.createGridAndLabels(o,l,e,this.eventEmitter),u.createGridAndLabels(o,l,e,this.eventEmitter),e.showGridBackground&&U(o,s,e.classNames.gridBackground,this.eventEmitter),A(t.series,((t,r)=>{const o=i.elem("g"),l=y(t,"name")&&t.name,d=y(t,"className")&&t.className,h=y(t,"meta")?t.meta:void 0;l&&o.attr({"ct:series-name":l}),h&&o.attr({"ct:meta":O(h)}),o.addClass([e.classNames.series,d||"".concat(e.classNames.series,"-").concat(a(r))].join(" "));const p=[],f=[];n.series[r].forEach(((e,o)=>{const i={x:s.x1+c.projectValue(e,o,n.series[r]),y:s.y1-u.projectValue(e,o,n.series[r])};p.push(i.x,i.y),f.push({value:e,valueIndex:o,meta:C(t,o)})}));const m={lineSmooth:ce(t,e,"lineSmooth"),showPoint:ce(t,e,"showPoint"),showLine:ce(t,e,"showLine"),showArea:ce(t,e,"showArea"),areaBase:ce(t,e,"areaBase")};let v;v="function"==typeof m.lineSmooth?m.lineSmooth:m.lineSmooth?ee():Q();const g=v(p,f);if(m.showPoint&&g.pathElements.forEach((n=>{const{data:i}=n,a=o.elem("line",{x1:n.x,y1:n.y,x2:n.x+.01,y2:n.y},e.classNames.point);if(i){let e,t;y(i.value,"x")&&(e=i.value.x),y(i.value,"y")&&(t=i.value.y),a.attr({"ct:value":[e,t].filter(b).join(","),"ct:meta":O(i.meta)})}this.eventEmitter.emit("draw",{type:"point",value:null==i?void 0:i.value,index:(null==i?void 0:i.valueIndex)||0,meta:null==i?void 0:i.meta,series:t,seriesIndex:r,axisX:c,axisY:u,group:o,element:a,x:n.x,y:n.y,chartRect:s})})),m.showLine){const i=o.elem("path",{d:g.stringify()},e.classNames.line,!0);this.eventEmitter.emit("draw",{type:"line",values:n.series[r],path:g.clone(),chartRect:s,index:r,series:t,seriesIndex:r,meta:h,axisX:c,axisY:u,group:o,element:i})}if(m.showArea&&u.range){const i=Math.max(Math.min(m.areaBase,u.range.max),u.range.min),a=s.y1-u.projectValue(i);g.splitByCommand("M").filter((e=>e.pathElements.length>1)).map((e=>{const t=e.pathElements[0],n=e.pathElements[e.pathElements.length-1];return e.clone(!0).position(0).remove(1).move(t.x,a).line(t.x,t.y).position(e.pathElements.length+1).line(n.x,a)})).forEach((i=>{const a=o.elem("path",{d:i.stringify()},e.classNames.area,!0);this.eventEmitter.emit("draw",{type:"area",values:n.series[r],path:i.clone(),series:t,seriesIndex:r,axisX:c,axisY:u,chartRect:s,index:r,group:o,element:a,meta:h})}))}}),e.reverseData),this.eventEmitter.emit("created",{chartRect:s,axisX:c,axisY:u,svg:r,options:e})}constructor(e,t,n,r){super(e,t,ue,f({},ue,n),r),this.data=t}},t.PieChart=class extends oe{createChart(e){const{data:t}=this,n=V(t),r=[];let o,l,s=e.startAngle;const c=j(this.container,e.width,e.height,e.donut?e.classNames.chartDonut:e.classNames.chartPie);this.svg=c;const u=z(c,e);let d=Math.min(u.width()/2,u.height()/2);const p=e.total||n.series.reduce(g,0),f=i(e.donutWidth);"%"===f.unit&&(f.value*=d/100),d-=e.donut?f.value/2:0,l="outside"===e.labelPosition||e.donut?d:"center"===e.labelPosition?0:d/2,e.labelOffset&&(l+=e.labelOffset);const m={x:u.x1+u.width()/2,y:u.y2+u.height()/2},v=1===t.series.filter((e=>y(e,"value")?0!==e.value:0!==e)).length;t.series.forEach(((e,t)=>r[t]=c.elem("g"))),e.showLabel&&(o=c.elem("g")),t.series.forEach(((i,c)=>{var g,w;if(0===n.series[c]&&e.ignoreEmptyValues)return;const b=y(i,"name")&&i.name,k=y(i,"className")&&i.className,E=y(i,"meta")?i.meta:void 0;b&&r[c].attr({"ct:series-name":b}),r[c].addClass([null===(g=e.classNames)||void 0===g?void 0:g.series,k||"".concat(null===(w=e.classNames)||void 0===w?void 0:w.series,"-").concat(a(c))].join(" "));let A=p>0?s+n.series[c]/p*360:0;const C=Math.max(0,s-(0===c||v?0:.2));A-C>=359.99&&(A=C+359.99);const B=h(m.x,m.y,d,C),M=h(m.x,m.y,d,A),_=new J(!e.donut).move(M.x,M.y).arc(d,d,0,Number(A-s>180),0,B.x,B.y);e.donut||_.line(m.x,m.y);const S=r[c].elem("path",{d:_.stringify()},e.donut?e.classNames.sliceDonut:e.classNames.slicePie);if(S.attr({"ct:value":n.series[c],"ct:meta":O(E)}),e.donut&&S.attr({style:"stroke-width: "+f.value+"px"}),this.eventEmitter.emit("draw",{type:"slice",value:n.series[c],totalDataSum:p,index:c,meta:E,series:i,group:r[c],element:S,path:_.clone(),center:m,radius:d,startAngle:s,endAngle:A,chartRect:u}),e.showLabel){let r,a;r=1===t.series.length?{x:m.x,y:m.y}:h(m.x,m.y,l,s+(A-s)/2),a=n.labels&&!x(n.labels[c])?n.labels[c]:n.series[c];const d=e.labelInterpolationFnc(a,c);if(d||0===d){const t=o.elem("text",{dx:r.x,dy:r.y,"text-anchor":pe(m,r,e.labelDirection)},e.classNames.label).text(String(d));this.eventEmitter.emit("draw",{type:"label",index:c,group:o,element:t,text:""+d,chartRect:u,series:i,meta:E,...r})}}s=A})),this.eventEmitter.emit("created",{chartRect:u,svg:c,options:e})}constructor(e,t,n,r){super(e,t,he,f({},he,n),r),this.data=t}},t.StepAxis=se,t.Svg=P,t.SvgList=D,t.SvgPath=J,t.alphaNumerate=a,t.axisUnits=ie,t.createChartRect=z,t.createGrid=q,t.createGridBackground=U,t.createLabel=$,t.createSvg=j,t.deserialize=function(e){if("string"!=typeof e)return e;if("NaN"===e)return NaN;let t=e=Object.keys(r).reduce(((e,t)=>e.replaceAll(r[t],t)),e);if("string"==typeof e)try{t=JSON.parse(e),t=void 0!==t.data?t.data:t}catch(e){}return t},t.determineAnchorPosition=pe,t.each=A,t.easings=R,t.ensureUnit=o,t.escapingMap=r,t.extend=f,t.getBounds=p,t.getHighLow=N,t.getMetaData=C,t.getMultiValue=S,t.getNumberOrUndefined=k,t.getSeriesOption=ce,t.isArrayOfArrays=E,t.isArrayOfSeries=M,t.isDataHoleValue=B,t.isFalseyButZero=x,t.isMultiValue=_,t.isNumeric=b,t.namespaces=n,t.noop=m,t.normalizeData=V,t.normalizePadding=F,t.optionsProvider=W,t.orderOfMagnitude=s,t.polarToCartesian=h,t.precision=8,t.projectLength=c,t.quantity=i,t.rho=d,t.roundWithPrecision=u,t.safeHasProperty=y,t.serialMap=w,t.serialize=O,t.splitIntoSegments=Z,t.sum=g,t.times=v},95361:(e,t,n)=>{"use strict";n.d(t,{BN:()=>d,Ej:()=>h,RK:()=>s,UE:()=>l,UU:()=>c,cY:()=>u,rD:()=>i});var r=n(97193);function o(e,t,n){let{reference:o,floating:i}=e;const a=(0,r.TV)(t),l=(0,r.Dz)(t),s=(0,r.sq)(l),c=(0,r.C0)(t),u="y"===a,d=o.x+o.width/2-i.width/2,h=o.y+o.height/2-i.height/2,p=o[s]/2-i[s]/2;let f;switch(c){case"top":f={x:d,y:o.y-i.height};break;case"bottom":f={x:d,y:o.y+o.height};break;case"right":f={x:o.x+o.width,y:h};break;case"left":f={x:o.x-i.width,y:h};break;default:f={x:o.x,y:o.y}}switch((0,r.Sg)(t)){case"start":f[l]-=p*(n&&u?-1:1);break;case"end":f[l]+=p*(n&&u?-1:1)}return f}const i=async(e,t,n)=>{const{placement:r="bottom",strategy:i="absolute",middleware:a=[],platform:l}=n,s=a.filter(Boolean),c=await(null==l.isRTL?void 0:l.isRTL(t));let u=await l.getElementRects({reference:e,floating:t,strategy:i}),{x:d,y:h}=o(u,r,c),p=r,f={},m=0;for(let n=0;n<s.length;n++){const{name:a,fn:v}=s[n],{x:g,y:w,data:y,reset:b}=await v({x:d,y:h,initialPlacement:r,placement:p,strategy:i,middlewareData:f,rects:u,platform:l,elements:{reference:e,floating:t}});d=null!=g?g:d,h=null!=w?w:h,f={...f,[a]:{...f[a],...y}},b&&m<=50&&(m++,"object"==typeof b&&(b.placement&&(p=b.placement),b.rects&&(u=!0===b.rects?await l.getElementRects({reference:e,floating:t,strategy:i}):b.rects),({x:d,y:h}=o(u,p,c))),n=-1)}return{x:d,y:h,placement:p,strategy:i,middlewareData:f}};async function a(e,t){var n;void 0===t&&(t={});const{x:o,y:i,platform:a,rects:l,elements:s,strategy:c}=e,{boundary:u="clippingAncestors",rootBoundary:d="viewport",elementContext:h="floating",altBoundary:p=!1,padding:f=0}=(0,r._3)(t,e),m=(0,r.nI)(f),v=s[p?"floating"===h?"reference":"floating":h],g=(0,r.B1)(await a.getClippingRect({element:null==(n=await(null==a.isElement?void 0:a.isElement(v)))||n?v:v.contextElement||await(null==a.getDocumentElement?void 0:a.getDocumentElement(s.floating)),boundary:u,rootBoundary:d,strategy:c})),w="floating"===h?{x:o,y:i,width:l.floating.width,height:l.floating.height}:l.reference,y=await(null==a.getOffsetParent?void 0:a.getOffsetParent(s.floating)),b=await(null==a.isElement?void 0:a.isElement(y))&&await(null==a.getScale?void 0:a.getScale(y))||{x:1,y:1},x=(0,r.B1)(a.convertOffsetParentRelativeRectToViewportRelativeRect?await a.convertOffsetParentRelativeRectToViewportRelativeRect({elements:s,rect:w,offsetParent:y,strategy:c}):w);return{top:(g.top-x.top+m.top)/b.y,bottom:(x.bottom-g.bottom+m.bottom)/b.y,left:(g.left-x.left+m.left)/b.x,right:(x.right-g.right+m.right)/b.x}}const l=e=>({name:"arrow",options:e,async fn(t){const{x:n,y:o,placement:i,rects:a,platform:l,elements:s,middlewareData:c}=t,{element:u,padding:d=0}=(0,r._3)(e,t)||{};if(null==u)return{};const h=(0,r.nI)(d),p={x:n,y:o},f=(0,r.Dz)(i),m=(0,r.sq)(f),v=await l.getDimensions(u),g="y"===f,w=g?"top":"left",y=g?"bottom":"right",b=g?"clientHeight":"clientWidth",x=a.reference[m]+a.reference[f]-p[f]-a.floating[m],k=p[f]-a.reference[f],E=await(null==l.getOffsetParent?void 0:l.getOffsetParent(u));let A=E?E[b]:0;A&&await(null==l.isElement?void 0:l.isElement(E))||(A=s.floating[b]||a.floating[m]);const C=x/2-k/2,B=A/2-v[m]/2-1,M=(0,r.jk)(h[w],B),_=(0,r.jk)(h[y],B),S=M,N=A-v[m]-_,V=A/2-v[m]/2+C,L=(0,r.qE)(S,V,N),T=!c.arrow&&null!=(0,r.Sg)(i)&&V!==L&&a.reference[m]/2-(V<S?M:_)-v[m]/2<0,I=T?V<S?V-S:V-N:0;return{[f]:p[f]+I,data:{[f]:L,centerOffset:V-L-I,...T&&{alignmentOffset:I}},reset:T}}});const s=function(e){return void 0===e&&(e={}),{name:"autoPlacement",options:e,async fn(t){var n,o,i;const{rects:l,middlewareData:s,placement:c,platform:u,elements:d}=t,{crossAxis:h=!1,alignment:p,allowedPlacements:f=r.DD,autoAlignment:m=!0,...v}=(0,r._3)(e,t),g=void 0!==p||f===r.DD?function(e,t,n){return(e?[...n.filter((t=>(0,r.Sg)(t)===e)),...n.filter((t=>(0,r.Sg)(t)!==e))]:n.filter((e=>(0,r.C0)(e)===e))).filter((n=>!e||(0,r.Sg)(n)===e||!!t&&(0,r.aD)(n)!==n))}(p||null,m,f):f,w=await a(t,v),y=(null==(n=s.autoPlacement)?void 0:n.index)||0,b=g[y];if(null==b)return{};const x=(0,r.w7)(b,l,await(null==u.isRTL?void 0:u.isRTL(d.floating)));if(c!==b)return{reset:{placement:g[0]}};const k=[w[(0,r.C0)(b)],w[x[0]],w[x[1]]],E=[...(null==(o=s.autoPlacement)?void 0:o.overflows)||[],{placement:b,overflows:k}],A=g[y+1];if(A)return{data:{index:y+1,overflows:E},reset:{placement:A}};const C=E.map((e=>{const t=(0,r.Sg)(e.placement);return[e.placement,t&&h?e.overflows.slice(0,2).reduce(((e,t)=>e+t),0):e.overflows[0],e.overflows]})).sort(((e,t)=>e[1]-t[1])),B=(null==(i=C.filter((e=>e[2].slice(0,(0,r.Sg)(e[0])?2:3).every((e=>e<=0))))[0])?void 0:i[0])||C[0][0];return B!==c?{data:{index:y+1,overflows:E},reset:{placement:B}}:{}}}},c=function(e){return void 0===e&&(e={}),{name:"flip",options:e,async fn(t){var n,o;const{placement:i,middlewareData:l,rects:s,initialPlacement:c,platform:u,elements:d}=t,{mainAxis:h=!0,crossAxis:p=!0,fallbackPlacements:f,fallbackStrategy:m="bestFit",fallbackAxisSideDirection:v="none",flipAlignment:g=!0,...w}=(0,r._3)(e,t);if(null!=(n=l.arrow)&&n.alignmentOffset)return{};const y=(0,r.C0)(i),b=(0,r.TV)(c),x=(0,r.C0)(c)===c,k=await(null==u.isRTL?void 0:u.isRTL(d.floating)),E=f||(x||!g?[(0,r.bV)(c)]:(0,r.WJ)(c)),A="none"!==v;!f&&A&&E.push(...(0,r.lP)(c,g,v,k));const C=[c,...E],B=await a(t,w),M=[];let _=(null==(o=l.flip)?void 0:o.overflows)||[];if(h&&M.push(B[y]),p){const e=(0,r.w7)(i,s,k);M.push(B[e[0]],B[e[1]])}if(_=[..._,{placement:i,overflows:M}],!M.every((e=>e<=0))){var S,N;const e=((null==(S=l.flip)?void 0:S.index)||0)+1,t=C[e];if(t)return{data:{index:e,overflows:_},reset:{placement:t}};let n=null==(N=_.filter((e=>e.overflows[0]<=0)).sort(((e,t)=>e.overflows[1]-t.overflows[1]))[0])?void 0:N.placement;if(!n)switch(m){case"bestFit":{var V;const e=null==(V=_.filter((e=>{if(A){const t=(0,r.TV)(e.placement);return t===b||"y"===t}return!0})).map((e=>[e.placement,e.overflows.filter((e=>e>0)).reduce(((e,t)=>e+t),0)])).sort(((e,t)=>e[1]-t[1]))[0])?void 0:V[0];e&&(n=e);break}case"initialPlacement":n=c}if(i!==n)return{reset:{placement:n}}}return{}}}};const u=function(e){return void 0===e&&(e=0),{name:"offset",options:e,async fn(t){var n,o;const{x:i,y:a,placement:l,middlewareData:s}=t,c=await async function(e,t){const{placement:n,platform:o,elements:i}=e,a=await(null==o.isRTL?void 0:o.isRTL(i.floating)),l=(0,r.C0)(n),s=(0,r.Sg)(n),c="y"===(0,r.TV)(n),u=["left","top"].includes(l)?-1:1,d=a&&c?-1:1,h=(0,r._3)(t,e);let{mainAxis:p,crossAxis:f,alignmentAxis:m}="number"==typeof h?{mainAxis:h,crossAxis:0,alignmentAxis:null}:{mainAxis:h.mainAxis||0,crossAxis:h.crossAxis||0,alignmentAxis:h.alignmentAxis};return s&&"number"==typeof m&&(f="end"===s?-1*m:m),c?{x:f*d,y:p*u}:{x:p*u,y:f*d}}(t,e);return l===(null==(n=s.offset)?void 0:n.placement)&&null!=(o=s.arrow)&&o.alignmentOffset?{}:{x:i+c.x,y:a+c.y,data:{...c,placement:l}}}}},d=function(e){return void 0===e&&(e={}),{name:"shift",options:e,async fn(t){const{x:n,y:o,placement:i}=t,{mainAxis:l=!0,crossAxis:s=!1,limiter:c={fn:e=>{let{x:t,y:n}=e;return{x:t,y:n}}},...u}=(0,r._3)(e,t),d={x:n,y:o},h=await a(t,u),p=(0,r.TV)((0,r.C0)(i)),f=(0,r.PG)(p);let m=d[f],v=d[p];if(l){const e="y"===f?"bottom":"right",t=m+h["y"===f?"top":"left"],n=m-h[e];m=(0,r.qE)(t,m,n)}if(s){const e="y"===p?"bottom":"right",t=v+h["y"===p?"top":"left"],n=v-h[e];v=(0,r.qE)(t,v,n)}const g=c.fn({...t,[f]:m,[p]:v});return{...g,data:{x:g.x-n,y:g.y-o,enabled:{[f]:l,[p]:s}}}}}},h=function(e){return void 0===e&&(e={}),{name:"size",options:e,async fn(t){var n,o;const{placement:i,rects:l,platform:s,elements:c}=t,{apply:u=()=>{},...d}=(0,r._3)(e,t),h=await a(t,d),p=(0,r.C0)(i),f=(0,r.Sg)(i),m="y"===(0,r.TV)(i),{width:v,height:g}=l.floating;let w,y;"top"===p||"bottom"===p?(w=p,y=f===(await(null==s.isRTL?void 0:s.isRTL(c.floating))?"start":"end")?"left":"right"):(y=p,w="end"===f?"top":"bottom");const b=g-h.top-h.bottom,x=v-h.left-h.right,k=(0,r.jk)(g-h[w],b),E=(0,r.jk)(v-h[y],x),A=!t.middlewareData.shift;let C=k,B=E;if(null!=(n=t.middlewareData.shift)&&n.enabled.x&&(B=x),null!=(o=t.middlewareData.shift)&&o.enabled.y&&(C=b),A&&!f){const e=(0,r.T9)(h.left,0),t=(0,r.T9)(h.right,0),n=(0,r.T9)(h.top,0),o=(0,r.T9)(h.bottom,0);m?B=v-2*(0!==e||0!==t?e+t:(0,r.T9)(h.left,h.right)):C=g-2*(0!==n||0!==o?n+o:(0,r.T9)(h.top,h.bottom))}await u({...t,availableWidth:B,availableHeight:C});const M=await s.getDimensions(c.floating);return v!==M.width||g!==M.height?{reset:{rects:!0}}:{}}}}},18491:(e,t,n)=>{"use strict";n.d(t,{BN:()=>A,Ej:()=>B,UU:()=>C,cY:()=>E,ll:()=>k,rD:()=>M});var r=n(97193),o=n(95361),i=n(86635);function a(e){const t=(0,i.L9)(e);let n=parseFloat(t.width)||0,o=parseFloat(t.height)||0;const a=(0,i.sb)(e),l=a?e.offsetWidth:n,s=a?e.offsetHeight:o,c=(0,r.LI)(n)!==l||(0,r.LI)(o)!==s;return c&&(n=l,o=s),{width:n,height:o,$:c}}function l(e){return(0,i.vq)(e)?e:e.contextElement}function s(e){const t=l(e);if(!(0,i.sb)(t))return(0,r.Jx)(1);const n=t.getBoundingClientRect(),{width:o,height:s,$:c}=a(t);let u=(c?(0,r.LI)(n.width):n.width)/o,d=(c?(0,r.LI)(n.height):n.height)/s;return u&&Number.isFinite(u)||(u=1),d&&Number.isFinite(d)||(d=1),{x:u,y:d}}const c=(0,r.Jx)(0);function u(e){const t=(0,i.zk)(e);return(0,i.Tc)()&&t.visualViewport?{x:t.visualViewport.offsetLeft,y:t.visualViewport.offsetTop}:c}function d(e,t,n,o){void 0===t&&(t=!1),void 0===n&&(n=!1);const a=e.getBoundingClientRect(),c=l(e);let d=(0,r.Jx)(1);t&&(o?(0,i.vq)(o)&&(d=s(o)):d=s(e));const h=function(e,t,n){return void 0===t&&(t=!1),!(!n||t&&n!==(0,i.zk)(e))&&t}(c,n,o)?u(c):(0,r.Jx)(0);let p=(a.left+h.x)/d.x,f=(a.top+h.y)/d.y,m=a.width/d.x,v=a.height/d.y;if(c){const e=(0,i.zk)(c),t=o&&(0,i.vq)(o)?(0,i.zk)(o):o;let n=e,r=(0,i._m)(n);for(;r&&o&&t!==n;){const e=s(r),t=r.getBoundingClientRect(),o=(0,i.L9)(r),a=t.left+(r.clientLeft+parseFloat(o.paddingLeft))*e.x,l=t.top+(r.clientTop+parseFloat(o.paddingTop))*e.y;p*=e.x,f*=e.y,m*=e.x,v*=e.y,p+=a,f+=l,n=(0,i.zk)(r),r=(0,i._m)(n)}}return(0,r.B1)({width:m,height:v,x:p,y:f})}function h(e,t){const n=(0,i.CP)(e).scrollLeft;return t?t.left+n:d((0,i.ep)(e)).left+n}function p(e,t,n){void 0===n&&(n=!1);const r=e.getBoundingClientRect();return{x:r.left+t.scrollLeft-(n?0:h(e,r)),y:r.top+t.scrollTop}}function f(e,t,n){let o;if("viewport"===t)o=function(e,t){const n=(0,i.zk)(e),r=(0,i.ep)(e),o=n.visualViewport;let a=r.clientWidth,l=r.clientHeight,s=0,c=0;if(o){a=o.width,l=o.height;const e=(0,i.Tc)();(!e||e&&"fixed"===t)&&(s=o.offsetLeft,c=o.offsetTop)}return{width:a,height:l,x:s,y:c}}(e,n);else if("document"===t)o=function(e){const t=(0,i.ep)(e),n=(0,i.CP)(e),o=e.ownerDocument.body,a=(0,r.T9)(t.scrollWidth,t.clientWidth,o.scrollWidth,o.clientWidth),l=(0,r.T9)(t.scrollHeight,t.clientHeight,o.scrollHeight,o.clientHeight);let s=-n.scrollLeft+h(e);const c=-n.scrollTop;return"rtl"===(0,i.L9)(o).direction&&(s+=(0,r.T9)(t.clientWidth,o.clientWidth)-a),{width:a,height:l,x:s,y:c}}((0,i.ep)(e));else if((0,i.vq)(t))o=function(e,t){const n=d(e,!0,"fixed"===t),o=n.top+e.clientTop,a=n.left+e.clientLeft,l=(0,i.sb)(e)?s(e):(0,r.Jx)(1);return{width:e.clientWidth*l.x,height:e.clientHeight*l.y,x:a*l.x,y:o*l.y}}(t,n);else{const n=u(e);o={x:t.x-n.x,y:t.y-n.y,width:t.width,height:t.height}}return(0,r.B1)(o)}function m(e,t){const n=(0,i.$4)(e);return!(n===t||!(0,i.vq)(n)||(0,i.eu)(n))&&("fixed"===(0,i.L9)(n).position||m(n,t))}function v(e,t,n){const o=(0,i.sb)(t),a=(0,i.ep)(t),l="fixed"===n,s=d(e,!0,l,t);let c={scrollLeft:0,scrollTop:0};const u=(0,r.Jx)(0);if(o||!o&&!l)if(("body"!==(0,i.mq)(t)||(0,i.ZU)(a))&&(c=(0,i.CP)(t)),o){const e=d(t,!0,l,t);u.x=e.x+t.clientLeft,u.y=e.y+t.clientTop}else a&&(u.x=h(a));const f=!a||o||l?(0,r.Jx)(0):p(a,c);return{x:s.left+c.scrollLeft-u.x-f.x,y:s.top+c.scrollTop-u.y-f.y,width:s.width,height:s.height}}function g(e){return"static"===(0,i.L9)(e).position}function w(e,t){if(!(0,i.sb)(e)||"fixed"===(0,i.L9)(e).position)return null;if(t)return t(e);let n=e.offsetParent;return(0,i.ep)(e)===n&&(n=n.ownerDocument.body),n}function y(e,t){const n=(0,i.zk)(e);if((0,i.Tf)(e))return n;if(!(0,i.sb)(e)){let t=(0,i.$4)(e);for(;t&&!(0,i.eu)(t);){if((0,i.vq)(t)&&!g(t))return t;t=(0,i.$4)(t)}return n}let r=w(e,t);for(;r&&(0,i.Lv)(r)&&g(r);)r=w(r,t);return r&&(0,i.eu)(r)&&g(r)&&!(0,i.sQ)(r)?n:r||(0,i.gJ)(e)||n}const b={convertOffsetParentRelativeRectToViewportRelativeRect:function(e){let{elements:t,rect:n,offsetParent:o,strategy:a}=e;const l="fixed"===a,c=(0,i.ep)(o),u=!!t&&(0,i.Tf)(t.floating);if(o===c||u&&l)return n;let h={scrollLeft:0,scrollTop:0},f=(0,r.Jx)(1);const m=(0,r.Jx)(0),v=(0,i.sb)(o);if((v||!v&&!l)&&(("body"!==(0,i.mq)(o)||(0,i.ZU)(c))&&(h=(0,i.CP)(o)),(0,i.sb)(o))){const e=d(o);f=s(o),m.x=e.x+o.clientLeft,m.y=e.y+o.clientTop}const g=!c||v||l?(0,r.Jx)(0):p(c,h,!0);return{width:n.width*f.x,height:n.height*f.y,x:n.x*f.x-h.scrollLeft*f.x+m.x+g.x,y:n.y*f.y-h.scrollTop*f.y+m.y+g.y}},getDocumentElement:i.ep,getClippingRect:function(e){let{element:t,boundary:n,rootBoundary:o,strategy:a}=e;const l=[..."clippingAncestors"===n?(0,i.Tf)(t)?[]:function(e,t){const n=t.get(e);if(n)return n;let r=(0,i.v9)(e,[],!1).filter((e=>(0,i.vq)(e)&&"body"!==(0,i.mq)(e))),o=null;const a="fixed"===(0,i.L9)(e).position;let l=a?(0,i.$4)(e):e;for(;(0,i.vq)(l)&&!(0,i.eu)(l);){const t=(0,i.L9)(l),n=(0,i.sQ)(l);n||"fixed"!==t.position||(o=null),(a?!n&&!o:!n&&"static"===t.position&&o&&["absolute","fixed"].includes(o.position)||(0,i.ZU)(l)&&!n&&m(e,l))?r=r.filter((e=>e!==l)):o=t,l=(0,i.$4)(l)}return t.set(e,r),r}(t,this._c):[].concat(n),o],s=l[0],c=l.reduce(((e,n)=>{const o=f(t,n,a);return e.top=(0,r.T9)(o.top,e.top),e.right=(0,r.jk)(o.right,e.right),e.bottom=(0,r.jk)(o.bottom,e.bottom),e.left=(0,r.T9)(o.left,e.left),e}),f(t,s,a));return{width:c.right-c.left,height:c.bottom-c.top,x:c.left,y:c.top}},getOffsetParent:y,getElementRects:async function(e){const t=this.getOffsetParent||y,n=this.getDimensions,r=await n(e.floating);return{reference:v(e.reference,await t(e.floating),e.strategy),floating:{x:0,y:0,width:r.width,height:r.height}}},getClientRects:function(e){return Array.from(e.getClientRects())},getDimensions:function(e){const{width:t,height:n}=a(e);return{width:t,height:n}},getScale:s,isElement:i.vq,isRTL:function(e){return"rtl"===(0,i.L9)(e).direction}};function x(e,t){return e.x===t.x&&e.y===t.y&&e.width===t.width&&e.height===t.height}function k(e,t,n,o){void 0===o&&(o={});const{ancestorScroll:a=!0,ancestorResize:s=!0,elementResize:c="function"==typeof ResizeObserver,layoutShift:u="function"==typeof IntersectionObserver,animationFrame:h=!1}=o,p=l(e),f=a||s?[...p?(0,i.v9)(p):[],...(0,i.v9)(t)]:[];f.forEach((e=>{a&&e.addEventListener("scroll",n,{passive:!0}),s&&e.addEventListener("resize",n)}));const m=p&&u?function(e,t){let n,o=null;const a=(0,i.ep)(e);function l(){var e;clearTimeout(n),null==(e=o)||e.disconnect(),o=null}return function i(s,c){void 0===s&&(s=!1),void 0===c&&(c=1),l();const u=e.getBoundingClientRect(),{left:d,top:h,width:p,height:f}=u;if(s||t(),!p||!f)return;const m={rootMargin:-(0,r.RI)(h)+"px "+-(0,r.RI)(a.clientWidth-(d+p))+"px "+-(0,r.RI)(a.clientHeight-(h+f))+"px "+-(0,r.RI)(d)+"px",threshold:(0,r.T9)(0,(0,r.jk)(1,c))||1};let v=!0;function g(t){const r=t[0].intersectionRatio;if(r!==c){if(!v)return i();r?i(!1,r):n=setTimeout((()=>{i(!1,1e-7)}),1e3)}1!==r||x(u,e.getBoundingClientRect())||i(),v=!1}try{o=new IntersectionObserver(g,{...m,root:a.ownerDocument})}catch(e){o=new IntersectionObserver(g,m)}o.observe(e)}(!0),l}(p,n):null;let v,g=-1,w=null;c&&(w=new ResizeObserver((e=>{let[r]=e;r&&r.target===p&&w&&(w.unobserve(t),cancelAnimationFrame(g),g=requestAnimationFrame((()=>{var e;null==(e=w)||e.observe(t)}))),n()})),p&&!h&&w.observe(p),w.observe(t));let y=h?d(e):null;return h&&function t(){const r=d(e);y&&!x(y,r)&&n();y=r,v=requestAnimationFrame(t)}(),n(),()=>{var e;f.forEach((e=>{a&&e.removeEventListener("scroll",n),s&&e.removeEventListener("resize",n)})),null==m||m(),null==(e=w)||e.disconnect(),w=null,h&&cancelAnimationFrame(v)}}const E=o.cY,A=o.BN,C=o.UU,B=o.Ej,M=(e,t,n)=>{const r=new Map,i={platform:b,...n},a={...i.platform,_c:r};return(0,o.rD)(e,t,{...i,platform:a})}},86635:(e,t,n)=>{"use strict";function r(){return"undefined"!=typeof window}function o(e){return l(e)?(e.nodeName||"").toLowerCase():"#document"}function i(e){var t;return(null==e||null==(t=e.ownerDocument)?void 0:t.defaultView)||window}function a(e){var t;return null==(t=(l(e)?e.ownerDocument:e.document)||window.document)?void 0:t.documentElement}function l(e){return!!r()&&(e instanceof Node||e instanceof i(e).Node)}function s(e){return!!r()&&(e instanceof Element||e instanceof i(e).Element)}function c(e){return!!r()&&(e instanceof HTMLElement||e instanceof i(e).HTMLElement)}function u(e){return!(!r()||"undefined"==typeof ShadowRoot)&&(e instanceof ShadowRoot||e instanceof i(e).ShadowRoot)}function d(e){const{overflow:t,overflowX:n,overflowY:r,display:o}=w(e);return/auto|scroll|overlay|hidden|clip/.test(t+r+n)&&!["inline","contents"].includes(o)}function h(e){return["table","td","th"].includes(o(e))}function p(e){return[":popover-open",":modal"].some((t=>{try{return e.matches(t)}catch(e){return!1}}))}function f(e){const t=v(),n=s(e)?w(e):e;return["transform","translate","scale","rotate","perspective"].some((e=>!!n[e]&&"none"!==n[e]))||!!n.containerType&&"normal"!==n.containerType||!t&&!!n.backdropFilter&&"none"!==n.backdropFilter||!t&&!!n.filter&&"none"!==n.filter||["transform","translate","scale","rotate","perspective","filter"].some((e=>(n.willChange||"").includes(e)))||["paint","layout","strict","content"].some((e=>(n.contain||"").includes(e)))}function m(e){let t=b(e);for(;c(t)&&!g(t);){if(f(t))return t;if(p(t))return null;t=b(t)}return null}function v(){return!("undefined"==typeof CSS||!CSS.supports)&&CSS.supports("-webkit-backdrop-filter","none")}function g(e){return["html","body","#document"].includes(o(e))}function w(e){return i(e).getComputedStyle(e)}function y(e){return s(e)?{scrollLeft:e.scrollLeft,scrollTop:e.scrollTop}:{scrollLeft:e.scrollX,scrollTop:e.scrollY}}function b(e){if("html"===o(e))return e;const t=e.assignedSlot||e.parentNode||u(e)&&e.host||a(e);return u(t)?t.host:t}function x(e){const t=b(e);return g(t)?e.ownerDocument?e.ownerDocument.body:e.body:c(t)&&d(t)?t:x(t)}function k(e,t,n){var r;void 0===t&&(t=[]),void 0===n&&(n=!0);const o=x(e),a=o===(null==(r=e.ownerDocument)?void 0:r.body),l=i(o);if(a){const e=E(l);return t.concat(l,l.visualViewport||[],d(o)?o:[],e&&n?k(e):[])}return t.concat(o,k(o,[],n))}function E(e){return e.parent&&Object.getPrototypeOf(e.parent)?e.frameElement:null}n.d(t,{$4:()=>b,CP:()=>y,L9:()=>w,Ll:()=>l,Lv:()=>h,Tc:()=>v,Tf:()=>p,ZU:()=>d,_m:()=>E,ep:()=>a,eu:()=>g,gJ:()=>m,mq:()=>o,sQ:()=>f,sb:()=>c,v9:()=>k,vq:()=>s,zk:()=>i})},97193:(e,t,n)=>{"use strict";n.d(t,{B1:()=>B,C0:()=>f,DD:()=>o,Dz:()=>y,Jx:()=>c,LI:()=>l,PG:()=>v,RI:()=>s,Sg:()=>m,T9:()=>a,TV:()=>w,WJ:()=>x,_3:()=>p,aD:()=>k,bV:()=>A,jk:()=>i,lP:()=>E,nI:()=>C,qE:()=>h,sq:()=>g,w7:()=>b});const r=["start","end"],o=["top","right","bottom","left"].reduce(((e,t)=>e.concat(t,t+"-"+r[0],t+"-"+r[1])),[]),i=Math.min,a=Math.max,l=Math.round,s=Math.floor,c=e=>({x:e,y:e}),u={left:"right",right:"left",bottom:"top",top:"bottom"},d={start:"end",end:"start"};function h(e,t,n){return a(e,i(t,n))}function p(e,t){return"function"==typeof e?e(t):e}function f(e){return e.split("-")[0]}function m(e){return e.split("-")[1]}function v(e){return"x"===e?"y":"x"}function g(e){return"y"===e?"height":"width"}function w(e){return["top","bottom"].includes(f(e))?"y":"x"}function y(e){return v(w(e))}function b(e,t,n){void 0===n&&(n=!1);const r=m(e),o=y(e),i=g(o);let a="x"===o?r===(n?"end":"start")?"right":"left":"start"===r?"bottom":"top";return t.reference[i]>t.floating[i]&&(a=A(a)),[a,A(a)]}function x(e){const t=A(e);return[k(e),t,k(t)]}function k(e){return e.replace(/start|end/g,(e=>d[e]))}function E(e,t,n,r){const o=m(e);let i=function(e,t,n){const r=["left","right"],o=["right","left"],i=["top","bottom"],a=["bottom","top"];switch(e){case"top":case"bottom":return n?t?o:r:t?r:o;case"left":case"right":return t?i:a;default:return[]}}(f(e),"start"===n,r);return o&&(i=i.map((e=>e+"-"+o)),t&&(i=i.concat(i.map(k)))),i}function A(e){return e.replace(/left|right|bottom|top/g,(e=>u[e]))}function C(e){return"number"!=typeof e?function(e){return{top:0,right:0,bottom:0,left:0,...e}}(e):{top:e,right:e,bottom:e,left:e}}function B(e){const{x:t,y:n,width:r,height:o}=e;return{width:r,height:o,top:n,left:t,right:t+r,bottom:n+o,x:t,y:n}}},69956:(e,t,n)=>{"use strict";n.d(t,{we:()=>u});var r=n(18491),o=n(86635),i=n(29726);function a(e){if(function(e){return null!=e&&"object"==typeof e&&"$el"in e}(e)){const t=e.$el;return(0,o.Ll)(t)&&"#comment"===(0,o.mq)(t)?null:t}return e}function l(e){return"function"==typeof e?e():(0,i.unref)(e)}function s(e){if("undefined"==typeof window)return 1;return(e.ownerDocument.defaultView||window).devicePixelRatio||1}function c(e,t){const n=s(e);return Math.round(t*n)/n}function u(e,t,n){void 0===n&&(n={});const o=n.whileElementsMounted,u=(0,i.computed)((()=>{var e;return null==(e=l(n.open))||e})),d=(0,i.computed)((()=>l(n.middleware))),h=(0,i.computed)((()=>{var e;return null!=(e=l(n.placement))?e:"bottom"})),p=(0,i.computed)((()=>{var e;return null!=(e=l(n.strategy))?e:"absolute"})),f=(0,i.computed)((()=>{var e;return null==(e=l(n.transform))||e})),m=(0,i.computed)((()=>a(e.value))),v=(0,i.computed)((()=>a(t.value))),g=(0,i.ref)(0),w=(0,i.ref)(0),y=(0,i.ref)(p.value),b=(0,i.ref)(h.value),x=(0,i.shallowRef)({}),k=(0,i.ref)(!1),E=(0,i.computed)((()=>{const e={position:y.value,left:"0",top:"0"};if(!v.value)return e;const t=c(v.value,g.value),n=c(v.value,w.value);return f.value?{...e,transform:"translate("+t+"px, "+n+"px)",...s(v.value)>=1.5&&{willChange:"transform"}}:{position:y.value,left:t+"px",top:n+"px"}}));let A;function C(){if(null==m.value||null==v.value)return;const e=u.value;(0,r.rD)(m.value,v.value,{middleware:d.value,placement:h.value,strategy:p.value}).then((t=>{g.value=t.x,w.value=t.y,y.value=t.strategy,b.value=t.placement,x.value=t.middlewareData,k.value=!1!==e}))}function B(){"function"==typeof A&&(A(),A=void 0)}return(0,i.watch)([d,h,p,u],C,{flush:"sync"}),(0,i.watch)([m,v],(function(){B(),void 0!==o?null==m.value||null==v.value||(A=o(m.value,v.value,C)):C()}),{flush:"sync"}),(0,i.watch)(u,(function(){u.value||(k.value=!1)}),{flush:"sync"}),(0,i.getCurrentScope)()&&(0,i.onScopeDispose)(B),{x:(0,i.shallowReadonly)(g),y:(0,i.shallowReadonly)(w),strategy:(0,i.shallowReadonly)(y),placement:(0,i.shallowReadonly)(b),middlewareData:(0,i.shallowReadonly)(x),isPositioned:(0,i.shallowReadonly)(k),floatingStyles:E,update:C}}},14788:(e,t,n)=>{"use strict";n.d(t,{oz:()=>z,fu:()=>j,wb:()=>F,Kp:()=>U,T2:()=>q});var r,o=n(29726);let i=Symbol("headlessui.useid"),a=0;const l=null!=(r=o.useId)?r:function(){return o.inject(i,(()=>""+ ++a))()};function s(e){var t;if(null==e||null==e.value)return null;let n=null!=(t=e.value.$el)?t:e.value;return n instanceof Node?n:null}function c(e,t){if(e)return e;let n=null!=t?t:"button";return"string"==typeof n&&"button"===n.toLowerCase()?"button":void 0}function u(e,t,...n){if(e in t){let r=t[e];return"function"==typeof r?r(...n):r}let r=new Error(`Tried to handle "${e}" but there is no handler defined. Only defined handlers are: ${Object.keys(t).map((e=>`"${e}"`)).join(", ")}.`);throw Error.captureStackTrace&&Error.captureStackTrace(r,u),r}var d=(e=>(e[e.None=0]="None",e[e.RenderStrategy=1]="RenderStrategy",e[e.Static=2]="Static",e))(d||{}),h=(e=>(e[e.Unmount=0]="Unmount",e[e.Hidden=1]="Hidden",e))(h||{});function p({visible:e=!0,features:t=0,ourProps:n,theirProps:r,...o}){var i;let a=v(r,n),l=Object.assign(o,{props:a});if(e||2&t&&a.static)return f(l);if(1&t){return u(null==(i=a.unmount)||i?0:1,{0:()=>null,1:()=>f({...o,props:{...a,hidden:!0,style:{display:"none"}}})})}return f(l)}function f({props:e,attrs:t,slots:n,slot:r,name:i}){var a,l;let{as:s,...c}=g(e,["unmount","static"]),u=null==(a=n.default)?void 0:a.call(n,r),d={};if(r){let e=!1,t=[];for(let[n,o]of Object.entries(r))"boolean"==typeof o&&(e=!0),!0===o&&t.push(n);e&&(d["data-headlessui-state"]=t.join(" "))}if("template"===s){if(u=m(null!=u?u:[]),Object.keys(c).length>0||Object.keys(t).length>0){let[e,...n]=null!=u?u:[];if(!function(e){return null!=e&&("string"==typeof e.type||"object"==typeof e.type||"function"==typeof e.type)}(e)||n.length>0)throw new Error(['Passing props on "template"!',"",`The current component <${i} /> is rendering a "template".`,"However we need to passthrough the following props:",Object.keys(c).concat(Object.keys(t)).map((e=>e.trim())).filter(((e,t,n)=>n.indexOf(e)===t)).sort(((e,t)=>e.localeCompare(t))).map((e=>`  - ${e}`)).join("\n"),"","You can apply a few solutions:",['Add an `as="..."` prop, to ensure that we render an actual element instead of a "template".',"Render a single element as the child so that we can forward the props onto that element."].map((e=>`  - ${e}`)).join("\n")].join("\n"));let r=v(null!=(l=e.props)?l:{},c,d),a=(0,o.cloneVNode)(e,r,!0);for(let e in r)e.startsWith("on")&&(a.props||(a.props={}),a.props[e]=r[e]);return a}return Array.isArray(u)&&1===u.length?u[0]:u}return(0,o.h)(s,Object.assign({},c,d),{default:()=>u})}function m(e){return e.flatMap((e=>e.type===o.Fragment?m(e.children):[e]))}function v(...e){if(0===e.length)return{};if(1===e.length)return e[0];let t={},n={};for(let r of e)for(let e in r)e.startsWith("on")&&"function"==typeof r[e]?(null!=n[e]||(n[e]=[]),n[e].push(r[e])):t[e]=r[e];if(t.disabled||t["aria-disabled"])return Object.assign(t,Object.fromEntries(Object.keys(n).map((e=>[e,void 0]))));for(let e in n)Object.assign(t,{[e](t,...r){let o=n[e];for(let e of o){if(t instanceof Event&&t.defaultPrevented)return;e(t,...r)}}});return t}function g(e,t=[]){let n=Object.assign({},e);for(let e of t)e in n&&delete n[e];return n}var w=(e=>(e[e.None=1]="None",e[e.Focusable=2]="Focusable",e[e.Hidden=4]="Hidden",e))(w||{});let y=(0,o.defineComponent)({name:"Hidden",props:{as:{type:[Object,String],default:"div"},features:{type:Number,default:1}},setup:(e,{slots:t,attrs:n})=>()=>{var r;let{features:o,...i}=e;return p({ourProps:{"aria-hidden":!(2&~o)||(null!=(r=i["aria-hidden"])?r:void 0),hidden:!(4&~o)||void 0,style:{position:"fixed",top:1,left:1,width:1,height:0,padding:0,margin:-1,overflow:"hidden",clip:"rect(0, 0, 0, 0)",whiteSpace:"nowrap",borderWidth:"0",...!(4&~o)&&!!(2&~o)&&{display:"none"}}},theirProps:i,slot:{},attrs:n,slots:t,name:"Hidden"})}}),b=(0,o.defineComponent)({props:{onFocus:{type:Function,required:!0}},setup(e){let t=(0,o.ref)(!0);return()=>t.value?(0,o.h)(y,{as:"button",type:"button",features:w.Focusable,onFocus(n){n.preventDefault();let r,o=50;r=requestAnimationFrame((function n(){var i;if(!(o--<=0))return null!=(i=e.onFocus)&&i.call(e)?(t.value=!1,void cancelAnimationFrame(r)):void(r=requestAnimationFrame(n));r&&cancelAnimationFrame(r)}))}}):null}});var x=(e=>(e.Space=" ",e.Enter="Enter",e.Escape="Escape",e.Backspace="Backspace",e.Delete="Delete",e.ArrowLeft="ArrowLeft",e.ArrowUp="ArrowUp",e.ArrowRight="ArrowRight",e.ArrowDown="ArrowDown",e.Home="Home",e.End="End",e.PageUp="PageUp",e.PageDown="PageDown",e.Tab="Tab",e))(x||{});let k=["[contentEditable=true]","[tabindex]","a[href]","area[href]","button:not([disabled])","iframe","input:not([disabled])","select:not([disabled])","textarea:not([disabled])"].map((e=>`${e}:not([tabindex='-1'])`)).join(",");var E,A=(e=>(e[e.First=1]="First",e[e.Previous=2]="Previous",e[e.Next=4]="Next",e[e.Last=8]="Last",e[e.WrapAround=16]="WrapAround",e[e.NoScroll=32]="NoScroll",e))(A||{}),C=(e=>(e[e.Error=0]="Error",e[e.Overflow=1]="Overflow",e[e.Success=2]="Success",e[e.Underflow=3]="Underflow",e))(C||{}),B=((E=B||{})[E.Previous=-1]="Previous",E[E.Next=1]="Next",E);function M(e=document.body){return null==e?[]:Array.from(e.querySelectorAll(k)).sort(((e,t)=>Math.sign((e.tabIndex||Number.MAX_SAFE_INTEGER)-(t.tabIndex||Number.MAX_SAFE_INTEGER))))}var _=(e=>(e[e.Strict=0]="Strict",e[e.Loose=1]="Loose",e))(_||{});var S=(e=>(e[e.Keyboard=0]="Keyboard",e[e.Mouse=1]="Mouse",e))(S||{});"undefined"!=typeof window&&"undefined"!=typeof document&&(document.addEventListener("keydown",(e=>{e.metaKey||e.altKey||e.ctrlKey||(document.documentElement.dataset.headlessuiFocusVisible="")}),!0),document.addEventListener("click",(e=>{1===e.detail?delete document.documentElement.dataset.headlessuiFocusVisible:0===e.detail&&(document.documentElement.dataset.headlessuiFocusVisible="")}),!0));let N=["textarea","input"].join(",");function V(e,t=e=>e){return e.slice().sort(((e,n)=>{let r=t(e),o=t(n);if(null===r||null===o)return 0;let i=r.compareDocumentPosition(o);return i&Node.DOCUMENT_POSITION_FOLLOWING?-1:i&Node.DOCUMENT_POSITION_PRECEDING?1:0}))}function L(e,t,{sorted:n=!0,relativeTo:r=null,skipElements:o=[]}={}){var i;let a=null!=(i=Array.isArray(e)?e.length>0?e[0].ownerDocument:document:null==e?void 0:e.ownerDocument)?i:document,l=Array.isArray(e)?n?V(e):e:M(e);o.length>0&&l.length>1&&(l=l.filter((e=>!o.includes(e)))),r=null!=r?r:a.activeElement;let s,c=(()=>{if(5&t)return 1;if(10&t)return-1;throw new Error("Missing Focus.First, Focus.Previous, Focus.Next or Focus.Last")})(),u=(()=>{if(1&t)return 0;if(2&t)return Math.max(0,l.indexOf(r))-1;if(4&t)return Math.max(0,l.indexOf(r))+1;if(8&t)return l.length-1;throw new Error("Missing Focus.First, Focus.Previous, Focus.Next or Focus.Last")})(),d=32&t?{preventScroll:!0}:{},h=0,p=l.length;do{if(h>=p||h+p<=0)return 0;let e=u+h;if(16&t)e=(e+p)%p;else{if(e<0)return 3;if(e>=p)return 1}s=l[e],null==s||s.focus(d),h+=c}while(s!==a.activeElement);return 6&t&&function(e){var t,n;return null!=(n=null==(t=null==e?void 0:e.matches)?void 0:t.call(e,N))&&n}(s)&&s.select(),2}var T=Object.defineProperty,I=(e,t,n)=>(((e,t,n)=>{t in e?T(e,t,{enumerable:!0,configurable:!0,writable:!0,value:n}):e[t]=n})(e,"symbol"!=typeof t?t+"":t,n),n);let Z=new class{constructor(){I(this,"current",this.detect()),I(this,"currentId",0)}set(e){this.current!==e&&(this.currentId=0,this.current=e)}reset(){this.set(this.detect())}nextId(){return++this.currentId}get isServer(){return"server"===this.current}get isClient(){return"client"===this.current}detect(){return"undefined"==typeof window||"undefined"==typeof document?"server":"client"}};var O=(e=>(e[e.Forwards=0]="Forwards",e[e.Backwards=1]="Backwards",e))(O||{}),D=(e=>(e[e.Less=-1]="Less",e[e.Equal=0]="Equal",e[e.Greater=1]="Greater",e))(D||{});let R=Symbol("TabsContext");function H(e){let t=(0,o.inject)(R,null);if(null===t){let t=new Error(`<${e} /> is missing a parent <TabGroup /> component.`);throw Error.captureStackTrace&&Error.captureStackTrace(t,H),t}return t}let P=Symbol("TabsSSRContext"),j=(0,o.defineComponent)({name:"TabGroup",emits:{change:e=>!0},props:{as:{type:[Object,String],default:"template"},selectedIndex:{type:[Number],default:null},defaultIndex:{type:[Number],default:0},vertical:{type:[Boolean],default:!1},manual:{type:[Boolean],default:!1}},inheritAttrs:!1,setup(e,{slots:t,attrs:n,emit:r}){var i;let a=(0,o.ref)(null!=(i=e.selectedIndex)?i:e.defaultIndex),l=(0,o.ref)([]),c=(0,o.ref)([]),d=(0,o.computed)((()=>null!==e.selectedIndex)),h=(0,o.computed)((()=>d.value?e.selectedIndex:a.value));function f(e){var t;let n=V(m.tabs.value,s),r=V(m.panels.value,s),o=n.filter((e=>{var t;return!(null!=(t=s(e))&&t.hasAttribute("disabled"))}));if(e<0||e>n.length-1){let t=u(null===a.value?0:Math.sign(e-a.value),{[-1]:()=>1,0:()=>u(Math.sign(e),{[-1]:()=>0,0:()=>0,1:()=>1}),1:()=>0}),i=u(t,{0:()=>n.indexOf(o[0]),1:()=>n.indexOf(o[o.length-1])});-1!==i&&(a.value=i),m.tabs.value=n,m.panels.value=r}else{let i=n.slice(0,e),l=[...n.slice(e),...i].find((e=>o.includes(e)));if(!l)return;let s=null!=(t=n.indexOf(l))?t:m.selectedIndex.value;-1===s&&(s=m.selectedIndex.value),a.value=s,m.tabs.value=n,m.panels.value=r}}let m={selectedIndex:(0,o.computed)((()=>{var t,n;return null!=(n=null!=(t=a.value)?t:e.defaultIndex)?n:null})),orientation:(0,o.computed)((()=>e.vertical?"vertical":"horizontal")),activation:(0,o.computed)((()=>e.manual?"manual":"auto")),tabs:l,panels:c,setSelectedIndex(e){h.value!==e&&r("change",e),d.value||f(e)},registerTab(e){var t;if(l.value.includes(e))return;let n=l.value[a.value];if(l.value.push(e),l.value=V(l.value,s),!d.value){let e=null!=(t=l.value.indexOf(n))?t:a.value;-1!==e&&(a.value=e)}},unregisterTab(e){let t=l.value.indexOf(e);-1!==t&&l.value.splice(t,1)},registerPanel(e){c.value.includes(e)||(c.value.push(e),c.value=V(c.value,s))},unregisterPanel(e){let t=c.value.indexOf(e);-1!==t&&c.value.splice(t,1)}};(0,o.provide)(R,m);let v=(0,o.ref)({tabs:[],panels:[]}),w=(0,o.ref)(!1);(0,o.onMounted)((()=>{w.value=!0})),(0,o.provide)(P,(0,o.computed)((()=>w.value?null:v.value)));let y=(0,o.computed)((()=>e.selectedIndex));return(0,o.onMounted)((()=>{(0,o.watch)([y],(()=>{var t;return f(null!=(t=e.selectedIndex)?t:e.defaultIndex)}),{immediate:!0})})),(0,o.watchEffect)((()=>{if(!d.value||null==h.value||m.tabs.value.length<=0)return;let e=V(m.tabs.value,s);e.some(((e,t)=>s(m.tabs.value[t])!==s(e)))&&m.setSelectedIndex(e.findIndex((e=>s(e)===s(m.tabs.value[h.value]))))})),()=>{let r={selectedIndex:a.value};return(0,o.h)(o.Fragment,[l.value.length<=0&&(0,o.h)(b,{onFocus:()=>{for(let e of l.value){let t=s(e);if(0===(null==t?void 0:t.tabIndex))return t.focus(),!0}return!1}}),p({theirProps:{...n,...g(e,["selectedIndex","defaultIndex","manual","vertical","onChange"])},ourProps:{},slot:r,slots:t,attrs:n,name:"TabGroup"})])}}}),F=(0,o.defineComponent)({name:"TabList",props:{as:{type:[Object,String],default:"div"}},setup(e,{attrs:t,slots:n}){let r=H("TabList");return()=>{let o={selectedIndex:r.selectedIndex.value};return p({ourProps:{role:"tablist","aria-orientation":r.orientation.value},theirProps:e,slot:o,attrs:t,slots:n,name:"TabList"})}}}),z=(0,o.defineComponent)({name:"Tab",props:{as:{type:[Object,String],default:"button"},disabled:{type:[Boolean],default:!1},id:{type:String,default:null}},setup(e,{attrs:t,slots:n,expose:r}){var i;let a=null!=(i=e.id)?i:`headlessui-tabs-tab-${l()}`,d=H("Tab"),h=(0,o.ref)(null);r({el:h,$el:h}),(0,o.onMounted)((()=>d.registerTab(h))),(0,o.onUnmounted)((()=>d.unregisterTab(h)));let f=(0,o.inject)(P),m=(0,o.computed)((()=>{if(f.value){let e=f.value.tabs.indexOf(a);return-1===e?f.value.tabs.push(a)-1:e}return-1})),v=(0,o.computed)((()=>{let e=d.tabs.value.indexOf(h);return-1===e?m.value:e})),g=(0,o.computed)((()=>v.value===d.selectedIndex.value));function w(e){var t;let n=e();if(n===C.Success&&"auto"===d.activation.value){let e=null==(t=function(e){if(Z.isServer)return null;if(e instanceof Node)return e.ownerDocument;if(null!=e&&e.hasOwnProperty("value")){let t=s(e);if(t)return t.ownerDocument}return document}(h))?void 0:t.activeElement,n=d.tabs.value.findIndex((t=>s(t)===e));-1!==n&&d.setSelectedIndex(n)}return n}function y(e){let t=d.tabs.value.map((e=>s(e))).filter(Boolean);if(e.key===x.Space||e.key===x.Enter)return e.preventDefault(),e.stopPropagation(),void d.setSelectedIndex(v.value);switch(e.key){case x.Home:case x.PageUp:return e.preventDefault(),e.stopPropagation(),w((()=>L(t,A.First)));case x.End:case x.PageDown:return e.preventDefault(),e.stopPropagation(),w((()=>L(t,A.Last)))}return w((()=>u(d.orientation.value,{vertical:()=>e.key===x.ArrowUp?L(t,A.Previous|A.WrapAround):e.key===x.ArrowDown?L(t,A.Next|A.WrapAround):C.Error,horizontal:()=>e.key===x.ArrowLeft?L(t,A.Previous|A.WrapAround):e.key===x.ArrowRight?L(t,A.Next|A.WrapAround):C.Error})))===C.Success?e.preventDefault():void 0}let b=(0,o.ref)(!1);function k(){var t;b.value||(b.value=!0,!e.disabled&&(null==(t=s(h))||t.focus({preventScroll:!0}),d.setSelectedIndex(v.value),function(e){"function"==typeof queueMicrotask?queueMicrotask(e):Promise.resolve().then(e).catch((e=>setTimeout((()=>{throw e}))))}((()=>{b.value=!1}))))}function E(e){e.preventDefault()}let B=function(e,t){let n=(0,o.ref)(c(e.value.type,e.value.as));return(0,o.onMounted)((()=>{n.value=c(e.value.type,e.value.as)})),(0,o.watchEffect)((()=>{var e;n.value||s(t)&&s(t)instanceof HTMLButtonElement&&(null==(e=s(t))||!e.hasAttribute("type"))&&(n.value="button")})),n}((0,o.computed)((()=>({as:e.as,type:t.type}))),h);return()=>{var r,o;let i={selected:g.value,disabled:null!=(r=e.disabled)&&r},{...l}=e;return p({ourProps:{ref:h,onKeydown:y,onMousedown:E,onClick:k,id:a,role:"tab",type:B.value,"aria-controls":null==(o=s(d.panels.value[v.value]))?void 0:o.id,"aria-selected":g.value,tabIndex:g.value?0:-1,disabled:!!e.disabled||void 0},theirProps:l,slot:i,attrs:t,slots:n,name:"Tab"})}}}),q=(0,o.defineComponent)({name:"TabPanels",props:{as:{type:[Object,String],default:"div"}},setup(e,{slots:t,attrs:n}){let r=H("TabPanels");return()=>{let o={selectedIndex:r.selectedIndex.value};return p({theirProps:e,ourProps:{},slot:o,attrs:n,slots:t,name:"TabPanels"})}}}),U=(0,o.defineComponent)({name:"TabPanel",props:{as:{type:[Object,String],default:"div"},static:{type:Boolean,default:!1},unmount:{type:Boolean,default:!0},id:{type:String,default:null},tabIndex:{type:Number,default:0}},setup(e,{attrs:t,slots:n,expose:r}){var i;let a=null!=(i=e.id)?i:`headlessui-tabs-panel-${l()}`,c=H("TabPanel"),u=(0,o.ref)(null);r({el:u,$el:u}),(0,o.onMounted)((()=>c.registerPanel(u))),(0,o.onUnmounted)((()=>c.unregisterPanel(u)));let h=(0,o.inject)(P),f=(0,o.computed)((()=>{if(h.value){let e=h.value.panels.indexOf(a);return-1===e?h.value.panels.push(a)-1:e}return-1})),m=(0,o.computed)((()=>{let e=c.panels.value.indexOf(u);return-1===e?f.value:e})),v=(0,o.computed)((()=>m.value===c.selectedIndex.value));return()=>{var r;let i={selected:v.value},{tabIndex:l,...h}=e,f={ref:u,id:a,role:"tabpanel","aria-labelledby":null==(r=s(c.tabs.value[m.value]))?void 0:r.id,tabIndex:v.value?l:-1};return v.value||!e.unmount||e.static?p({ourProps:f,theirProps:h,slot:i,attrs:t,slots:n,features:d.Static|d.RenderStrategy,visible:v.value,name:"TabPanel"}):(0,o.h)(y,{as:"span","aria-hidden":!0,...f})}}})},89384:(e,t,n)=>{"use strict";n.r(t),n.d(t,{AcademicCapIcon:()=>o,AdjustmentsHorizontalIcon:()=>i,AdjustmentsVerticalIcon:()=>a,ArchiveBoxArrowDownIcon:()=>l,ArchiveBoxIcon:()=>c,ArchiveBoxXMarkIcon:()=>s,ArrowDownCircleIcon:()=>u,ArrowDownIcon:()=>v,ArrowDownLeftIcon:()=>d,ArrowDownOnSquareIcon:()=>p,ArrowDownOnSquareStackIcon:()=>h,ArrowDownRightIcon:()=>f,ArrowDownTrayIcon:()=>m,ArrowLeftCircleIcon:()=>g,ArrowLeftEndOnRectangleIcon:()=>w,ArrowLeftIcon:()=>b,ArrowLeftStartOnRectangleIcon:()=>y,ArrowLongDownIcon:()=>x,ArrowLongLeftIcon:()=>k,ArrowLongRightIcon:()=>E,ArrowLongUpIcon:()=>A,ArrowPathIcon:()=>B,ArrowPathRoundedSquareIcon:()=>C,ArrowRightCircleIcon:()=>M,ArrowRightEndOnRectangleIcon:()=>_,ArrowRightIcon:()=>N,ArrowRightStartOnRectangleIcon:()=>S,ArrowTopRightOnSquareIcon:()=>V,ArrowTrendingDownIcon:()=>L,ArrowTrendingUpIcon:()=>T,ArrowTurnDownLeftIcon:()=>I,ArrowTurnDownRightIcon:()=>Z,ArrowTurnLeftDownIcon:()=>O,ArrowTurnLeftUpIcon:()=>D,ArrowTurnRightDownIcon:()=>R,ArrowTurnRightUpIcon:()=>H,ArrowTurnUpLeftIcon:()=>P,ArrowTurnUpRightIcon:()=>j,ArrowUpCircleIcon:()=>F,ArrowUpIcon:()=>G,ArrowUpLeftIcon:()=>z,ArrowUpOnSquareIcon:()=>U,ArrowUpOnSquareStackIcon:()=>q,ArrowUpRightIcon:()=>$,ArrowUpTrayIcon:()=>W,ArrowUturnDownIcon:()=>K,ArrowUturnLeftIcon:()=>Y,ArrowUturnRightIcon:()=>X,ArrowUturnUpIcon:()=>J,ArrowsPointingInIcon:()=>Q,ArrowsPointingOutIcon:()=>ee,ArrowsRightLeftIcon:()=>te,ArrowsUpDownIcon:()=>ne,AtSymbolIcon:()=>re,BackspaceIcon:()=>oe,BackwardIcon:()=>ie,BanknotesIcon:()=>ae,Bars2Icon:()=>le,Bars3BottomLeftIcon:()=>se,Bars3BottomRightIcon:()=>ce,Bars3CenterLeftIcon:()=>ue,Bars3Icon:()=>de,Bars4Icon:()=>he,BarsArrowDownIcon:()=>pe,BarsArrowUpIcon:()=>fe,Battery0Icon:()=>me,Battery100Icon:()=>ve,Battery50Icon:()=>ge,BeakerIcon:()=>we,BellAlertIcon:()=>ye,BellIcon:()=>ke,BellSlashIcon:()=>be,BellSnoozeIcon:()=>xe,BoldIcon:()=>Ee,BoltIcon:()=>Ce,BoltSlashIcon:()=>Ae,BookOpenIcon:()=>Be,BookmarkIcon:()=>Se,BookmarkSlashIcon:()=>Me,BookmarkSquareIcon:()=>_e,BriefcaseIcon:()=>Ne,BugAntIcon:()=>Ve,BuildingLibraryIcon:()=>Le,BuildingOffice2Icon:()=>Te,BuildingOfficeIcon:()=>Ie,BuildingStorefrontIcon:()=>Ze,CakeIcon:()=>Oe,CalculatorIcon:()=>De,CalendarDateRangeIcon:()=>Re,CalendarDaysIcon:()=>He,CalendarIcon:()=>Pe,CameraIcon:()=>je,ChartBarIcon:()=>ze,ChartBarSquareIcon:()=>Fe,ChartPieIcon:()=>qe,ChatBubbleBottomCenterIcon:()=>$e,ChatBubbleBottomCenterTextIcon:()=>Ue,ChatBubbleLeftEllipsisIcon:()=>We,ChatBubbleLeftIcon:()=>Ke,ChatBubbleLeftRightIcon:()=>Ge,ChatBubbleOvalLeftEllipsisIcon:()=>Ye,ChatBubbleOvalLeftIcon:()=>Xe,CheckBadgeIcon:()=>Je,CheckCircleIcon:()=>Qe,CheckIcon:()=>et,ChevronDoubleDownIcon:()=>tt,ChevronDoubleLeftIcon:()=>nt,ChevronDoubleRightIcon:()=>rt,ChevronDoubleUpIcon:()=>ot,ChevronDownIcon:()=>it,ChevronLeftIcon:()=>at,ChevronRightIcon:()=>lt,ChevronUpDownIcon:()=>st,ChevronUpIcon:()=>ct,CircleStackIcon:()=>ut,ClipboardDocumentCheckIcon:()=>dt,ClipboardDocumentIcon:()=>pt,ClipboardDocumentListIcon:()=>ht,ClipboardIcon:()=>ft,ClockIcon:()=>mt,CloudArrowDownIcon:()=>vt,CloudArrowUpIcon:()=>gt,CloudIcon:()=>wt,CodeBracketIcon:()=>bt,CodeBracketSquareIcon:()=>yt,Cog6ToothIcon:()=>xt,Cog8ToothIcon:()=>kt,CogIcon:()=>Et,CommandLineIcon:()=>At,ComputerDesktopIcon:()=>Ct,CpuChipIcon:()=>Bt,CreditCardIcon:()=>Mt,CubeIcon:()=>St,CubeTransparentIcon:()=>_t,CurrencyBangladeshiIcon:()=>Nt,CurrencyDollarIcon:()=>Vt,CurrencyEuroIcon:()=>Lt,CurrencyPoundIcon:()=>Tt,CurrencyRupeeIcon:()=>It,CurrencyYenIcon:()=>Zt,CursorArrowRaysIcon:()=>Ot,CursorArrowRippleIcon:()=>Dt,DevicePhoneMobileIcon:()=>Rt,DeviceTabletIcon:()=>Ht,DivideIcon:()=>Pt,DocumentArrowDownIcon:()=>jt,DocumentArrowUpIcon:()=>Ft,DocumentChartBarIcon:()=>zt,DocumentCheckIcon:()=>qt,DocumentCurrencyBangladeshiIcon:()=>Ut,DocumentCurrencyDollarIcon:()=>$t,DocumentCurrencyEuroIcon:()=>Wt,DocumentCurrencyPoundIcon:()=>Gt,DocumentCurrencyRupeeIcon:()=>Kt,DocumentCurrencyYenIcon:()=>Yt,DocumentDuplicateIcon:()=>Xt,DocumentIcon:()=>nn,DocumentMagnifyingGlassIcon:()=>Jt,DocumentMinusIcon:()=>Qt,DocumentPlusIcon:()=>en,DocumentTextIcon:()=>tn,EllipsisHorizontalCircleIcon:()=>rn,EllipsisHorizontalIcon:()=>on,EllipsisVerticalIcon:()=>an,EnvelopeIcon:()=>sn,EnvelopeOpenIcon:()=>ln,EqualsIcon:()=>cn,ExclamationCircleIcon:()=>un,ExclamationTriangleIcon:()=>dn,EyeDropperIcon:()=>hn,EyeIcon:()=>fn,EyeSlashIcon:()=>pn,FaceFrownIcon:()=>mn,FaceSmileIcon:()=>vn,FilmIcon:()=>gn,FingerPrintIcon:()=>wn,FireIcon:()=>yn,FlagIcon:()=>bn,FolderArrowDownIcon:()=>xn,FolderIcon:()=>Cn,FolderMinusIcon:()=>kn,FolderOpenIcon:()=>En,FolderPlusIcon:()=>An,ForwardIcon:()=>Bn,FunnelIcon:()=>Mn,GifIcon:()=>_n,GiftIcon:()=>Nn,GiftTopIcon:()=>Sn,GlobeAltIcon:()=>Vn,GlobeAmericasIcon:()=>Ln,GlobeAsiaAustraliaIcon:()=>Tn,GlobeEuropeAfricaIcon:()=>In,H1Icon:()=>Zn,H2Icon:()=>On,H3Icon:()=>Dn,HandRaisedIcon:()=>Rn,HandThumbDownIcon:()=>Hn,HandThumbUpIcon:()=>Pn,HashtagIcon:()=>jn,HeartIcon:()=>Fn,HomeIcon:()=>qn,HomeModernIcon:()=>zn,IdentificationIcon:()=>Un,InboxArrowDownIcon:()=>$n,InboxIcon:()=>Gn,InboxStackIcon:()=>Wn,InformationCircleIcon:()=>Kn,ItalicIcon:()=>Yn,KeyIcon:()=>Xn,LanguageIcon:()=>Jn,LifebuoyIcon:()=>Qn,LightBulbIcon:()=>er,LinkIcon:()=>nr,LinkSlashIcon:()=>tr,ListBulletIcon:()=>rr,LockClosedIcon:()=>or,LockOpenIcon:()=>ir,MagnifyingGlassCircleIcon:()=>ar,MagnifyingGlassIcon:()=>cr,MagnifyingGlassMinusIcon:()=>lr,MagnifyingGlassPlusIcon:()=>sr,MapIcon:()=>dr,MapPinIcon:()=>ur,MegaphoneIcon:()=>hr,MicrophoneIcon:()=>pr,MinusCircleIcon:()=>fr,MinusIcon:()=>mr,MoonIcon:()=>vr,MusicalNoteIcon:()=>gr,NewspaperIcon:()=>wr,NoSymbolIcon:()=>yr,NumberedListIcon:()=>br,PaintBrushIcon:()=>xr,PaperAirplaneIcon:()=>kr,PaperClipIcon:()=>Er,PauseCircleIcon:()=>Ar,PauseIcon:()=>Cr,PencilIcon:()=>Mr,PencilSquareIcon:()=>Br,PercentBadgeIcon:()=>_r,PhoneArrowDownLeftIcon:()=>Sr,PhoneArrowUpRightIcon:()=>Nr,PhoneIcon:()=>Lr,PhoneXMarkIcon:()=>Vr,PhotoIcon:()=>Tr,PlayCircleIcon:()=>Ir,PlayIcon:()=>Or,PlayPauseIcon:()=>Zr,PlusCircleIcon:()=>Dr,PlusIcon:()=>Rr,PowerIcon:()=>Hr,PresentationChartBarIcon:()=>Pr,PresentationChartLineIcon:()=>jr,PrinterIcon:()=>Fr,PuzzlePieceIcon:()=>zr,QrCodeIcon:()=>qr,QuestionMarkCircleIcon:()=>Ur,QueueListIcon:()=>$r,RadioIcon:()=>Wr,ReceiptPercentIcon:()=>Gr,ReceiptRefundIcon:()=>Kr,RectangleGroupIcon:()=>Yr,RectangleStackIcon:()=>Xr,RocketLaunchIcon:()=>Jr,RssIcon:()=>Qr,ScaleIcon:()=>eo,ScissorsIcon:()=>to,ServerIcon:()=>ro,ServerStackIcon:()=>no,ShareIcon:()=>oo,ShieldCheckIcon:()=>io,ShieldExclamationIcon:()=>ao,ShoppingBagIcon:()=>lo,ShoppingCartIcon:()=>so,SignalIcon:()=>uo,SignalSlashIcon:()=>co,SlashIcon:()=>ho,SparklesIcon:()=>po,SpeakerWaveIcon:()=>fo,SpeakerXMarkIcon:()=>mo,Square2StackIcon:()=>vo,Square3Stack3DIcon:()=>go,Squares2X2Icon:()=>wo,SquaresPlusIcon:()=>yo,StarIcon:()=>bo,StopCircleIcon:()=>xo,StopIcon:()=>ko,StrikethroughIcon:()=>Eo,SunIcon:()=>Ao,SwatchIcon:()=>Co,TableCellsIcon:()=>Bo,TagIcon:()=>Mo,TicketIcon:()=>_o,TrashIcon:()=>So,TrophyIcon:()=>No,TruckIcon:()=>Vo,TvIcon:()=>Lo,UnderlineIcon:()=>To,UserCircleIcon:()=>Io,UserGroupIcon:()=>Zo,UserIcon:()=>Ro,UserMinusIcon:()=>Oo,UserPlusIcon:()=>Do,UsersIcon:()=>Ho,VariableIcon:()=>Po,VideoCameraIcon:()=>Fo,VideoCameraSlashIcon:()=>jo,ViewColumnsIcon:()=>zo,ViewfinderCircleIcon:()=>qo,WalletIcon:()=>Uo,WifiIcon:()=>$o,WindowIcon:()=>Wo,WrenchIcon:()=>Ko,WrenchScrewdriverIcon:()=>Go,XCircleIcon:()=>Yo,XMarkIcon:()=>Xo});var r=n(29726);function o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.702 1.368a.75.75 0 0 1 .597 0c2.098.91 4.105 1.99 6.004 3.223a.75.75 0 0 1-.194 1.348A34.27 34.27 0 0 0 8.341 8.25a.75.75 0 0 1-.682 0c-.625-.32-1.262-.62-1.909-.901v-.542a36.878 36.878 0 0 1 2.568-1.33.75.75 0 0 0-.636-1.357 38.39 38.39 0 0 0-3.06 1.605.75.75 0 0 0-.372.648v.365c-.773-.294-1.56-.56-2.359-.8a.75.75 0 0 1-.194-1.347 40.901 40.901 0 0 1 6.005-3.223ZM4.25 8.348c-.53-.212-1.067-.411-1.611-.596a40.973 40.973 0 0 0-.418 2.97.75.75 0 0 0 .474.776c.175.068.35.138.524.21a5.544 5.544 0 0 1-.58.681.75.75 0 1 0 1.06 1.06c.35-.349.655-.726.915-1.124a29.282 29.282 0 0 0-1.395-.617A5.483 5.483 0 0 0 4.25 8.5v-.152Z"}),(0,r.createElementVNode)("path",{d:"M7.603 13.96c-.96-.6-1.958-1.147-2.989-1.635a6.981 6.981 0 0 0 1.12-3.341c.419.192.834.393 1.244.602a2.25 2.25 0 0 0 2.045 0 32.787 32.787 0 0 1 4.338-1.834c.175.978.315 1.969.419 2.97a.75.75 0 0 1-.474.776 29.385 29.385 0 0 0-4.909 2.461.75.75 0 0 1-.794 0Z"})])}function i(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.5 2.25a.75.75 0 0 0-1.5 0v3a.75.75 0 0 0 1.5 0V4.5h6.75a.75.75 0 0 0 0-1.5H6.5v-.75ZM11 6.5a.75.75 0 0 0-1.5 0v3a.75.75 0 0 0 1.5 0v-.75h2.25a.75.75 0 0 0 0-1.5H11V6.5ZM5.75 10a.75.75 0 0 1 .75.75v.75h6.75a.75.75 0 0 1 0 1.5H6.5v.75a.75.75 0 0 1-1.5 0v-3a.75.75 0 0 1 .75-.75ZM2.75 7.25H8.5v1.5H2.75a.75.75 0 0 1 0-1.5ZM4 3H2.75a.75.75 0 0 0 0 1.5H4V3ZM2.75 11.5H4V13H2.75a.75.75 0 0 1 0-1.5Z"})])}function a(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.25 13.25V7.5h1.5v5.75a.75.75 0 0 1-1.5 0ZM8.75 2.75V5h.75a.75.75 0 0 1 0 1.5h-3a.75.75 0 0 1 0-1.5h.75V2.75a.75.75 0 0 1 1.5 0ZM2.25 9.5a.75.75 0 0 0 0 1.5h3a.75.75 0 0 0 0-1.5H4.5V2.75a.75.75 0 0 0-1.5 0V9.5h-.75ZM10 10.25a.75.75 0 0 1 .75-.75h.75V2.75a.75.75 0 0 1 1.5 0V9.5h.75a.75.75 0 0 1 0 1.5h-3a.75.75 0 0 1-.75-.75ZM3 12v1.25a.75.75 0 0 0 1.5 0V12H3ZM11.5 13.25V12H13v1.25a.75.75 0 0 1-1.5 0Z"})])}function l(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 3a1 1 0 0 1 1-1h10a1 1 0 0 1 1 1v1a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V3Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13 6H3v6a2 2 0 0 0 2 2h6a2 2 0 0 0 2-2V6ZM8.75 7.75a.75.75 0 0 0-1.5 0v2.69L6.03 9.22a.75.75 0 0 0-1.06 1.06l2.5 2.5a.75.75 0 0 0 1.06 0l2.5-2.5a.75.75 0 1 0-1.06-1.06l-1.22 1.22V7.75Z","clip-rule":"evenodd"})])}function s(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 3a1 1 0 0 1 1-1h10a1 1 0 0 1 1 1v1a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V3Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13 6H3v6a2 2 0 0 0 2 2h6a2 2 0 0 0 2-2V6ZM5.72 7.47a.75.75 0 0 1 1.06 0L8 8.69l1.22-1.22a.75.75 0 1 1 1.06 1.06L9.06 9.75l1.22 1.22a.75.75 0 1 1-1.06 1.06L8 10.81l-1.22 1.22a.75.75 0 0 1-1.06-1.06l1.22-1.22-1.22-1.22a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function c(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 2a1 1 0 0 0-1 1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H3Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6h10v6a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V6Zm3 2.75A.75.75 0 0 1 6.75 8h2.5a.75.75 0 0 1 0 1.5h-2.5A.75.75 0 0 1 6 8.75Z","clip-rule":"evenodd"})])}function u(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14Zm.75-10.25a.75.75 0 0 0-1.5 0v4.69L6.03 8.22a.75.75 0 0 0-1.06 1.06l2.5 2.5a.75.75 0 0 0 1.06 0l2.5-2.5a.75.75 0 1 0-1.06-1.06L8.75 9.44V4.75Z","clip-rule":"evenodd"})])}function d(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.78 4.22a.75.75 0 0 1 0 1.06L6.56 10.5h3.69a.75.75 0 0 1 0 1.5h-5.5a.75.75 0 0 1-.75-.75v-5.5a.75.75 0 0 1 1.5 0v3.69l5.22-5.22a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function h(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7 1a.75.75 0 0 1 .75.75V6h-1.5V1.75A.75.75 0 0 1 7 1ZM6.25 6v2.94L5.03 7.72a.75.75 0 0 0-1.06 1.06l2.5 2.5a.75.75 0 0 0 1.06 0l2.5-2.5a.75.75 0 1 0-1.06-1.06L7.75 8.94V6H10a2 2 0 0 1 2 2v3a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V8a2 2 0 0 1 2-2h2.25Z"}),(0,r.createElementVNode)("path",{d:"M4.268 14A2 2 0 0 0 6 15h6a2 2 0 0 0 2-2v-3a2 2 0 0 0-1-1.732V11a3 3 0 0 1-3 3H4.268Z"})])}function p(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 1a.75.75 0 0 1 .75.75V5h-1.5V1.75A.75.75 0 0 1 8 1ZM7.25 5v4.44L6.03 8.22a.75.75 0 0 0-1.06 1.06l2.5 2.5a.75.75 0 0 0 1.06 0l2.5-2.5a.75.75 0 1 0-1.06-1.06L8.75 9.44V5H11a2 2 0 0 1 2 2v6a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V7a2 2 0 0 1 2-2h2.25Z"})])}function f(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.22 4.22a.75.75 0 0 0 0 1.06l5.22 5.22H5.75a.75.75 0 0 0 0 1.5h5.5a.75.75 0 0 0 .75-.75v-5.5a.75.75 0 0 0-1.5 0v3.69L5.28 4.22a.75.75 0 0 0-1.06 0Z","clip-rule":"evenodd"})])}function m(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.75 2.75a.75.75 0 0 0-1.5 0v5.69L5.03 6.22a.75.75 0 0 0-1.06 1.06l3.5 3.5a.75.75 0 0 0 1.06 0l3.5-3.5a.75.75 0 0 0-1.06-1.06L8.75 8.44V2.75Z"}),(0,r.createElementVNode)("path",{d:"M3.5 9.75a.75.75 0 0 0-1.5 0v1.5A2.75 2.75 0 0 0 4.75 14h6.5A2.75 2.75 0 0 0 14 11.25v-1.5a.75.75 0 0 0-1.5 0v1.5c0 .69-.56 1.25-1.25 1.25h-6.5c-.69 0-1.25-.56-1.25-1.25v-1.5Z"})])}function v(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 2a.75.75 0 0 1 .75.75v8.69l3.22-3.22a.75.75 0 1 1 1.06 1.06l-4.5 4.5a.75.75 0 0 1-1.06 0l-4.5-4.5a.75.75 0 0 1 1.06-1.06l3.22 3.22V2.75A.75.75 0 0 1 8 2Z","clip-rule":"evenodd"})])}function g(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 8a7 7 0 1 0 14 0A7 7 0 0 0 1 8Zm10.25.75a.75.75 0 0 0 0-1.5H6.56l1.22-1.22a.75.75 0 0 0-1.06-1.06l-2.5 2.5a.75.75 0 0 0 0 1.06l2.5 2.5a.75.75 0 1 0 1.06-1.06L6.56 8.75h4.69Z","clip-rule":"evenodd"})])}function w(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.75 2A2.75 2.75 0 0 0 2 4.75v6.5A2.75 2.75 0 0 0 4.75 14h3a2.75 2.75 0 0 0 2.75-2.75v-.5a.75.75 0 0 0-1.5 0v.5c0 .69-.56 1.25-1.25 1.25h-3c-.69 0-1.25-.56-1.25-1.25v-6.5c0-.69.56-1.25 1.25-1.25h3C8.44 3.5 9 4.06 9 4.75v.5a.75.75 0 0 0 1.5 0v-.5A2.75 2.75 0 0 0 7.75 2h-3Z"}),(0,r.createElementVNode)("path",{d:"M8.03 6.28a.75.75 0 0 0-1.06-1.06L4.72 7.47a.75.75 0 0 0 0 1.06l2.25 2.25a.75.75 0 1 0 1.06-1.06l-.97-.97h7.19a.75.75 0 0 0 0-1.5H7.06l.97-.97Z"})])}function y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14 4.75A2.75 2.75 0 0 0 11.25 2h-3A2.75 2.75 0 0 0 5.5 4.75v.5a.75.75 0 0 0 1.5 0v-.5c0-.69.56-1.25 1.25-1.25h3c.69 0 1.25.56 1.25 1.25v6.5c0 .69-.56 1.25-1.25 1.25h-3c-.69 0-1.25-.56-1.25-1.25v-.5a.75.75 0 0 0-1.5 0v.5A2.75 2.75 0 0 0 8.25 14h3A2.75 2.75 0 0 0 14 11.25v-6.5Zm-9.47.47a.75.75 0 0 0-1.06 0L1.22 7.47a.75.75 0 0 0 0 1.06l2.25 2.25a.75.75 0 1 0 1.06-1.06l-.97-.97h7.19a.75.75 0 0 0 0-1.5H3.56l.97-.97a.75.75 0 0 0 0-1.06Z","clip-rule":"evenodd"})])}function b(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14 8a.75.75 0 0 1-.75.75H4.56l3.22 3.22a.75.75 0 1 1-1.06 1.06l-4.5-4.5a.75.75 0 0 1 0-1.06l4.5-4.5a.75.75 0 0 1 1.06 1.06L4.56 7.25h8.69A.75.75 0 0 1 14 8Z","clip-rule":"evenodd"})])}function x(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 2a.75.75 0 0 1 .75.75v8.69l1.22-1.22a.75.75 0 1 1 1.06 1.06l-2.5 2.5a.75.75 0 0 1-1.06 0l-2.5-2.5a.75.75 0 1 1 1.06-1.06l1.22 1.22V2.75A.75.75 0 0 1 8 2Z","clip-rule":"evenodd"})])}function k(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14 8a.75.75 0 0 1-.75.75H4.56l1.22 1.22a.75.75 0 1 1-1.06 1.06l-2.5-2.5a.75.75 0 0 1 0-1.06l2.5-2.5a.75.75 0 0 1 1.06 1.06L4.56 7.25h8.69A.75.75 0 0 1 14 8Z","clip-rule":"evenodd"})])}function E(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 8c0 .414.336.75.75.75h8.69l-1.22 1.22a.75.75 0 1 0 1.06 1.06l2.5-2.5a.75.75 0 0 0 0-1.06l-2.5-2.5a.75.75 0 1 0-1.06 1.06l1.22 1.22H2.75A.75.75 0 0 0 2 8Z","clip-rule":"evenodd"})])}function A(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 14a.75.75 0 0 0 .75-.75V4.56l1.22 1.22a.75.75 0 1 0 1.06-1.06l-2.5-2.5a.75.75 0 0 0-1.06 0l-2.5 2.5a.75.75 0 0 0 1.06 1.06l1.22-1.22v8.69c0 .414.336.75.75.75Z","clip-rule":"evenodd"})])}function C(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 3.5c-.771 0-1.537.022-2.297.066a1.124 1.124 0 0 0-1.058 1.028l-.018.214a.75.75 0 1 1-1.495-.12l.018-.221a2.624 2.624 0 0 1 2.467-2.399 41.628 41.628 0 0 1 4.766 0 2.624 2.624 0 0 1 2.467 2.399c.056.662.097 1.329.122 2l.748-.748a.75.75 0 1 1 1.06 1.06l-2 2.001a.75.75 0 0 1-1.061 0l-2-1.999a.75.75 0 0 1 1.061-1.06l.689.688a39.89 39.89 0 0 0-.114-1.815 1.124 1.124 0 0 0-1.058-1.028A40.138 40.138 0 0 0 8 3.5ZM3.22 7.22a.75.75 0 0 1 1.061 0l2 2a.75.75 0 1 1-1.06 1.06l-.69-.69c.025.61.062 1.214.114 1.816.048.56.496.996 1.058 1.028a40.112 40.112 0 0 0 4.594 0 1.124 1.124 0 0 0 1.058-1.028 39.2 39.2 0 0 0 .018-.219.75.75 0 1 1 1.495.12l-.018.226a2.624 2.624 0 0 1-2.467 2.399 41.648 41.648 0 0 1-4.766 0 2.624 2.624 0 0 1-2.467-2.399 41.395 41.395 0 0 1-.122-2l-.748.748A.75.75 0 1 1 1.22 9.22l2-2Z","clip-rule":"evenodd"})])}function B(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.836 2.477a.75.75 0 0 1 .75.75v3.182a.75.75 0 0 1-.75.75h-3.182a.75.75 0 0 1 0-1.5h1.37l-.84-.841a4.5 4.5 0 0 0-7.08.932.75.75 0 0 1-1.3-.75 6 6 0 0 1 9.44-1.242l.842.84V3.227a.75.75 0 0 1 .75-.75Zm-.911 7.5A.75.75 0 0 1 13.199 11a6 6 0 0 1-9.44 1.241l-.84-.84v1.371a.75.75 0 0 1-1.5 0V9.591a.75.75 0 0 1 .75-.75H5.35a.75.75 0 0 1 0 1.5H3.98l.841.841a4.5 4.5 0 0 0 7.08-.932.75.75 0 0 1 1.025-.273Z","clip-rule":"evenodd"})])}function M(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 0 1 8a7 7 0 0 0 14 0ZM4.75 7.25a.75.75 0 0 0 0 1.5h4.69L8.22 9.97a.75.75 0 1 0 1.06 1.06l2.5-2.5a.75.75 0 0 0 0-1.06l-2.5-2.5a.75.75 0 0 0-1.06 1.06l1.22 1.22H4.75Z","clip-rule":"evenodd"})])}function _(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.25 2A2.75 2.75 0 0 1 14 4.75v6.5A2.75 2.75 0 0 1 11.25 14h-3a2.75 2.75 0 0 1-2.75-2.75v-.5a.75.75 0 0 1 1.5 0v.5c0 .69.56 1.25 1.25 1.25h3c.69 0 1.25-.56 1.25-1.25v-6.5c0-.69-.56-1.25-1.25-1.25h-3C7.56 3.5 7 4.06 7 4.75v.5a.75.75 0 0 1-1.5 0v-.5A2.75 2.75 0 0 1 8.25 2h3Z"}),(0,r.createElementVNode)("path",{d:"M7.97 6.28a.75.75 0 0 1 1.06-1.06l2.25 2.25a.75.75 0 0 1 0 1.06l-2.25 2.25a.75.75 0 1 1-1.06-1.06l.97-.97H1.75a.75.75 0 0 1 0-1.5h7.19l-.97-.97Z"})])}function S(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75A2.75 2.75 0 0 1 4.75 2h3a2.75 2.75 0 0 1 2.75 2.75v.5a.75.75 0 0 1-1.5 0v-.5c0-.69-.56-1.25-1.25-1.25h-3c-.69 0-1.25.56-1.25 1.25v6.5c0 .69.56 1.25 1.25 1.25h3c.69 0 1.25-.56 1.25-1.25v-.5a.75.75 0 0 1 1.5 0v.5A2.75 2.75 0 0 1 7.75 14h-3A2.75 2.75 0 0 1 2 11.25v-6.5Zm9.47.47a.75.75 0 0 1 1.06 0l2.25 2.25a.75.75 0 0 1 0 1.06l-2.25 2.25a.75.75 0 1 1-1.06-1.06l.97-.97H5.25a.75.75 0 0 1 0-1.5h7.19l-.97-.97a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function N(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 8a.75.75 0 0 1 .75-.75h8.69L8.22 4.03a.75.75 0 0 1 1.06-1.06l4.5 4.5a.75.75 0 0 1 0 1.06l-4.5 4.5a.75.75 0 0 1-1.06-1.06l3.22-3.22H2.75A.75.75 0 0 1 2 8Z","clip-rule":"evenodd"})])}function V(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.22 8.72a.75.75 0 0 0 1.06 1.06l5.22-5.22v1.69a.75.75 0 0 0 1.5 0v-3.5a.75.75 0 0 0-.75-.75h-3.5a.75.75 0 0 0 0 1.5h1.69L6.22 8.72Z"}),(0,r.createElementVNode)("path",{d:"M3.5 6.75c0-.69.56-1.25 1.25-1.25H7A.75.75 0 0 0 7 4H4.75A2.75 2.75 0 0 0 2 6.75v4.5A2.75 2.75 0 0 0 4.75 14h4.5A2.75 2.75 0 0 0 12 11.25V9a.75.75 0 0 0-1.5 0v2.25c0 .69-.56 1.25-1.25 1.25h-4.5c-.69 0-1.25-.56-1.25-1.25v-4.5Z"})])}function L(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.22 4.22a.75.75 0 0 1 1.06 0L6 7.94l2.761-2.762a.75.75 0 0 1 1.158.12 24.9 24.9 0 0 1 2.718 5.556l.729-1.261a.75.75 0 0 1 1.299.75l-1.591 2.755a.75.75 0 0 1-1.025.275l-2.756-1.591a.75.75 0 1 1 .75-1.3l1.097.634a23.417 23.417 0 0 0-1.984-4.211L6.53 9.53a.75.75 0 0 1-1.06 0L1.22 5.28a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function T(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.808 4.057a.75.75 0 0 1 .92-.527l3.116.849a.75.75 0 0 1 .528.915l-.823 3.121a.75.75 0 0 1-1.45-.382l.337-1.281a23.484 23.484 0 0 0-3.609 3.056.75.75 0 0 1-1.07.01L6 8.06l-3.72 3.72a.75.75 0 1 1-1.06-1.061l4.25-4.25a.75.75 0 0 1 1.06 0l1.756 1.755a25.015 25.015 0 0 1 3.508-2.85l-1.46-.398a.75.75 0 0 1-.526-.92Z","clip-rule":"evenodd"})])}function I(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.25 2a.75.75 0 0 0-.75.75v6.5H4.56l.97-.97a.75.75 0 0 0-1.06-1.06L2.22 9.47a.75.75 0 0 0 0 1.06l2.25 2.25a.75.75 0 0 0 1.06-1.06l-.97-.97h8.69A.75.75 0 0 0 14 10V2.75a.75.75 0 0 0-.75-.75Z","clip-rule":"evenodd"})])}function Z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.75 2a.75.75 0 0 1 .75.75v6.5h7.94l-.97-.97a.75.75 0 0 1 1.06-1.06l2.25 2.25a.75.75 0 0 1 0 1.06l-2.25 2.25a.75.75 0 1 1-1.06-1.06l.97-.97H2.75A.75.75 0 0 1 2 10V2.75A.75.75 0 0 1 2.75 2Z","clip-rule":"evenodd"})])}function O(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.47 2.22A.75.75 0 0 1 6 2h7.25a.75.75 0 0 1 0 1.5h-6.5v7.94l.97-.97a.75.75 0 0 1 1.06 1.06l-2.25 2.25a.75.75 0 0 1-1.06 0l-2.25-2.25a.75.75 0 1 1 1.06-1.06l.97.97V2.75a.75.75 0 0 1 .22-.53Z","clip-rule":"evenodd"})])}function D(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14 13.25a.75.75 0 0 0-.75-.75h-6.5V4.56l.97.97a.75.75 0 0 0 1.06-1.06L6.53 2.22a.75.75 0 0 0-1.06 0L3.22 4.47a.75.75 0 0 0 1.06 1.06l.97-.97v8.69c0 .414.336.75.75.75h7.25a.75.75 0 0 0 .75-.75Z","clip-rule":"evenodd"})])}function R(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 2.75c0 .414.336.75.75.75h6.5v7.94l-.97-.97a.75.75 0 0 0-1.06 1.06l2.25 2.25a.75.75 0 0 0 1.06 0l2.25-2.25a.75.75 0 1 0-1.06-1.06l-.97.97V2.75A.75.75 0 0 0 10 2H2.75a.75.75 0 0 0-.75.75Z","clip-rule":"evenodd"})])}function H(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 13.25a.75.75 0 0 1 .75-.75h6.5V4.56l-.97.97a.75.75 0 0 1-1.06-1.06l2.25-2.25a.75.75 0 0 1 1.06 0l2.25 2.25a.75.75 0 0 1-1.06 1.06l-.97-.97v8.69A.75.75 0 0 1 10 14H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function P(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.25 14a.75.75 0 0 1-.75-.75v-6.5H4.56l.97.97a.75.75 0 0 1-1.06 1.06L2.22 6.53a.75.75 0 0 1 0-1.06l2.25-2.25a.75.75 0 0 1 1.06 1.06l-.97.97h8.69A.75.75 0 0 1 14 6v7.25a.75.75 0 0 1-.75.75Z","clip-rule":"evenodd"})])}function j(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.75 14a.75.75 0 0 0 .75-.75v-6.5h7.94l-.97.97a.75.75 0 0 0 1.06 1.06l2.25-2.25a.75.75 0 0 0 0-1.06l-2.25-2.25a.75.75 0 1 0-1.06 1.06l.97.97H2.75A.75.75 0 0 0 2 6v7.25c0 .414.336.75.75.75Z","clip-rule":"evenodd"})])}function F(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a7 7 0 1 0 0 14A7 7 0 0 0 8 1Zm-.75 10.25a.75.75 0 0 0 1.5 0V6.56l1.22 1.22a.75.75 0 1 0 1.06-1.06l-2.5-2.5a.75.75 0 0 0-1.06 0l-2.5 2.5a.75.75 0 0 0 1.06 1.06l1.22-1.22v4.69Z","clip-rule":"evenodd"})])}function z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.78 11.78a.75.75 0 0 0 0-1.06L6.56 5.5h3.69a.75.75 0 0 0 0-1.5h-5.5a.75.75 0 0 0-.75.75v5.5a.75.75 0 0 0 1.5 0V6.56l5.22 5.22a.75.75 0 0 0 1.06 0Z","clip-rule":"evenodd"})])}function q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.268 14A2 2 0 0 0 7 15h4a2 2 0 0 0 2-2v-3a2 2 0 0 0-1-1.732V11a3 3 0 0 1-3 3H5.268ZM6.25 6h1.5V3.56l1.22 1.22a.75.75 0 1 0 1.06-1.06l-2.5-2.5a.75.75 0 0 0-1.06 0l-2.5 2.5a.75.75 0 0 0 1.06 1.06l1.22-1.22V6Z"}),(0,r.createElementVNode)("path",{d:"M6.25 8.75a.75.75 0 0 0 1.5 0V6H9a2 2 0 0 1 2 2v3a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V8a2 2 0 0 1 2-2h1.25v2.75Z"})])}function U(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.75 6h-1.5V3.56L6.03 4.78a.75.75 0 0 1-1.06-1.06l2.5-2.5a.75.75 0 0 1 1.06 0l2.5 2.5a.75.75 0 1 1-1.06 1.06L8.75 3.56V6H11a2 2 0 0 1 2 2v5a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V8a2 2 0 0 1 2-2h2.25v5.25a.75.75 0 0 0 1.5 0V6Z"})])}function $(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.22 11.78a.75.75 0 0 1 0-1.06L9.44 5.5H5.75a.75.75 0 0 1 0-1.5h5.5a.75.75 0 0 1 .75.75v5.5a.75.75 0 0 1-1.5 0V6.56l-5.22 5.22a.75.75 0 0 1-1.06 0Z","clip-rule":"evenodd"})])}function W(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.25 10.25a.75.75 0 0 0 1.5 0V4.56l2.22 2.22a.75.75 0 1 0 1.06-1.06l-3.5-3.5a.75.75 0 0 0-1.06 0l-3.5 3.5a.75.75 0 0 0 1.06 1.06l2.22-2.22v5.69Z"}),(0,r.createElementVNode)("path",{d:"M3.5 9.75a.75.75 0 0 0-1.5 0v1.5A2.75 2.75 0 0 0 4.75 14h6.5A2.75 2.75 0 0 0 14 11.25v-1.5a.75.75 0 0 0-1.5 0v1.5c0 .69-.56 1.25-1.25 1.25h-6.5c-.69 0-1.25-.56-1.25-1.25v-1.5Z"})])}function G(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 14a.75.75 0 0 1-.75-.75V4.56L4.03 7.78a.75.75 0 0 1-1.06-1.06l4.5-4.5a.75.75 0 0 1 1.06 0l4.5 4.5a.75.75 0 0 1-1.06 1.06L8.75 4.56v8.69A.75.75 0 0 1 8 14Z","clip-rule":"evenodd"})])}function K(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.75 3.5A2.75 2.75 0 0 0 7 6.25v5.19l2.22-2.22a.75.75 0 1 1 1.06 1.06l-3.5 3.5a.75.75 0 0 1-1.06 0l-3.5-3.5a.75.75 0 1 1 1.06-1.06l2.22 2.22V6.25a4.25 4.25 0 0 1 8.5 0v1a.75.75 0 0 1-1.5 0v-1A2.75 2.75 0 0 0 9.75 3.5Z","clip-rule":"evenodd"})])}function Y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.5 9.75A2.75 2.75 0 0 0 9.75 7H4.56l2.22 2.22a.75.75 0 1 1-1.06 1.06l-3.5-3.5a.75.75 0 0 1 0-1.06l3.5-3.5a.75.75 0 0 1 1.06 1.06L4.56 5.5h5.19a4.25 4.25 0 0 1 0 8.5h-1a.75.75 0 0 1 0-1.5h1a2.75 2.75 0 0 0 2.75-2.75Z","clip-rule":"evenodd"})])}function X(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.5 9.75A2.75 2.75 0 0 1 6.25 7h5.19L9.22 9.22a.75.75 0 1 0 1.06 1.06l3.5-3.5a.75.75 0 0 0 0-1.06l-3.5-3.5a.75.75 0 1 0-1.06 1.06l2.22 2.22H6.25a4.25 4.25 0 0 0 0 8.5h1a.75.75 0 0 0 0-1.5h-1A2.75 2.75 0 0 1 3.5 9.75Z","clip-rule":"evenodd"})])}function J(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.25 12.5A2.75 2.75 0 0 0 9 9.75V4.56L6.78 6.78a.75.75 0 0 1-1.06-1.06l3.5-3.5a.75.75 0 0 1 1.06 0l3.5 3.5a.75.75 0 0 1-1.06 1.06L10.5 4.56v5.19a4.25 4.25 0 0 1-8.5 0v-1a.75.75 0 0 1 1.5 0v1a2.75 2.75 0 0 0 2.75 2.75Z","clip-rule":"evenodd"})])}function Q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.22 2.22a.75.75 0 0 1 1.06 0L5.5 4.44V2.75a.75.75 0 0 1 1.5 0v3.5a.75.75 0 0 1-.75.75h-3.5a.75.75 0 0 1 0-1.5h1.69L2.22 3.28a.75.75 0 0 1 0-1.06Zm10.5 0a.75.75 0 1 1 1.06 1.06L11.56 5.5h1.69a.75.75 0 0 1 0 1.5h-3.5A.75.75 0 0 1 9 6.25v-3.5a.75.75 0 0 1 1.5 0v1.69l2.22-2.22ZM2.75 9h3.5a.75.75 0 0 1 .75.75v3.5a.75.75 0 0 1-1.5 0v-1.69l-2.22 2.22a.75.75 0 0 1-1.06-1.06l2.22-2.22H2.75a.75.75 0 0 1 0-1.5ZM9 9.75A.75.75 0 0 1 9.75 9h3.5a.75.75 0 0 1 0 1.5h-1.69l2.22 2.22a.75.75 0 1 1-1.06 1.06l-2.22-2.22v1.69a.75.75 0 0 1-1.5 0v-3.5Z","clip-rule":"evenodd"})])}function ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.75 9a.75.75 0 0 1 .75.75v1.69l2.22-2.22a.75.75 0 0 1 1.06 1.06L4.56 12.5h1.69a.75.75 0 0 1 0 1.5h-3.5a.75.75 0 0 1-.75-.75v-3.5A.75.75 0 0 1 2.75 9ZM2.75 7a.75.75 0 0 0 .75-.75V4.56l2.22 2.22a.75.75 0 0 0 1.06-1.06L4.56 3.5h1.69a.75.75 0 0 0 0-1.5h-3.5a.75.75 0 0 0-.75.75v3.5c0 .414.336.75.75.75ZM13.25 9a.75.75 0 0 0-.75.75v1.69l-2.22-2.22a.75.75 0 1 0-1.06 1.06l2.22 2.22H9.75a.75.75 0 0 0 0 1.5h3.5a.75.75 0 0 0 .75-.75v-3.5a.75.75 0 0 0-.75-.75ZM13.25 7a.75.75 0 0 1-.75-.75V4.56l-2.22 2.22a.75.75 0 1 1-1.06-1.06l2.22-2.22H9.75a.75.75 0 0 1 0-1.5h3.5a.75.75 0 0 1 .75.75v3.5a.75.75 0 0 1-.75.75Z","clip-rule":"evenodd"})])}function te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.47 2.22a.75.75 0 0 1 1.06 0l2.25 2.25a.75.75 0 0 1 0 1.06l-2.25 2.25a.75.75 0 1 1-1.06-1.06l.97-.97H5.75a.75.75 0 0 1 0-1.5h5.69l-.97-.97a.75.75 0 0 1 0-1.06Zm-4.94 6a.75.75 0 0 1 0 1.06l-.97.97h5.69a.75.75 0 0 1 0 1.5H4.56l.97.97a.75.75 0 1 1-1.06 1.06l-2.25-2.25a.75.75 0 0 1 0-1.06l2.25-2.25a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.78 10.47a.75.75 0 0 1 0 1.06l-2.25 2.25a.75.75 0 0 1-1.06 0l-2.25-2.25a.75.75 0 1 1 1.06-1.06l.97.97V5.75a.75.75 0 0 1 1.5 0v5.69l.97-.97a.75.75 0 0 1 1.06 0ZM2.22 5.53a.75.75 0 0 1 0-1.06l2.25-2.25a.75.75 0 0 1 1.06 0l2.25 2.25a.75.75 0 0 1-1.06 1.06l-.97-.97v5.69a.75.75 0 0 1-1.5 0V4.56l-.97.97a.75.75 0 0 1-1.06 0Z","clip-rule":"evenodd"})])}function re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.89 4.111a5.5 5.5 0 1 0 0 7.778.75.75 0 1 1 1.06 1.061A7 7 0 1 1 15 8a2.5 2.5 0 0 1-4.083 1.935A3.5 3.5 0 1 1 11.5 8a1 1 0 0 0 2 0 5.48 5.48 0 0 0-1.61-3.889ZM10 8a2 2 0 1 0-4 0 2 2 0 0 0 4 0Z","clip-rule":"evenodd"})])}function oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.414 3c-.464 0-.909.184-1.237.513L1.22 7.47a.75.75 0 0 0 0 1.06l3.957 3.957A1.75 1.75 0 0 0 6.414 13h5.836A2.75 2.75 0 0 0 15 10.25v-4.5A2.75 2.75 0 0 0 12.25 3H6.414ZM8.28 5.72a.75.75 0 0 0-1.06 1.06L8.44 8 7.22 9.22a.75.75 0 1 0 1.06 1.06L9.5 9.06l1.22 1.22a.75.75 0 1 0 1.06-1.06L10.56 8l1.22-1.22a.75.75 0 0 0-1.06-1.06L9.5 6.94 8.28 5.72Z","clip-rule":"evenodd"})])}function ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.5 4.75a.75.75 0 0 0-1.107-.66l-6 3.25a.75.75 0 0 0 0 1.32l6 3.25a.75.75 0 0 0 1.107-.66V8.988l5.393 2.921A.75.75 0 0 0 15 11.25v-6.5a.75.75 0 0 0-1.107-.66L8.5 7.013V4.75Z"})])}function ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 3a1 1 0 0 1 1-1h12a1 1 0 0 1 1 1v6a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V3Zm9 3a2 2 0 1 1-4 0 2 2 0 0 1 4 0Zm-6.25-.75a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5ZM11.5 6A.75.75 0 1 1 13 6a.75.75 0 0 1-1.5 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M13 11.75a.75.75 0 0 0-1.5 0v.179c0 .15-.138.28-.306.255A65.277 65.277 0 0 0 1.75 11.5a.75.75 0 0 0 0 1.5c3.135 0 6.215.228 9.227.668A1.764 1.764 0 0 0 13 11.928v-.178Z"})])}function le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75A.75.75 0 0 1 2.75 4h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 4.75Zm0 6.5a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.75A.75.75 0 0 1 2.75 3h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 3.75ZM2 8a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 8Zm0 4.25a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.75A.75.75 0 0 1 2.75 3h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 3.75ZM2 8a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 8Zm6 4.25a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.75A.75.75 0 0 1 2.75 3h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 3.75ZM2 8a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-4.5A.75.75 0 0 1 2 8Zm0 4.25a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function de(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.75A.75.75 0 0 1 2.75 3h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 3.75ZM2 8a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 8Zm0 4.25a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function he(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 2.75A.75.75 0 0 1 2.75 2h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 2.75Zm0 10.5a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75ZM2 6.25a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 6.25Zm0 3.5A.75.75 0 0 1 2.75 9h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 9.75Z","clip-rule":"evenodd"})])}function pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 2.75A.75.75 0 0 1 2.75 2h9.5a.75.75 0 0 1 0 1.5h-9.5A.75.75 0 0 1 2 2.75ZM2 6.25a.75.75 0 0 1 .75-.75h5.5a.75.75 0 0 1 0 1.5h-5.5A.75.75 0 0 1 2 6.25Zm0 3.5A.75.75 0 0 1 2.75 9h3.5a.75.75 0 0 1 0 1.5h-3.5A.75.75 0 0 1 2 9.75ZM14.78 11.47a.75.75 0 0 1 0 1.06l-2.25 2.25a.75.75 0 0 1-1.06 0l-2.25-2.25a.75.75 0 1 1 1.06-1.06l.97.97V6.75a.75.75 0 0 1 1.5 0v5.69l.97-.97a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 2.75A.75.75 0 0 1 2.75 2h9.5a.75.75 0 0 1 0 1.5h-9.5A.75.75 0 0 1 2 2.75ZM2 6.25a.75.75 0 0 1 .75-.75h5.5a.75.75 0 0 1 0 1.5h-5.5A.75.75 0 0 1 2 6.25Zm0 3.5A.75.75 0 0 1 2.75 9h3.5a.75.75 0 0 1 0 1.5h-3.5A.75.75 0 0 1 2 9.75ZM9.22 9.53a.75.75 0 0 1 0-1.06l2.25-2.25a.75.75 0 0 1 1.06 0l2.25 2.25a.75.75 0 0 1-1.06 1.06l-.97-.97v5.69a.75.75 0 0 1-1.5 0V8.56l-.97.97a.75.75 0 0 1-1.06 0Z","clip-rule":"evenodd"})])}function me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 6.25A2.25 2.25 0 0 1 3.25 4h8.5A2.25 2.25 0 0 1 14 6.25v.085a1.5 1.5 0 0 1 1 1.415v.5a1.5 1.5 0 0 1-1 1.415v.085A2.25 2.25 0 0 1 11.75 12h-8.5A2.25 2.25 0 0 1 1 9.75v-3.5Zm2.25-.75a.75.75 0 0 0-.75.75v3.5c0 .414.336.75.75.75h8.5a.75.75 0 0 0 .75-.75v-3.5a.75.75 0 0 0-.75-.75h-8.5Z","clip-rule":"evenodd"})])}function ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4 7.75A.75.75 0 0 1 4.75 7h5.5a.75.75 0 0 1 .75.75v.5a.75.75 0 0 1-.75.75h-5.5A.75.75 0 0 1 4 8.25v-.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.25 4A2.25 2.25 0 0 0 1 6.25v3.5A2.25 2.25 0 0 0 3.25 12h8.5A2.25 2.25 0 0 0 14 9.75v-.085a1.5 1.5 0 0 0 1-1.415v-.5a1.5 1.5 0 0 0-1-1.415V6.25A2.25 2.25 0 0 0 11.75 4h-8.5ZM2.5 6.25a.75.75 0 0 1 .75-.75h8.5a.75.75 0 0 1 .75.75v3.5a.75.75 0 0 1-.75.75h-8.5a.75.75 0 0 1-.75-.75v-3.5Z","clip-rule":"evenodd"})])}function ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 6.25A2.25 2.25 0 0 1 3.25 4h8.5A2.25 2.25 0 0 1 14 6.25v.085a1.5 1.5 0 0 1 1 1.415v.5a1.5 1.5 0 0 1-1 1.415v.085A2.25 2.25 0 0 1 11.75 12h-8.5A2.25 2.25 0 0 1 1 9.75v-3.5Zm2.25-.75a.75.75 0 0 0-.75.75v3.5c0 .414.336.75.75.75h8.5a.75.75 0 0 0 .75-.75v-3.5a.75.75 0 0 0-.75-.75h-8.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M4.75 7a.75.75 0 0 0-.75.75v.5c0 .414.336.75.75.75h2a.75.75 0 0 0 .75-.75v-.5A.75.75 0 0 0 6.75 7h-2Z"})])}function we(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11 3.5v2.257c0 .597.237 1.17.659 1.591l2.733 2.733c.39.39.608.918.608 1.469a2.04 2.04 0 0 1-1.702 2.024C11.573 13.854 9.803 14 8 14s-3.573-.146-5.298-.426A2.04 2.04 0 0 1 1 11.55c0-.551.219-1.08.608-1.47l2.733-2.732A2.25 2.25 0 0 0 5 5.758V3.5h-.25a.75.75 0 0 1 0-1.5h6.5a.75.75 0 0 1 0 1.5H11ZM6.5 5.757V3.5h3v2.257a3.75 3.75 0 0 0 1.098 2.652l.158.158a3.36 3.36 0 0 0-.075.034c-.424.2-.916.194-1.335-.016l-1.19-.595a4.943 4.943 0 0 0-2.07-.52A3.75 3.75 0 0 0 6.5 5.757Z","clip-rule":"evenodd"})])}function ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.6 1.7A.75.75 0 1 0 2.4.799a6.978 6.978 0 0 0-1.123 2.247.75.75 0 1 0 1.44.418c.187-.644.489-1.24.883-1.764ZM13.6.799a.75.75 0 1 0-1.2.9 5.48 5.48 0 0 1 .883 1.765.75.75 0 1 0 1.44-.418A6.978 6.978 0 0 0 13.6.799Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a4 4 0 0 1 4 4v2.379c0 .398.158.779.44 1.06l1.267 1.268a1 1 0 0 1 .293.707V11a1 1 0 0 1-1 1h-2a3 3 0 1 1-6 0H3a1 1 0 0 1-1-1v-.586a1 1 0 0 1 .293-.707L3.56 8.44A1.5 1.5 0 0 0 4 7.38V5a4 4 0 0 1 4-4Zm0 12.5A1.5 1.5 0 0 1 6.5 12h3A1.5 1.5 0 0 1 8 13.5Z","clip-rule":"evenodd"})])}function be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 7.379v-.904l6.743 6.742A3 3 0 0 1 5 12H3a1 1 0 0 1-1-1v-.586a1 1 0 0 1 .293-.707L3.56 8.44A1.5 1.5 0 0 0 4 7.38ZM6.5 12a1.5 1.5 0 0 0 3 0h-3Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14 11a.997.997 0 0 1-.096.429L4.92 2.446A4 4 0 0 1 12 5v2.379c0 .398.158.779.44 1.06l1.267 1.268a1 1 0 0 1 .293.707V11ZM2.22 2.22a.75.75 0 0 1 1.06 0l10.5 10.5a.75.75 0 1 1-1.06 1.06L2.22 3.28a.75.75 0 0 1 0-1.06Z"})])}function xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a4 4 0 0 1 4 4v2.379c0 .398.158.779.44 1.06l1.267 1.268a1 1 0 0 1 .293.707V11a1 1 0 0 1-1 1h-2a3 3 0 1 1-6 0H3a1 1 0 0 1-1-1v-.586a1 1 0 0 1 .293-.707L3.56 8.44A1.5 1.5 0 0 0 4 7.38V5a4 4 0 0 1 4-4Zm0 12.5A1.5 1.5 0 0 1 6.5 12h3A1.5 1.5 0 0 1 8 13.5ZM6.75 4a.75.75 0 0 0 0 1.5h1.043L6.14 7.814A.75.75 0 0 0 6.75 9h2.5a.75.75 0 1 0 0-1.5H8.207L9.86 5.186A.75.75 0 0 0 9.25 4h-2.5Z","clip-rule":"evenodd"})])}function ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 5a4 4 0 0 0-8 0v2.379a1.5 1.5 0 0 1-.44 1.06L2.294 9.707a1 1 0 0 0-.293.707V11a1 1 0 0 0 1 1h2a3 3 0 1 0 6 0h2a1 1 0 0 0 1-1v-.586a1 1 0 0 0-.293-.707L12.44 8.44A1.5 1.5 0 0 1 12 7.38V5Zm-5.5 7a1.5 1.5 0 0 0 3 0h-3Z","clip-rule":"evenodd"})])}function Ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a1 1 0 0 1 1-1h5a3.5 3.5 0 0 1 2.843 5.541A3.75 3.75 0 0 1 9.25 14H4a1 1 0 0 1-1-1V3Zm2.5 3.5v-2H9a1 1 0 0 1 0 2H5.5Zm0 2.5v2.5h3.75a1.25 1.25 0 1 0 0-2.5H5.5Z","clip-rule":"evenodd"})])}function Ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9.58 1.077a.75.75 0 0 1 .405.82L9.165 6h4.085a.75.75 0 0 1 .567 1.241l-1.904 2.197L6.385 3.91 8.683 1.26a.75.75 0 0 1 .897-.182ZM4.087 6.562l5.528 5.528-2.298 2.651a.75.75 0 0 1-1.302-.638L6.835 10H2.75a.75.75 0 0 1-.567-1.241l1.904-2.197ZM2.22 2.22a.75.75 0 0 1 1.06 0l10.5 10.5a.75.75 0 1 1-1.06 1.06L2.22 3.28a.75.75 0 0 1 0-1.06Z"})])}function Ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.58 1.077a.75.75 0 0 1 .405.82L9.165 6h4.085a.75.75 0 0 1 .567 1.241l-6.5 7.5a.75.75 0 0 1-1.302-.638L6.835 10H2.75a.75.75 0 0 1-.567-1.241l6.5-7.5a.75.75 0 0 1 .897-.182Z","clip-rule":"evenodd"})])}function Be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.25 3.688a8.035 8.035 0 0 0-4.872-.523A.48.48 0 0 0 2 3.64v7.994c0 .345.342.588.679.512a6.02 6.02 0 0 1 4.571.81V3.688ZM8.75 12.956a6.02 6.02 0 0 1 4.571-.81c.337.075.679-.167.679-.512V3.64a.48.48 0 0 0-.378-.475 8.034 8.034 0 0 0-4.872.523v9.268Z"})])}function Me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13 2.75v7.775L4.475 2h7.775a.75.75 0 0 1 .75.75ZM3 13.25V5.475l4.793 4.793L4.28 13.78A.75.75 0 0 1 3 13.25ZM2.22 2.22a.75.75 0 0 1 1.06 0l10.5 10.5a.75.75 0 1 1-1.06 1.06L2.22 3.28a.75.75 0 0 1 0-1.06Z"})])}function _e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H4Zm1 2.25a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 .75.75v6a.75.75 0 0 1-1.28.53L8 9.06l-1.72 1.72A.75.75 0 0 1 5 10.25v-6Z","clip-rule":"evenodd"})])}function Se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.75 2a.75.75 0 0 0-.75.75v10.5a.75.75 0 0 0 1.28.53L8 10.06l3.72 3.72a.75.75 0 0 0 1.28-.53V2.75a.75.75 0 0 0-.75-.75h-8.5Z"})])}function Ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11 4V3a2 2 0 0 0-2-2H7a2 2 0 0 0-2 2v1H4a2 2 0 0 0-2 2v3a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V6a2 2 0 0 0-2-2h-1ZM9 2.5H7a.5.5 0 0 0-.5.5v1h3V3a.5.5 0 0 0-.5-.5ZM9 9a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M3 11.83V12a2 2 0 0 0 2 2h6a2 2 0 0 0 2-2v-.17c-.313.11-.65.17-1 .17H4c-.35 0-.687-.06-1-.17Z"})])}function Ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.983 1.364a.75.75 0 0 0-1.281.78c.096.158.184.321.264.489a5.48 5.48 0 0 1-.713.386A2.993 2.993 0 0 0 8 2c-.898 0-1.703.394-2.253 1.02a5.485 5.485 0 0 1-.713-.387c.08-.168.168-.33.264-.489a.75.75 0 1 0-1.28-.78c-.245.401-.45.83-.61 1.278a.75.75 0 0 0 .239.84 7 7 0 0 0 1.422.876A3.01 3.01 0 0 0 5 5c0 .126.072.24.183.3.386.205.796.37 1.227.487-.126.165-.227.35-.297.549A10.418 10.418 0 0 1 3.51 5.5a10.686 10.686 0 0 1-.008-.733.75.75 0 0 0-1.5-.033 12.222 12.222 0 0 0 .041 1.31.75.75 0 0 0 .4.6A11.922 11.922 0 0 0 6.199 7.87c.04.084.088.166.14.243l-.214.031-.027.005c-1.299.207-2.529.622-3.654 1.211a.75.75 0 0 0-.4.6 12.148 12.148 0 0 0 .197 3.443.75.75 0 0 0 1.47-.299 10.551 10.551 0 0 1-.2-2.6c.352-.167.714-.314 1.085-.441-.063.3-.096.614-.096.936 0 2.21 1.567 4 3.5 4s3.5-1.79 3.5-4c0-.322-.034-.636-.097-.937.372.128.734.275 1.085.442a10.703 10.703 0 0 1-.199 2.6.75.75 0 1 0 1.47.3 12.049 12.049 0 0 0 .197-3.443.75.75 0 0 0-.4-.6 11.921 11.921 0 0 0-3.671-1.215l-.011-.002a11.95 11.95 0 0 0-.213-.03c.052-.078.1-.16.14-.244 1.336-.202 2.6-.623 3.755-1.227a.75.75 0 0 0 .4-.6 12.178 12.178 0 0 0 .041-1.31.75.75 0 0 0-1.5.033 11.061 11.061 0 0 1-.008.733c-.815.386-1.688.67-2.602.836-.07-.2-.17-.384-.297-.55.43-.117.842-.282 1.228-.488A.34.34 0 0 0 11 5c0-.22-.024-.435-.069-.642a7 7 0 0 0 1.422-.876.75.75 0 0 0 .24-.84 6.97 6.97 0 0 0-.61-1.278Z"})])}function Le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.605 2.112a.75.75 0 0 1 .79 0l5.25 3.25A.75.75 0 0 1 13 6.707V12.5h.25a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1 0-1.5H3V6.707a.75.75 0 0 1-.645-1.345l5.25-3.25ZM4.5 8.75a.75.75 0 0 1 1.5 0v3a.75.75 0 0 1-1.5 0v-3ZM8 8a.75.75 0 0 0-.75.75v3a.75.75 0 0 0 1.5 0v-3A.75.75 0 0 0 8 8Zm2 .75a.75.75 0 0 1 1.5 0v3a.75.75 0 0 1-1.5 0v-3ZM8 6a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function Te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.75 2a.75.75 0 0 0 0 1.5H2v9h-.25a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 .75-.75v-1.5a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 .75.75v1.5c0 .414.336.75.75.75h.5a.75.75 0 0 0 .75-.75V3.5h.25a.75.75 0 0 0 0-1.5h-7.5ZM3.5 5.5A.5.5 0 0 1 4 5h.5a.5.5 0 0 1 .5.5V6a.5.5 0 0 1-.5.5H4a.5.5 0 0 1-.5-.5v-.5Zm.5 2a.5.5 0 0 0-.5.5v.5A.5.5 0 0 0 4 9h.5a.5.5 0 0 0 .5-.5V8a.5.5 0 0 0-.5-.5H4Zm2-2a.5.5 0 0 1 .5-.5H7a.5.5 0 0 1 .5.5V6a.5.5 0 0 1-.5.5h-.5A.5.5 0 0 1 6 6v-.5Zm.5 2A.5.5 0 0 0 6 8v.5a.5.5 0 0 0 .5.5H7a.5.5 0 0 0 .5-.5V8a.5.5 0 0 0-.5-.5h-.5ZM11.5 6a1 1 0 0 0-1 1v6a1 1 0 0 0 1 1h2.75a.75.75 0 0 0 0-1.5H14v-5h.25a.75.75 0 0 0 0-1.5H11.5Zm.5 1.5h.5a.5.5 0 0 1 .5.5v.5a.5.5 0 0 1-.5.5H12a.5.5 0 0 1-.5-.5V8a.5.5 0 0 1 .5-.5Zm0 2.5a.5.5 0 0 0-.5.5v.5a.5.5 0 0 0 .5.5h.5a.5.5 0 0 0 .5-.5v-.5a.5.5 0 0 0-.5-.5H12Z","clip-rule":"evenodd"})])}function Ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 2a.75.75 0 0 0 0 1.5H4v9h-.25a.75.75 0 0 0 0 1.5H6a.5.5 0 0 0 .5-.5v-3A.5.5 0 0 1 7 10h2a.5.5 0 0 1 .5.5v3a.5.5 0 0 0 .5.5h2.25a.75.75 0 0 0 0-1.5H12v-9h.25a.75.75 0 0 0 0-1.5h-8.5ZM6.5 4a.5.5 0 0 0-.5.5V5a.5.5 0 0 0 .5.5H7a.5.5 0 0 0 .5-.5v-.5A.5.5 0 0 0 7 4h-.5ZM6 7a.5.5 0 0 1 .5-.5H7a.5.5 0 0 1 .5.5v.5A.5.5 0 0 1 7 8h-.5a.5.5 0 0 1-.5-.5V7Zm3-3a.5.5 0 0 0-.5.5V5a.5.5 0 0 0 .5.5h.5A.5.5 0 0 0 10 5v-.5a.5.5 0 0 0-.5-.5H9Zm-.5 3a.5.5 0 0 1 .5-.5h.5a.5.5 0 0 1 .5.5v.5a.5.5 0 0 1-.5.5H9a.5.5 0 0 1-.5-.5V7Z","clip-rule":"evenodd"})])}function Ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.5 7c.681 0 1.3-.273 1.75-.715C6.7 6.727 7.319 7 8 7s1.3-.273 1.75-.715A2.5 2.5 0 1 0 11.5 2h-7a2.5 2.5 0 0 0 0 5ZM6.25 8.097A3.986 3.986 0 0 1 4.5 8.5c-.53 0-1.037-.103-1.5-.29v4.29h-.25a.75.75 0 0 0 0 1.5h.5a.754.754 0 0 0 .138-.013A.5.5 0 0 0 3.5 14H6a.5.5 0 0 0 .5-.5v-3A.5.5 0 0 1 7 10h2a.5.5 0 0 1 .5.5v3a.5.5 0 0 0 .5.5h2.5a.5.5 0 0 0 .112-.013c.045.009.09.013.138.013h.5a.75.75 0 1 0 0-1.5H13V8.21c-.463.187-.97.29-1.5.29a3.986 3.986 0 0 1-1.75-.403A3.986 3.986 0 0 1 8 8.5a3.986 3.986 0 0 1-1.75-.403Z"})])}function Oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m4.75 1-.884.884a1.25 1.25 0 1 0 1.768 0L4.75 1ZM11.25 1l-.884.884a1.25 1.25 0 1 0 1.768 0L11.25 1ZM8.884 1.884 8 1l-.884.884a1.25 1.25 0 1 0 1.768 0ZM4 7a2 2 0 0 0-2 2v1.034c.347 0 .694-.056 1.028-.167l.47-.157a4.75 4.75 0 0 1 3.004 0l.47.157a3.25 3.25 0 0 0 2.056 0l.47-.157a4.75 4.75 0 0 1 3.004 0l.47.157c.334.111.681.167 1.028.167V9a2 2 0 0 0-2-2V5.75a.75.75 0 0 0-1.5 0V7H8.75V5.75a.75.75 0 0 0-1.5 0V7H5.5V5.75a.75.75 0 0 0-1.5 0V7ZM14 11.534a4.749 4.749 0 0 1-1.502-.244l-.47-.157a3.25 3.25 0 0 0-2.056 0l-.47.157a4.75 4.75 0 0 1-3.004 0l-.47-.157a3.25 3.25 0 0 0-2.056 0l-.47.157A4.748 4.748 0 0 1 2 11.534V13a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1v-1.466Z"})])}function De(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 1a2 2 0 0 0-2 2v10a2 2 0 0 0 2 2h6a2 2 0 0 0 2-2V3a2 2 0 0 0-2-2H5Zm.75 6a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5ZM5 3.75A.75.75 0 0 1 5.75 3h4.5a.75.75 0 0 1 0 1.5h-4.5A.75.75 0 0 1 5 3.75Zm.75 7.75a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5ZM5 10a.75.75 0 1 1 1.5 0A.75.75 0 0 1 5 10Zm5.25-3a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5Zm-.75 3a.75.75 0 0 1 1.5 0v2.25a.75.75 0 0 1-1.5 0V10ZM8 7a.75.75 0 1 0 0 1.5A.75.75 0 0 0 8 7Zm-.75 5.25a.75.75 0 1 1 1.5 0 .75.75 0 0 1-1.5 0Zm.75-3a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5Z","clip-rule":"evenodd"})])}function Re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.75 7.5a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5ZM7.25 8.25A.75.75 0 0 1 8 7.5h2.25a.75.75 0 0 1 0 1.5H8a.75.75 0 0 1-.75-.75ZM5.75 9.5a.75.75 0 0 0 0 1.5H8a.75.75 0 0 0 0-1.5H5.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.75 1a.75.75 0 0 0-.75.75V3a2 2 0 0 0-2 2v7a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V5a2 2 0 0 0-2-2V1.75a.75.75 0 0 0-1.5 0V3h-5V1.75A.75.75 0 0 0 4.75 1ZM3.5 7a1 1 0 0 1 1-1h7a1 1 0 0 1 1 1v4.5a1 1 0 0 1-1 1h-7a1 1 0 0 1-1-1V7Z","clip-rule":"evenodd"})])}function He(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.75 7.5a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5ZM5 10.25a.75.75 0 1 1 1.5 0 .75.75 0 0 1-1.5 0ZM10.25 7.5a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5ZM7.25 8.25a.75.75 0 1 1 1.5 0 .75.75 0 0 1-1.5 0ZM8 9.5A.75.75 0 1 0 8 11a.75.75 0 0 0 0-1.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.75 1a.75.75 0 0 0-.75.75V3a2 2 0 0 0-2 2v7a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V5a2 2 0 0 0-2-2V1.75a.75.75 0 0 0-1.5 0V3h-5V1.75A.75.75 0 0 0 4.75 1ZM3.5 7a1 1 0 0 1 1-1h7a1 1 0 0 1 1 1v4.5a1 1 0 0 1-1 1h-7a1 1 0 0 1-1-1V7Z","clip-rule":"evenodd"})])}function Pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 1.75a.75.75 0 0 1 1.5 0V3h5V1.75a.75.75 0 0 1 1.5 0V3a2 2 0 0 1 2 2v7a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V5a2 2 0 0 1 2-2V1.75ZM4.5 6a1 1 0 0 0-1 1v4.5a1 1 0 0 0 1 1h7a1 1 0 0 0 1-1V7a1 1 0 0 0-1-1h-7Z","clip-rule":"evenodd"})])}function je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9.5 8.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 5A1.5 1.5 0 0 0 1 6.5v5A1.5 1.5 0 0 0 2.5 13h11a1.5 1.5 0 0 0 1.5-1.5v-5A1.5 1.5 0 0 0 13.5 5h-.879a1.5 1.5 0 0 1-1.06-.44l-1.122-1.12A1.5 1.5 0 0 0 9.38 3H6.62a1.5 1.5 0 0 0-1.06.44L4.439 4.56A1.5 1.5 0 0 1 3.38 5H2.5ZM11 8.5a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z","clip-rule":"evenodd"})])}function Fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H4Zm.75 7a.75.75 0 0 0-.75.75v1.5a.75.75 0 0 0 1.5 0v-1.5A.75.75 0 0 0 4.75 9Zm2.5-1.75a.75.75 0 0 1 1.5 0v4a.75.75 0 0 1-1.5 0v-4Zm4-3.25a.75.75 0 0 0-.75.75v6.5a.75.75 0 0 0 1.5 0v-6.5a.75.75 0 0 0-.75-.75Z","clip-rule":"evenodd"})])}function ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 2a1 1 0 0 0-1 1v10a1 1 0 0 0 1 1h1a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1h-1ZM6.5 6a1 1 0 0 1 1-1h1a1 1 0 0 1 1 1v7a1 1 0 0 1-1 1h-1a1 1 0 0 1-1-1V6ZM2 9a1 1 0 0 1 1-1h1a1 1 0 0 1 1 1v4a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V9Z"})])}function qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.975 6.5c.028.276-.199.5-.475.5h-4a.5.5 0 0 1-.5-.5v-4c0-.276.225-.503.5-.475A5.002 5.002 0 0 1 13.974 6.5Z"}),(0,r.createElementVNode)("path",{d:"M6.5 4.025c.276-.028.5.199.5.475v4a.5.5 0 0 0 .5.5h4c.276 0 .503.225.475.5a5 5 0 1 1-5.474-5.475Z"})])}function Ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 8.74c0 .983.713 1.825 1.69 1.943.904.108 1.817.19 2.737.243.363.02.688.231.85.556l1.052 2.103a.75.75 0 0 0 1.342 0l1.052-2.103c.162-.325.487-.535.85-.556.92-.053 1.833-.134 2.738-.243.976-.118 1.689-.96 1.689-1.942V4.259c0-.982-.713-1.824-1.69-1.942a44.45 44.45 0 0 0-10.62 0C1.712 2.435 1 3.277 1 4.26v4.482Zm3-3.49a.75.75 0 0 1 .75-.75h6.5a.75.75 0 0 1 0 1.5h-6.5A.75.75 0 0 1 4 5.25ZM4.75 7a.75.75 0 0 0 0 1.5h2.5a.75.75 0 0 0 0-1.5h-2.5Z","clip-rule":"evenodd"})])}function $e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 8.74c0 .983.713 1.825 1.69 1.943.904.108 1.817.19 2.737.243.363.02.688.231.85.556l1.052 2.103a.75.75 0 0 0 1.342 0l1.052-2.103c.162-.325.487-.535.85-.556.92-.053 1.833-.134 2.738-.243.976-.118 1.689-.96 1.689-1.942V4.259c0-.982-.713-1.824-1.69-1.942a44.45 44.45 0 0 0-10.62 0C1.712 2.435 1 3.277 1 4.26v4.482Z"})])}function We(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 8.74c0 .983.713 1.825 1.69 1.943.764.092 1.534.164 2.31.216v2.351a.75.75 0 0 0 1.28.53l2.51-2.51c.182-.181.427-.286.684-.294a44.298 44.298 0 0 0 3.837-.293C14.287 10.565 15 9.723 15 8.74V4.26c0-.983-.713-1.825-1.69-1.943a44.447 44.447 0 0 0-10.62 0C1.712 2.435 1 3.277 1 4.26v4.482ZM5.5 6.5a1 1 0 1 1-2 0 1 1 0 0 1 2 0Zm2.5 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2Zm3.5 0a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function Ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 8.849c0 1 .738 1.851 1.734 1.947L3 10.82v2.429a.75.75 0 0 0 1.28.53l1.82-1.82A3.484 3.484 0 0 1 5.5 10V9A3.5 3.5 0 0 1 9 5.5h4V4.151c0-1-.739-1.851-1.734-1.947a44.539 44.539 0 0 0-8.532 0C1.738 2.3 1 3.151 1 4.151V8.85Z"}),(0,r.createElementVNode)("path",{d:"M7 9a2 2 0 0 1 2-2h4a2 2 0 0 1 2 2v1a2 2 0 0 1-2 2h-.25v1.25a.75.75 0 0 1-1.28.53L9.69 12H9a2 2 0 0 1-2-2V9Z"})])}function Ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 8.74c0 .983.713 1.825 1.69 1.943.764.092 1.534.164 2.31.216v2.351a.75.75 0 0 0 1.28.53l2.51-2.51c.182-.181.427-.286.684-.294a44.298 44.298 0 0 0 3.837-.293C14.287 10.565 15 9.723 15 8.74V4.26c0-.983-.713-1.825-1.69-1.943a44.447 44.447 0 0 0-10.62 0C1.712 2.435 1 3.277 1 4.26v4.482Z"})])}function Ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 2C4.262 2 1 4.57 1 8c0 1.86.98 3.486 2.455 4.566a3.472 3.472 0 0 1-.469 1.26.75.75 0 0 0 .713 1.14 6.961 6.961 0 0 0 3.06-1.06c.403.062.818.094 1.241.094 3.738 0 7-2.57 7-6s-3.262-6-7-6ZM5 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2Zm7-1a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM8 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function Xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 8c0-3.43 3.262-6 7-6s7 2.57 7 6-3.262 6-7 6c-.423 0-.838-.032-1.241-.094-.9.574-1.941.948-3.06 1.06a.75.75 0 0 1-.713-1.14c.232-.378.395-.804.469-1.26C1.979 11.486 1 9.86 1 8Z","clip-rule":"evenodd"})])}function Je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8c0 .982-.472 1.854-1.202 2.402a2.995 2.995 0 0 1-.848 2.547 2.995 2.995 0 0 1-2.548.849A2.996 2.996 0 0 1 8 15a2.996 2.996 0 0 1-2.402-1.202 2.995 2.995 0 0 1-2.547-.848 2.995 2.995 0 0 1-.849-2.548A2.996 2.996 0 0 1 1 8c0-.982.472-1.854 1.202-2.402a2.995 2.995 0 0 1 .848-2.547 2.995 2.995 0 0 1 2.548-.849A2.995 2.995 0 0 1 8 1c.982 0 1.854.472 2.402 1.202a2.995 2.995 0 0 1 2.547.848c.695.695.978 1.645.849 2.548A2.996 2.996 0 0 1 15 8Zm-3.291-2.843a.75.75 0 0 1 .135 1.052l-4.25 5.5a.75.75 0 0 1-1.151.043l-2.25-2.5a.75.75 0 1 1 1.114-1.004l1.65 1.832 3.7-4.789a.75.75 0 0 1 1.052-.134Z","clip-rule":"evenodd"})])}function Qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14Zm3.844-8.791a.75.75 0 0 0-1.188-.918l-3.7 4.79-1.649-1.833a.75.75 0 1 0-1.114 1.004l2.25 2.5a.75.75 0 0 0 1.15-.043l4.25-5.5Z","clip-rule":"evenodd"})])}function et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.416 3.376a.75.75 0 0 1 .208 1.04l-5 7.5a.75.75 0 0 1-1.154.114l-3-3a.75.75 0 0 1 1.06-1.06l2.353 2.353 4.493-6.74a.75.75 0 0 1 1.04-.207Z","clip-rule":"evenodd"})])}function tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.47 12.78a.75.75 0 0 0 1.06 0l3.25-3.25a.75.75 0 0 0-1.06-1.06L8 11.19 5.28 8.47a.75.75 0 0 0-1.06 1.06l3.25 3.25ZM4.22 4.53l3.25 3.25a.75.75 0 0 0 1.06 0l3.25-3.25a.75.75 0 0 0-1.06-1.06L8 6.19 5.28 3.47a.75.75 0 0 0-1.06 1.06Z","clip-rule":"evenodd"})])}function nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.22 7.595a.75.75 0 0 0 0 1.06l3.25 3.25a.75.75 0 0 0 1.06-1.06l-2.72-2.72 2.72-2.72a.75.75 0 0 0-1.06-1.06l-3.25 3.25Zm8.25-3.25-3.25 3.25a.75.75 0 0 0 0 1.06l3.25 3.25a.75.75 0 1 0 1.06-1.06l-2.72-2.72 2.72-2.72a.75.75 0 0 0-1.06-1.06Z","clip-rule":"evenodd"})])}function rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.78 7.595a.75.75 0 0 1 0 1.06l-3.25 3.25a.75.75 0 0 1-1.06-1.06l2.72-2.72-2.72-2.72a.75.75 0 0 1 1.06-1.06l3.25 3.25Zm-8.25-3.25 3.25 3.25a.75.75 0 0 1 0 1.06l-3.25 3.25a.75.75 0 0 1-1.06-1.06l2.72-2.72-2.72-2.72a.75.75 0 0 1 1.06-1.06Z","clip-rule":"evenodd"})])}function ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.47 3.22a.75.75 0 0 1 1.06 0l3.25 3.25a.75.75 0 0 1-1.06 1.06L8 4.81 5.28 7.53a.75.75 0 0 1-1.06-1.06l3.25-3.25Zm-3.25 8.25 3.25-3.25a.75.75 0 0 1 1.06 0l3.25 3.25a.75.75 0 1 1-1.06 1.06L8 9.81l-2.72 2.72a.75.75 0 0 1-1.06-1.06Z","clip-rule":"evenodd"})])}function it(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.22 6.22a.75.75 0 0 1 1.06 0L8 8.94l2.72-2.72a.75.75 0 1 1 1.06 1.06l-3.25 3.25a.75.75 0 0 1-1.06 0L4.22 7.28a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function at(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.78 4.22a.75.75 0 0 1 0 1.06L7.06 8l2.72 2.72a.75.75 0 1 1-1.06 1.06L5.47 8.53a.75.75 0 0 1 0-1.06l3.25-3.25a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.22 4.22a.75.75 0 0 1 1.06 0l3.25 3.25a.75.75 0 0 1 0 1.06l-3.25 3.25a.75.75 0 0 1-1.06-1.06L8.94 8 6.22 5.28a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function st(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.22 10.22a.75.75 0 0 1 1.06 0L8 11.94l1.72-1.72a.75.75 0 1 1 1.06 1.06l-2.25 2.25a.75.75 0 0 1-1.06 0l-2.25-2.25a.75.75 0 0 1 0-1.06ZM10.78 5.78a.75.75 0 0 1-1.06 0L8 4.06 6.28 5.78a.75.75 0 0 1-1.06-1.06l2.25-2.25a.75.75 0 0 1 1.06 0l2.25 2.25a.75.75 0 0 1 0 1.06Z","clip-rule":"evenodd"})])}function ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.78 9.78a.75.75 0 0 1-1.06 0L8 7.06 5.28 9.78a.75.75 0 0 1-1.06-1.06l3.25-3.25a.75.75 0 0 1 1.06 0l3.25 3.25a.75.75 0 0 1 0 1.06Z","clip-rule":"evenodd"})])}function ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 7c3.314 0 6-1.343 6-3s-2.686-3-6-3-6 1.343-6 3 2.686 3 6 3Z"}),(0,r.createElementVNode)("path",{d:"M8 8.5c1.84 0 3.579-.37 4.914-1.037A6.33 6.33 0 0 0 14 6.78V8c0 1.657-2.686 3-6 3S2 9.657 2 8V6.78c.346.273.72.5 1.087.683C4.42 8.131 6.16 8.5 8 8.5Z"}),(0,r.createElementVNode)("path",{d:"M8 12.5c1.84 0 3.579-.37 4.914-1.037.366-.183.74-.41 1.086-.684V12c0 1.657-2.686 3-6 3s-6-1.343-6-3v-1.22c.346.273.72.5 1.087.683C4.42 12.131 6.16 12.5 8 12.5Z"})])}function dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.986 3H12a2 2 0 0 1 2 2v6a2 2 0 0 1-1.5 1.937V7A2.5 2.5 0 0 0 10 4.5H4.063A2 2 0 0 1 6 3h.014A2.25 2.25 0 0 1 8.25 1h1.5a2.25 2.25 0 0 1 2.236 2ZM10.5 4v-.75a.75.75 0 0 0-.75-.75h-1.5a.75.75 0 0 0-.75.75V4h3Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 7a1 1 0 0 1 1-1h7a1 1 0 0 1 1 1v7a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V7Zm6.585 1.08a.75.75 0 0 1 .336 1.005l-1.75 3.5a.75.75 0 0 1-1.16.234l-1.75-1.5a.75.75 0 0 1 .977-1.139l1.02.875 1.321-2.64a.75.75 0 0 1 1.006-.336Z","clip-rule":"evenodd"})])}function ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.986 3H12a2 2 0 0 1 2 2v6a2 2 0 0 1-1.5 1.937V7A2.5 2.5 0 0 0 10 4.5H4.063A2 2 0 0 1 6 3h.014A2.25 2.25 0 0 1 8.25 1h1.5a2.25 2.25 0 0 1 2.236 2ZM10.5 4v-.75a.75.75 0 0 0-.75-.75h-1.5a.75.75 0 0 0-.75.75V4h3Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6a1 1 0 0 0-1 1v7a1 1 0 0 0 1 1h7a1 1 0 0 0 1-1V7a1 1 0 0 0-1-1H3Zm1.75 2.5a.75.75 0 0 0 0 1.5h3.5a.75.75 0 0 0 0-1.5h-3.5ZM4 11.75a.75.75 0 0 1 .75-.75h3.5a.75.75 0 0 1 0 1.5h-3.5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.986 3H12a2 2 0 0 1 2 2v6a2 2 0 0 1-1.5 1.937v-2.523a2.5 2.5 0 0 0-.732-1.768L8.354 5.232A2.5 2.5 0 0 0 6.586 4.5H4.063A2 2 0 0 1 6 3h.014A2.25 2.25 0 0 1 8.25 1h1.5a2.25 2.25 0 0 1 2.236 2ZM10.5 4v-.75a.75.75 0 0 0-.75-.75h-1.5a.75.75 0 0 0-.75.75V4h3Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M3 6a1 1 0 0 0-1 1v7a1 1 0 0 0 1 1h7a1 1 0 0 0 1-1v-3.586a1 1 0 0 0-.293-.707L7.293 6.293A1 1 0 0 0 6.586 6H3Z"})])}function ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.986 3H12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V5a2 2 0 0 1 2-2h1.014A2.25 2.25 0 0 1 7.25 1h1.5a2.25 2.25 0 0 1 2.236 2ZM9.5 4v-.75a.75.75 0 0 0-.75-.75h-1.5a.75.75 0 0 0-.75.75V4h3Z","clip-rule":"evenodd"})])}function mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 8a7 7 0 1 1 14 0A7 7 0 0 1 1 8Zm7.75-4.25a.75.75 0 0 0-1.5 0V8c0 .414.336.75.75.75h3.25a.75.75 0 0 0 0-1.5h-2.5v-3.5Z","clip-rule":"evenodd"})])}function vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 13a3.5 3.5 0 0 1-1.41-6.705A3.5 3.5 0 0 1 9.72 4.124a2.5 2.5 0 0 1 3.197 3.018A3.001 3.001 0 0 1 12 13H4.5Zm6.28-3.97a.75.75 0 1 0-1.06-1.06l-.97.97V6.25a.75.75 0 0 0-1.5 0v2.69l-.97-.97a.75.75 0 0 0-1.06 1.06l2.25 2.25a.75.75 0 0 0 1.06 0l2.25-2.25Z","clip-rule":"evenodd"})])}function gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 13a3.5 3.5 0 0 1-1.41-6.705A3.5 3.5 0 0 1 9.72 4.124a2.5 2.5 0 0 1 3.197 3.018A3.001 3.001 0 0 1 12 13H4.5Zm.72-5.03a.75.75 0 0 0 1.06 1.06l.97-.97v2.69a.75.75 0 0 0 1.5 0V8.06l.97.97a.75.75 0 1 0 1.06-1.06L8.53 5.72a.75.75 0 0 0-1.06 0L5.22 7.97Z","clip-rule":"evenodd"})])}function wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 9.5A3.5 3.5 0 0 0 4.5 13H12a3 3 0 0 0 .917-5.857 2.503 2.503 0 0 0-3.198-3.019 3.5 3.5 0 0 0-6.628 2.171A3.5 3.5 0 0 0 1 9.5Z"})])}function yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V4Zm4.78 1.97a.75.75 0 0 1 0 1.06L5.81 8l.97.97a.75.75 0 1 1-1.06 1.06l-1.5-1.5a.75.75 0 0 1 0-1.06l1.5-1.5a.75.75 0 0 1 1.06 0Zm2.44 1.06a.75.75 0 0 1 1.06-1.06l1.5 1.5a.75.75 0 0 1 0 1.06l-1.5 1.5a.75.75 0 1 1-1.06-1.06l.97-.97-.97-.97Z","clip-rule":"evenodd"})])}function bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.78 4.97a.75.75 0 0 1 0 1.06L2.81 8l1.97 1.97a.75.75 0 1 1-1.06 1.06l-2.5-2.5a.75.75 0 0 1 0-1.06l2.5-2.5a.75.75 0 0 1 1.06 0ZM11.22 4.97a.75.75 0 0 0 0 1.06L13.19 8l-1.97 1.97a.75.75 0 1 0 1.06 1.06l2.5-2.5a.75.75 0 0 0 0-1.06l-2.5-2.5a.75.75 0 0 0-1.06 0ZM8.856 2.008a.75.75 0 0 1 .636.848l-1.5 10.5a.75.75 0 0 1-1.484-.212l1.5-10.5a.75.75 0 0 1 .848-.636Z","clip-rule":"evenodd"})])}function xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.455 1.45A.5.5 0 0 1 6.952 1h2.096a.5.5 0 0 1 .497.45l.186 1.858a4.996 4.996 0 0 1 1.466.848l1.703-.769a.5.5 0 0 1 .639.206l1.047 1.814a.5.5 0 0 1-.14.656l-1.517 1.09a5.026 5.026 0 0 1 0 1.694l1.516 1.09a.5.5 0 0 1 .141.656l-1.047 1.814a.5.5 0 0 1-.639.206l-1.703-.768c-.433.36-.928.649-1.466.847l-.186 1.858a.5.5 0 0 1-.497.45H6.952a.5.5 0 0 1-.497-.45l-.186-1.858a4.993 4.993 0 0 1-1.466-.848l-1.703.769a.5.5 0 0 1-.639-.206l-1.047-1.814a.5.5 0 0 1 .14-.656l1.517-1.09a5.033 5.033 0 0 1 0-1.694l-1.516-1.09a.5.5 0 0 1-.141-.656L2.46 3.593a.5.5 0 0 1 .639-.206l1.703.769c.433-.36.928-.65 1.466-.848l.186-1.858Zm-.177 7.567-.022-.037a2 2 0 0 1 3.466-1.997l.022.037a2 2 0 0 1-3.466 1.997Z","clip-rule":"evenodd"})])}function kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.955 1.45A.5.5 0 0 1 7.452 1h1.096a.5.5 0 0 1 .497.45l.17 1.699c.484.12.94.312 1.356.562l1.321-1.081a.5.5 0 0 1 .67.033l.774.775a.5.5 0 0 1 .034.67l-1.08 1.32c.25.417.44.873.561 1.357l1.699.17a.5.5 0 0 1 .45.497v1.096a.5.5 0 0 1-.45.497l-1.699.17c-.12.484-.312.94-.562 1.356l1.082 1.322a.5.5 0 0 1-.034.67l-.774.774a.5.5 0 0 1-.67.033l-1.322-1.08c-.416.25-.872.44-1.356.561l-.17 1.699a.5.5 0 0 1-.497.45H7.452a.5.5 0 0 1-.497-.45l-.17-1.699a4.973 4.973 0 0 1-1.356-.562L4.108 13.37a.5.5 0 0 1-.67-.033l-.774-.775a.5.5 0 0 1-.034-.67l1.08-1.32a4.971 4.971 0 0 1-.561-1.357l-1.699-.17A.5.5 0 0 1 1 8.548V7.452a.5.5 0 0 1 .45-.497l1.699-.17c.12-.484.312-.94.562-1.356L2.629 4.107a.5.5 0 0 1 .034-.67l.774-.774a.5.5 0 0 1 .67-.033L5.43 3.71a4.97 4.97 0 0 1 1.356-.561l.17-1.699ZM6 8c0 .538.212 1.026.558 1.385l.057.057a2 2 0 0 0 2.828-2.828l-.058-.056A2 2 0 0 0 6 8Z","clip-rule":"evenodd"})])}function Et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 1.938a.75.75 0 0 1 1.025.274l.652 1.131c.351-.138.71-.233 1.073-.288V1.75a.75.75 0 0 1 1.5 0v1.306a5.03 5.03 0 0 1 1.072.288l.654-1.132a.75.75 0 1 1 1.298.75l-.652 1.13c.286.23.55.492.785.786l1.13-.653a.75.75 0 1 1 .75 1.3l-1.13.652c.137.351.233.71.288 1.073h1.305a.75.75 0 0 1 0 1.5h-1.306a5.032 5.032 0 0 1-.288 1.072l1.132.654a.75.75 0 0 1-.75 1.298l-1.13-.652c-.23.286-.492.55-.786.785l.652 1.13a.75.75 0 0 1-1.298.75l-.653-1.13c-.351.137-.71.233-1.073.288v1.305a.75.75 0 0 1-1.5 0v-1.306a5.032 5.032 0 0 1-1.072-.288l-.653 1.132a.75.75 0 0 1-1.3-.75l.653-1.13a4.966 4.966 0 0 1-.785-.786l-1.13.652a.75.75 0 0 1-.75-1.298l1.13-.653a4.965 4.965 0 0 1-.288-1.073H1.75a.75.75 0 0 1 0-1.5h1.306a5.03 5.03 0 0 1 .288-1.072l-1.132-.653a.75.75 0 0 1 .75-1.3l1.13.653c.23-.286.492-.55.786-.785l-.653-1.13A.75.75 0 0 1 4.5 1.937Zm1.14 3.476a3.501 3.501 0 0 0 0 5.172L7.135 8 5.641 5.414ZM8.434 8.75 6.94 11.336a3.491 3.491 0 0 0 2.81-.305 3.49 3.49 0 0 0 1.669-2.281H8.433Zm2.987-1.5H8.433L6.94 4.664a3.501 3.501 0 0 1 4.48 2.586Z","clip-rule":"evenodd"})])}function At(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V4Zm2.22 1.97a.75.75 0 0 0 0 1.06l.97.97-.97.97a.75.75 0 1 0 1.06 1.06l1.5-1.5a.75.75 0 0 0 0-1.06l-1.5-1.5a.75.75 0 0 0-1.06 0ZM8.75 8.5a.75.75 0 0 0 0 1.5h2.5a.75.75 0 0 0 0-1.5h-2.5Z","clip-rule":"evenodd"})])}function Ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.25A2.25 2.25 0 0 1 4.25 2h7.5A2.25 2.25 0 0 1 14 4.25v5.5A2.25 2.25 0 0 1 11.75 12h-1.312c.1.128.21.248.328.36a.75.75 0 0 1 .234.545v.345a.75.75 0 0 1-.75.75h-4.5a.75.75 0 0 1-.75-.75v-.345a.75.75 0 0 1 .234-.545c.118-.111.228-.232.328-.36H4.25A2.25 2.25 0 0 1 2 9.75v-5.5Zm2.25-.75a.75.75 0 0 0-.75.75v4.5c0 .414.336.75.75.75h7.5a.75.75 0 0 0 .75-.75v-4.5a.75.75 0 0 0-.75-.75h-7.5Z","clip-rule":"evenodd"})])}function Bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6 6v4h4V6H6Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.75 1a.75.75 0 0 0-.75.75V3a2 2 0 0 0-2 2H1.75a.75.75 0 0 0 0 1.5H3v.75H1.75a.75.75 0 0 0 0 1.5H3v.75H1.75a.75.75 0 0 0 0 1.5H3a2 2 0 0 0 2 2v1.25a.75.75 0 0 0 1.5 0V13h.75v1.25a.75.75 0 0 0 1.5 0V13h.75v1.25a.75.75 0 0 0 1.5 0V13a2 2 0 0 0 2-2h1.25a.75.75 0 0 0 0-1.5H13v-.75h1.25a.75.75 0 0 0 0-1.5H13V6.5h1.25a.75.75 0 0 0 0-1.5H13a2 2 0 0 0-2-2V1.75a.75.75 0 0 0-1.5 0V3h-.75V1.75a.75.75 0 0 0-1.5 0V3H6.5V1.75A.75.75 0 0 0 5.75 1ZM11 4.5a.5.5 0 0 1 .5.5v6a.5.5 0 0 1-.5.5H5a.5.5 0 0 1-.5-.5V5a.5.5 0 0 1 .5-.5h6Z","clip-rule":"evenodd"})])}function Mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.5 3A1.5 1.5 0 0 0 1 4.5V5h14v-.5A1.5 1.5 0 0 0 13.5 3h-11Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 7H1v4.5A1.5 1.5 0 0 0 2.5 13h11a1.5 1.5 0 0 0 1.5-1.5V7ZM3 10.25a.75.75 0 0 1 .75-.75h.5a.75.75 0 0 1 0 1.5h-.5a.75.75 0 0 1-.75-.75Zm3.75-.75a.75.75 0 0 0 0 1.5h2.5a.75.75 0 0 0 0-1.5h-2.5Z","clip-rule":"evenodd"})])}function _t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.628 1.349a.75.75 0 0 1 .744 0l1.247.712a.75.75 0 1 1-.744 1.303L8 2.864l-.875.5a.75.75 0 0 1-.744-1.303l1.247-.712ZM4.65 3.914a.75.75 0 0 1-.279 1.023L4.262 5l.11.063a.75.75 0 0 1-.744 1.302l-.13-.073A.75.75 0 0 1 2 6.25V5a.75.75 0 0 1 .378-.651l1.25-.714a.75.75 0 0 1 1.023.279Zm6.698 0a.75.75 0 0 1 1.023-.28l1.25.715A.75.75 0 0 1 14 5v1.25a.75.75 0 0 1-1.499.042l-.129.073a.75.75 0 0 1-.744-1.302l.11-.063-.11-.063a.75.75 0 0 1-.28-1.023ZM6.102 6.915a.75.75 0 0 1 1.023-.279l.875.5.875-.5a.75.75 0 0 1 .744 1.303l-.869.496v.815a.75.75 0 0 1-1.5 0v-.815l-.869-.496a.75.75 0 0 1-.28-1.024ZM2.75 9a.75.75 0 0 1 .75.75v.815l.872.498a.75.75 0 0 1-.744 1.303l-1.25-.715A.75.75 0 0 1 2 11V9.75A.75.75 0 0 1 2.75 9Zm10.5 0a.75.75 0 0 1 .75.75V11a.75.75 0 0 1-.378.651l-1.25.715a.75.75 0 0 1-.744-1.303l.872-.498V9.75a.75.75 0 0 1 .75-.75Zm-4.501 3.708.126-.072a.75.75 0 0 1 .744 1.303l-1.247.712a.75.75 0 0 1-.744 0L6.38 13.94a.75.75 0 0 1 .744-1.303l.126.072a.75.75 0 0 1 1.498 0Z","clip-rule":"evenodd"})])}function St(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.372 1.349a.75.75 0 0 0-.744 0l-4.81 2.748L8 7.131l5.182-3.034-4.81-2.748ZM14 5.357 8.75 8.43v6.005l4.872-2.784A.75.75 0 0 0 14 11V5.357ZM7.25 14.435V8.43L2 5.357V11c0 .27.144.518.378.651l4.872 2.784Z"})])}function Nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM5.25 4.707a.75.75 0 0 1-.78-1.237c.841-.842 2.28-.246 2.28.944V6h5.5a.75.75 0 0 1 0 1.5h-5.5v3.098c0 .549.295.836.545.87a3.241 3.241 0 0 0 2.799-.966H9.75a.75.75 0 0 1 0-1.5h1.708a.75.75 0 0 1 .695 1.032 4.751 4.751 0 0 1-5.066 2.92c-1.266-.177-1.837-1.376-1.837-2.356V7.5h-1.5a.75.75 0 0 1 0-1.5h1.5V4.707Z","clip-rule":"evenodd"})])}function Vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.375 5.5h.875v1.75h-.875a.875.875 0 1 1 0-1.75ZM8.75 10.5V8.75h.875a.875.875 0 0 1 0 1.75H8.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM7.25 3.75a.75.75 0 0 1 1.5 0V4h2.5a.75.75 0 0 1 0 1.5h-2.5v1.75h.875a2.375 2.375 0 1 1 0 4.75H8.75v.25a.75.75 0 0 1-1.5 0V12h-2.5a.75.75 0 0 1 0-1.5h2.5V8.75h-.875a2.375 2.375 0 1 1 0-4.75h.875v-.25Z","clip-rule":"evenodd"})])}function Lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM6.875 6c.09-.22.195-.42.31-.598.413-.638.895-.902 1.315-.902.264 0 .54.1.814.325a.75.75 0 1 0 .953-1.158C9.772 3.259 9.169 3 8.5 3c-1.099 0-1.992.687-2.574 1.587A5.518 5.518 0 0 0 5.285 6H4.75a.75.75 0 0 0 0 1.5h.267a7.372 7.372 0 0 0 0 1H4.75a.75.75 0 0 0 0 1.5h.535c.156.52.372.998.64 1.413C6.509 12.313 7.402 13 8.5 13c.669 0 1.272-.26 1.767-.667a.75.75 0 0 0-.953-1.158c-.275.226-.55.325-.814.325-.42 0-.902-.264-1.315-.902a3.722 3.722 0 0 1-.31-.598H8.25a.75.75 0 0 0 0-1.5H6.521a5.854 5.854 0 0 1 0-1H8.25a.75.75 0 0 0 0-1.5H6.875Z","clip-rule":"evenodd"})])}function Tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM7.94 4.94c-.294.293-.44.675-.44 1.06v1.25h1.25a.75.75 0 1 1 0 1.5H7.5v1c0 .263-.045.516-.128.75h3.878a.75.75 0 0 1 0 1.5h-6.5a.75.75 0 0 1 0-1.5h.5A.75.75 0 0 0 6 9.75v-1H4.75a.75.75 0 0 1 0-1.5H6V6a3 3 0 0 1 5.121-2.121.75.75 0 1 1-1.06 1.06 1.5 1.5 0 0 0-2.121 0Z","clip-rule":"evenodd"})])}function It(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM4.75 4a.75.75 0 0 0 0 1.5H6.5c.698 0 1.3.409 1.582 1H4.75a.75.75 0 0 0 0 1.5h3.332C7.8 8.591 7.198 9 6.5 9H4.75a.75.75 0 0 0-.53 1.28l2.5 2.5a.75.75 0 0 0 1.06-1.06L6.56 10.5A3.251 3.251 0 0 0 9.663 8h1.587a.75.75 0 0 0 0-1.5H9.663a3.232 3.232 0 0 0-.424-1h2.011a.75.75 0 0 0 0-1.5h-6.5Z","clip-rule":"evenodd"})])}function Zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM5.6 3.55a.75.75 0 1 0-1.2.9L7.063 8H4.75a.75.75 0 0 0 0 1.5h2.5v1h-2.5a.75.75 0 0 0 0 1.5h2.5v.5a.75.75 0 0 0 1.5 0V12h2.5a.75.75 0 0 0 0-1.5h-2.5v-1h2.5a.75.75 0 0 0 0-1.5H8.938L11.6 4.45a.75.75 0 1 0-1.2-.9L8 6.75l-2.4-3.2Z","clip-rule":"evenodd"})])}function Ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.25 1.75a.75.75 0 0 1 1.5 0v1.5a.75.75 0 0 1-1.5 0v-1.5ZM11.536 2.904a.75.75 0 1 1 1.06 1.06l-1.06 1.061a.75.75 0 0 1-1.061-1.06l1.06-1.061ZM14.5 7.5a.75.75 0 0 0-.75-.75h-1.5a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 .75-.75ZM4.464 9.975a.75.75 0 0 1 1.061 1.06l-1.06 1.061a.75.75 0 1 1-1.061-1.06l1.06-1.061ZM4.5 7.5a.75.75 0 0 0-.75-.75h-1.5a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 .75-.75ZM5.525 3.964a.75.75 0 0 1-1.06 1.061l-1.061-1.06a.75.75 0 0 1 1.06-1.061l1.061 1.06ZM8.779 7.438a.75.75 0 0 0-1.368.366l-.396 5.283a.75.75 0 0 0 1.212.646l.602-.474.288 1.074a.75.75 0 1 0 1.449-.388l-.288-1.075.759.11a.75.75 0 0 0 .726-1.165L8.78 7.438Z"})])}function Dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.038 4.038a5.25 5.25 0 0 0 0 7.424.75.75 0 0 1-1.06 1.061A6.75 6.75 0 1 1 14.5 7.75a.75.75 0 1 1-1.5 0 5.25 5.25 0 0 0-8.962-3.712Z"}),(0,r.createElementVNode)("path",{d:"M7.712 7.136a.75.75 0 0 1 .814.302l2.984 4.377a.75.75 0 0 1-.726 1.164l-.76-.109.289 1.075a.75.75 0 0 1-1.45.388l-.287-1.075-.602.474a.75.75 0 0 1-1.212-.645l.396-5.283a.75.75 0 0 1 .554-.668Z"}),(0,r.createElementVNode)("path",{d:"M5.805 9.695A2.75 2.75 0 1 1 10.5 7.75a.75.75 0 0 0 1.5 0 4.25 4.25 0 1 0-7.255 3.005.75.75 0 1 0 1.06-1.06Z"})])}function Rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.25 11.5a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 0-1.5h-1.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 1a2.5 2.5 0 0 0-2.5 2.5v9A2.5 2.5 0 0 0 6 15h4a2.5 2.5 0 0 0 2.5-2.5v-9A2.5 2.5 0 0 0 10 1H6Zm4 1.5h-.5V3a.5.5 0 0 1-.5.5H7a.5.5 0 0 1-.5-.5v-.5H6a1 1 0 0 0-1 1v9a1 1 0 0 0 1 1h4a1 1 0 0 0 1-1v-9a1 1 0 0 0-1-1Z","clip-rule":"evenodd"})])}function Ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.25 11.5a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 0-1.5h-1.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.5A2.5 2.5 0 0 1 4.5 1h7A2.5 2.5 0 0 1 14 3.5v9a2.5 2.5 0 0 1-2.5 2.5h-7A2.5 2.5 0 0 1 2 12.5v-9Zm2.5-1h7a1 1 0 0 1 1 1v9a1 1 0 0 1-1 1h-7a1 1 0 0 1-1-1v-9a1 1 0 0 1 1-1Z","clip-rule":"evenodd"})])}function Pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 8a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 8Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M9 3a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM9 13a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z"})])}function jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm4 3.5a.75.75 0 0 1 .75.75v2.69l.72-.72a.75.75 0 1 1 1.06 1.06l-2 2a.75.75 0 0 1-1.06 0l-2-2a.75.75 0 0 1 1.06-1.06l.72.72V6.25A.75.75 0 0 1 8 5.5Z","clip-rule":"evenodd"})])}function Ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm4 9.5a.75.75 0 0 1-.75-.75V8.06l-.72.72a.75.75 0 0 1-1.06-1.06l2-2a.75.75 0 0 1 1.06 0l2 2a.75.75 0 1 1-1.06 1.06l-.72-.72v2.69a.75.75 0 0 1-.75.75Z","clip-rule":"evenodd"})])}function zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm6 5.75a.75.75 0 0 1 1.5 0v3.5a.75.75 0 0 1-1.5 0v-3.5Zm-2.75 1.5a.75.75 0 0 1 1.5 0v2a.75.75 0 0 1-1.5 0v-2Zm-2 .75a.75.75 0 0 0-.75.75v.5a.75.75 0 0 0 1.5 0v-.5a.75.75 0 0 0-.75-.75Z","clip-rule":"evenodd"})])}function qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm6.713 4.16a.75.75 0 0 1 .127 1.053l-2.75 3.5a.75.75 0 0 1-1.078.106l-1.75-1.5a.75.75 0 1 1 .976-1.138l1.156.99L9.66 6.287a.75.75 0 0 1 1.053-.127Z","clip-rule":"evenodd"})])}function Ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 3.5A1.5 1.5 0 0 1 4 2h4.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12a1.5 1.5 0 0 1 .439 1.061V12.5A1.5 1.5 0 0 1 12 14H4a1.5 1.5 0 0 1-1.5-1.5v-9ZM6 5.207a.75.75 0 0 1-.585-1.378A1.441 1.441 0 0 1 7.5 5.118V6h3.75a.75.75 0 0 1 0 1.5H7.5v3.25c0 .212.089.39.2.49.098.092.206.12.33.085.6-.167 1.151-.449 1.63-.821H9.5a.75.75 0 1 1 0-1.5h1.858a.75.75 0 0 1 .628 1.16 6.26 6.26 0 0 1-3.552 2.606 1.825 1.825 0 0 1-1.75-.425A2.17 2.17 0 0 1 6 10.75V7.5H4.75a.75.75 0 0 1 0-1.5H6v-.793Z","clip-rule":"evenodd"})])}function $t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.621 6.584c.208-.026.418-.046.629-.06v1.034l-.598-.138a.227.227 0 0 1-.116-.065.094.094 0 0 1-.028-.06 5.345 5.345 0 0 1 .002-.616.082.082 0 0 1 .025-.055.144.144 0 0 1 .086-.04ZM8.75 10.475V9.443l.594.137a.227.227 0 0 1 .116.065.094.094 0 0 1 .028.06 5.355 5.355 0 0 1-.002.616.082.082 0 0 1-.025.055.144.144 0 0 1-.086.04c-.207.026-.415.045-.625.06Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 3.5A1.5 1.5 0 0 1 4 2h4.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12a1.5 1.5 0 0 1 .439 1.061V12.5A1.5 1.5 0 0 1 12 14H4a1.5 1.5 0 0 1-1.5-1.5v-9Zm6.25 1.25a.75.75 0 0 0-1.5 0v.272c-.273.016-.543.04-.81.073-.748.09-1.38.689-1.428 1.494a6.836 6.836 0 0 0-.002.789c.044.785.635 1.348 1.305 1.503l.935.216v1.379a11.27 11.27 0 0 1-1.36-.173.75.75 0 1 0-.28 1.474c.536.102 1.084.17 1.64.202v.271a.75.75 0 0 0 1.5 0v-.272c.271-.016.54-.04.807-.073.747-.09 1.378-.689 1.427-1.494a6.843 6.843 0 0 0 .002-.789c-.044-.785-.635-1.348-1.305-1.503l-.931-.215v-1.38c.46.03.913.089 1.356.173a.75.75 0 0 0 .28-1.474 12.767 12.767 0 0 0-1.636-.201V4.75Z","clip-rule":"evenodd"})])}function Wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 3.5A1.5 1.5 0 0 1 4 2h4.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12a1.5 1.5 0 0 1 .439 1.061V12.5A1.5 1.5 0 0 1 12 14H4a1.5 1.5 0 0 1-1.5-1.5v-9Zm4.552 2.734c.354-.59.72-.734.948-.734.228 0 .594.145.948.734a.75.75 0 1 0 1.286-.772C9.71 4.588 8.924 4 8 4c-.924 0-1.71.588-2.234 1.462-.192.32-.346.67-.464 1.038H4.75a.75.75 0 0 0 0 1.5h.268a7.003 7.003 0 0 0 0 1H4.75a.75.75 0 0 0 0 1.5h.552c.118.367.272.717.464 1.037C6.29 12.412 7.076 13 8 13c.924 0 1.71-.588 2.234-1.463a.75.75 0 0 0-1.286-.771c-.354.59-.72.734-.948.734-.228 0-.594-.145-.948-.734a3.078 3.078 0 0 1-.142-.266h.34a.75.75 0 0 0 0-1.5h-.727a5.496 5.496 0 0 1 0-1h.727a.75.75 0 0 0 0-1.5h-.34a3.08 3.08 0 0 1 .142-.266Z","clip-rule":"evenodd"})])}function Gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 3.5A1.5 1.5 0 0 1 4 2h4.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12a1.5 1.5 0 0 1 .439 1.061V12.5A1.5 1.5 0 0 1 12 14H4a1.5 1.5 0 0 1-1.5-1.5v-9Zm5.44 3.44a1.5 1.5 0 0 1 2.12 0 .75.75 0 1 0 1.061-1.061A3 3 0 0 0 6 7.999H4.75a.75.75 0 0 0 0 1.5h1.225c-.116.571-.62 1-1.225 1a.75.75 0 1 0 0 1.5h5.5a.75.75 0 0 0 0-1.5H7.2c.156-.304.257-.642.289-1H9.25a.75.75 0 0 0 0-1.5H7.5c0-.384.146-.767.44-1.06Z","clip-rule":"evenodd"})])}function Kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 3.5A1.5 1.5 0 0 1 4 2h4.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12a1.5 1.5 0 0 1 .439 1.061V12.5A1.5 1.5 0 0 1 12 14H4a1.5 1.5 0 0 1-1.5-1.5v-9ZM5.75 5a.75.75 0 0 0 0 1.5c.698 0 1.3.409 1.582 1H5.75a.75.75 0 0 0 0 1.5h1.582c-.281.591-.884 1-1.582 1a.75.75 0 0 0-.53 1.28l1.5 1.5a.75.75 0 0 0 1.06-1.06l-.567-.567A3.256 3.256 0 0 0 8.913 9h1.337a.75.75 0 0 0 0-1.5H8.913a3.232 3.232 0 0 0-.424-1h1.761a.75.75 0 0 0 0-1.5h-4.5Z","clip-rule":"evenodd"})])}function Yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 3.5A1.5 1.5 0 0 1 4 2h4.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12a1.5 1.5 0 0 1 .439 1.061V12.5A1.5 1.5 0 0 1 12 14H4a1.5 1.5 0 0 1-1.5-1.5v-9Zm3.663 1.801a.75.75 0 1 0-1.2.9L6.313 8H5a.75.75 0 0 0 0 1.5h2.25v1H5A.75.75 0 0 0 5 12h2.25v.25a.75.75 0 0 0 1.5 0V12H11a.75.75 0 0 0 0-1.5H8.75v-1H11A.75.75 0 0 0 11 8H9.687l1.35-1.799a.75.75 0 0 0-1.2-.9L8 7.75 6.163 5.3Z","clip-rule":"evenodd"})])}function Xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.5 3.5A1.5 1.5 0 0 1 7 2h2.879a1.5 1.5 0 0 1 1.06.44l2.122 2.12a1.5 1.5 0 0 1 .439 1.061V9.5A1.5 1.5 0 0 1 12 11V8.621a3 3 0 0 0-.879-2.121L9 4.379A3 3 0 0 0 6.879 3.5H5.5Z"}),(0,r.createElementVNode)("path",{d:"M4 5a1.5 1.5 0 0 0-1.5 1.5v6A1.5 1.5 0 0 0 4 14h5a1.5 1.5 0 0 0 1.5-1.5V8.621a1.5 1.5 0 0 0-.44-1.06L7.94 5.439A1.5 1.5 0 0 0 6.878 5H4Z"})])}function Jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6 7.5a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm3.5 2.5a3 3 0 1 0 1.524 5.585l1.196 1.195a.75.75 0 1 0 1.06-1.06l-1.195-1.196A3 3 0 0 0 7.5 4.5Z","clip-rule":"evenodd"})])}function Qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm7 7a.75.75 0 0 1-.75.75h-4.5a.75.75 0 0 1 0-1.5h4.5A.75.75 0 0 1 11 9Z","clip-rule":"evenodd"})])}function en(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm4.75 4.75a.75.75 0 0 0-1.5 0v1.5h-1.5a.75.75 0 0 0 0 1.5h1.5v1.5a.75.75 0 0 0 1.5 0v-1.5h1.5a.75.75 0 0 0 0-1.5h-1.5v-1.5Z","clip-rule":"evenodd"})])}function tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1.5 1.5 0 0 0-1.5 1.5v9A1.5 1.5 0 0 0 4 14h8a1.5 1.5 0 0 0 1.5-1.5V6.621a1.5 1.5 0 0 0-.44-1.06L9.94 2.439A1.5 1.5 0 0 0 8.878 2H4Zm1 5.75A.75.75 0 0 1 5.75 7h4.5a.75.75 0 0 1 0 1.5h-4.5A.75.75 0 0 1 5 7.75Zm0 3a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.5 3.5A1.5 1.5 0 0 1 4 2h4.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12a1.5 1.5 0 0 1 .439 1.061V12.5A1.5 1.5 0 0 1 12 14H4a1.5 1.5 0 0 1-1.5-1.5v-9Z"})])}function rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM8 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2ZM5.5 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0Zm6 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function on(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 8a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0ZM6.5 8a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0ZM12.5 6.5a1.5 1.5 0 1 0 0 3 1.5 1.5 0 0 0 0-3Z"})])}function an(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 2a1.5 1.5 0 1 1 0 3 1.5 1.5 0 0 1 0-3ZM8 6.5a1.5 1.5 0 1 1 0 3 1.5 1.5 0 0 1 0-3ZM9.5 12.5a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0Z"})])}function ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.756 4.568A1.5 1.5 0 0 0 1 5.871V12.5A1.5 1.5 0 0 0 2.5 14h11a1.5 1.5 0 0 0 1.5-1.5V5.87a1.5 1.5 0 0 0-.756-1.302l-5.5-3.143a1.5 1.5 0 0 0-1.488 0l-5.5 3.143Zm1.82 2.963a.75.75 0 0 0-.653 1.35l4.1 1.98a2.25 2.25 0 0 0 1.955 0l4.1-1.98a.75.75 0 1 0-.653-1.35L8.326 9.51a.75.75 0 0 1-.652 0L3.575 7.53Z","clip-rule":"evenodd"})])}function sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.5 3A1.5 1.5 0 0 0 1 4.5v.793c.026.009.051.02.076.032L7.674 8.51c.206.1.446.1.652 0l6.598-3.185A.755.755 0 0 1 15 5.293V4.5A1.5 1.5 0 0 0 13.5 3h-11Z"}),(0,r.createElementVNode)("path",{d:"M15 6.954 8.978 9.86a2.25 2.25 0 0 1-1.956 0L1 6.954V11.5A1.5 1.5 0 0 0 2.5 13h11a1.5 1.5 0 0 0 1.5-1.5V6.954Z"})])}function cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75A.75.75 0 0 1 2.75 4h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 4.75ZM2 11.25a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14ZM8 4a.75.75 0 0 1 .75.75v3a.75.75 0 0 1-1.5 0v-3A.75.75 0 0 1 8 4Zm0 8a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.701 2.25c.577-1 2.02-1 2.598 0l5.196 9a1.5 1.5 0 0 1-1.299 2.25H2.804a1.5 1.5 0 0 1-1.3-2.25l5.197-9ZM8 4a.75.75 0 0 1 .75.75v3a.75.75 0 1 1-1.5 0v-3A.75.75 0 0 1 8 4Zm0 8a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 4a3.001 3.001 0 0 1-2.25 2.905V8.5a.75.75 0 0 1-.22.53l-.5.5a.75.75 0 0 1-1.06 0l-.72-.72-4.677 4.678A1.75 1.75 0 0 1 4.336 14h-.672a.25.25 0 0 0-.177.073l-.707.707a.75.75 0 0 1-1.06 0l-.5-.5a.75.75 0 0 1 0-1.06l.707-.707A.25.25 0 0 0 2 12.336v-.672c0-.464.184-.909.513-1.237L7.189 5.75l-.72-.72a.75.75 0 0 1 0-1.06l.5-.5a.75.75 0 0 1 .531-.22h1.595A3.001 3.001 0 0 1 15 4ZM9.19 7.75l-.94-.94-4.677 4.678a.25.25 0 0 0-.073.176v.672c0 .058-.003.115-.009.173a1.74 1.74 0 0 1 .173-.009h.672a.25.25 0 0 0 .177-.073L9.189 7.75Z","clip-rule":"evenodd"})])}function pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.28 2.22a.75.75 0 0 0-1.06 1.06l10.5 10.5a.75.75 0 1 0 1.06-1.06l-1.322-1.323a7.012 7.012 0 0 0 2.16-3.11.87.87 0 0 0 0-.567A7.003 7.003 0 0 0 4.82 3.76l-1.54-1.54Zm3.196 3.195 1.135 1.136A1.502 1.502 0 0 1 9.45 8.389l1.136 1.135a3 3 0 0 0-4.109-4.109Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"m7.812 10.994 1.816 1.816A7.003 7.003 0 0 1 1.38 8.28a.87.87 0 0 1 0-.566 6.985 6.985 0 0 1 1.113-2.039l2.513 2.513a3 3 0 0 0 2.806 2.806Z"})])}function fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 9.5a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.38 8.28a.87.87 0 0 1 0-.566 7.003 7.003 0 0 1 13.238.006.87.87 0 0 1 0 .566A7.003 7.003 0 0 1 1.379 8.28ZM11 8a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z","clip-rule":"evenodd"})])}function mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM6 8c.552 0 1-.672 1-1.5S6.552 5 6 5s-1 .672-1 1.5S5.448 8 6 8Zm5-1.5c0 .828-.448 1.5-1 1.5s-1-.672-1-1.5S9.448 5 10 5s1 .672 1 1.5Zm-6.005 5.805a.75.75 0 0 0 1.06 0 2.75 2.75 0 0 1 3.89 0 .75.75 0 0 0 1.06-1.06 4.25 4.25 0 0 0-6.01 0 .75.75 0 0 0 0 1.06Z","clip-rule":"evenodd"})])}function vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM6 8c.552 0 1-.672 1-1.5S6.552 5 6 5s-1 .672-1 1.5S5.448 8 6 8Zm5-1.5c0 .828-.448 1.5-1 1.5s-1-.672-1-1.5S9.448 5 10 5s1 .672 1 1.5Zm.005 4.245a.75.75 0 0 0-1.06 0 2.75 2.75 0 0 1-3.89 0 .75.75 0 0 0-1.06 1.06 4.25 4.25 0 0 0 6.01 0 .75.75 0 0 0 0-1.06Z","clip-rule":"evenodd"})])}function gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 3.5A1.5 1.5 0 0 1 2.5 2h11A1.5 1.5 0 0 1 15 3.5v9a1.5 1.5 0 0 1-1.5 1.5h-11A1.5 1.5 0 0 1 1 12.5v-9Zm1.5.25a.25.25 0 0 1 .25-.25h1.5a.25.25 0 0 1 .25.25v1a.25.25 0 0 1-.25.25h-1.5a.25.25 0 0 1-.25-.25v-1Zm3.75-.25a.25.25 0 0 0-.25.25v3.5c0 .138.112.25.25.25h3.5a.25.25 0 0 0 .25-.25v-3.5a.25.25 0 0 0-.25-.25h-3.5ZM6 8.75a.25.25 0 0 1 .25-.25h3.5a.25.25 0 0 1 .25.25v3.5a.25.25 0 0 1-.25.25h-3.5a.25.25 0 0 1-.25-.25v-3.5Zm5.75-5.25a.25.25 0 0 0-.25.25v1c0 .138.112.25.25.25h1.5a.25.25 0 0 0 .25-.25v-1a.25.25 0 0 0-.25-.25h-1.5ZM2.5 11.25a.25.25 0 0 1 .25-.25h1.5a.25.25 0 0 1 .25.25v1a.25.25 0 0 1-.25.25h-1.5a.25.25 0 0 1-.25-.25v-1Zm9.25-.25a.25.25 0 0 0-.25.25v1c0 .138.112.25.25.25h1.5a.25.25 0 0 0 .25-.25v-1a.25.25 0 0 0-.25-.25h-1.5ZM2.5 8.75a.25.25 0 0 1 .25-.25h1.5a.25.25 0 0 1 .25.25v1a.25.25 0 0 1-.25.25h-1.5a.25.25 0 0 1-.25-.25v-1Zm9.25-.25a.25.25 0 0 0-.25.25v1c0 .138.112.25.25.25h1.5a.25.25 0 0 0 .25-.25v-1a.25.25 0 0 0-.25-.25h-1.5ZM2.5 6.25A.25.25 0 0 1 2.75 6h1.5a.25.25 0 0 1 .25.25v1a.25.25 0 0 1-.25.25h-1.5a.25.25 0 0 1-.25-.25v-1ZM11.75 6a.25.25 0 0 0-.25.25v1c0 .138.112.25.25.25h1.5a.25.25 0 0 0 .25-.25v-1a.25.25 0 0 0-.25-.25h-1.5Z","clip-rule":"evenodd"})])}function wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 3c-.988 0-1.908.286-2.682.78a.75.75 0 0 1-.806-1.266A6.5 6.5 0 0 1 14.5 8c0 1.665-.333 3.254-.936 4.704a.75.75 0 0 1-1.385-.577C12.708 10.857 13 9.464 13 8a5 5 0 0 0-5-5ZM3.55 4.282a.75.75 0 0 1 .23 1.036A4.973 4.973 0 0 0 3 8a.75.75 0 0 1-1.5 0c0-1.282.372-2.48 1.014-3.488a.75.75 0 0 1 1.036-.23ZM8 5.875A2.125 2.125 0 0 0 5.875 8a3.625 3.625 0 0 1-3.625 3.625H2.213a.75.75 0 1 1 .008-1.5h.03A2.125 2.125 0 0 0 4.376 8a3.625 3.625 0 1 1 7.25 0c0 .078-.001.156-.003.233a.75.75 0 1 1-1.5-.036c.002-.066.003-.131.003-.197A2.125 2.125 0 0 0 8 5.875ZM7.995 7.25a.75.75 0 0 1 .75.75 6.502 6.502 0 0 1-4.343 6.133.75.75 0 1 1-.498-1.415A5.002 5.002 0 0 0 7.245 8a.75.75 0 0 1 .75-.75Zm2.651 2.87a.75.75 0 0 1 .463.955 9.39 9.39 0 0 1-3.008 4.25.75.75 0 0 1-.936-1.171 7.892 7.892 0 0 0 2.527-3.57.75.75 0 0 1 .954-.463Z","clip-rule":"evenodd"})])}function yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.074.945A4.993 4.993 0 0 0 6 5v.032c.004.6.114 1.176.311 1.709.16.428-.204.91-.61.7a5.023 5.023 0 0 1-1.868-1.677c-.202-.304-.648-.363-.848-.058a6 6 0 1 0 8.017-1.901l-.004-.007a4.98 4.98 0 0 1-2.18-2.574c-.116-.31-.477-.472-.744-.28Zm.78 6.178a3.001 3.001 0 1 1-3.473 4.341c-.205-.365.215-.694.62-.59a4.008 4.008 0 0 0 1.873.03c.288-.065.413-.386.321-.666A3.997 3.997 0 0 1 8 8.999c0-.585.126-1.14.351-1.641a.42.42 0 0 1 .503-.235Z","clip-rule":"evenodd"})])}function bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.75 2a.75.75 0 0 0-.75.75v10.5a.75.75 0 0 0 1.5 0v-2.624l.33-.083A6.044 6.044 0 0 1 8 11c1.29.645 2.77.807 4.17.457l1.48-.37a.462.462 0 0 0 .35-.448V3.56a.438.438 0 0 0-.544-.425l-1.287.322C10.77 3.808 9.291 3.646 8 3a6.045 6.045 0 0 0-4.17-.457l-.34.085A.75.75 0 0 0 2.75 2Z"})])}function xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.5 2A1.5 1.5 0 0 0 2 3.5v9A1.5 1.5 0 0 0 3.5 14h9a1.5 1.5 0 0 0 1.5-1.5v-7A1.5 1.5 0 0 0 12.5 4H9.621a1.5 1.5 0 0 1-1.06-.44L7.439 2.44A1.5 1.5 0 0 0 6.38 2H3.5Zm5.25 4.75a.75.75 0 0 0-1.5 0v2.69l-.72-.72a.75.75 0 0 0-1.06 1.06l2 2a.75.75 0 0 0 1.06 0l2-2a.75.75 0 1 0-1.06-1.06l-.72.72V6.75Z","clip-rule":"evenodd"})])}function kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.5 2A1.5 1.5 0 0 0 2 3.5v9A1.5 1.5 0 0 0 3.5 14h9a1.5 1.5 0 0 0 1.5-1.5v-7A1.5 1.5 0 0 0 12.5 4H9.621a1.5 1.5 0 0 1-1.06-.44L7.439 2.44A1.5 1.5 0 0 0 6.38 2H3.5Zm6.75 7.75a.75.75 0 0 0 0-1.5h-4.5a.75.75 0 0 0 0 1.5h4.5Z","clip-rule":"evenodd"})])}function En(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 3.5A1.5 1.5 0 0 1 4.5 2h1.879a1.5 1.5 0 0 1 1.06.44l1.122 1.12A1.5 1.5 0 0 0 9.62 4H11.5A1.5 1.5 0 0 1 13 5.5v1H3v-3ZM3.081 8a1.5 1.5 0 0 0-1.423 1.974l1 3A1.5 1.5 0 0 0 4.081 14h7.838a1.5 1.5 0 0 0 1.423-1.026l1-3A1.5 1.5 0 0 0 12.919 8H3.081Z"})])}function An(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.5 2A1.5 1.5 0 0 0 2 3.5v9A1.5 1.5 0 0 0 3.5 14h9a1.5 1.5 0 0 0 1.5-1.5v-7A1.5 1.5 0 0 0 12.5 4H9.621a1.5 1.5 0 0 1-1.06-.44L7.439 2.44A1.5 1.5 0 0 0 6.38 2H3.5ZM8 6a.75.75 0 0 1 .75.75v1.5h1.5a.75.75 0 0 1 0 1.5h-1.5v1.5a.75.75 0 0 1-1.5 0v-1.5h-1.5a.75.75 0 0 1 0-1.5h1.5v-1.5A.75.75 0 0 1 8 6Z","clip-rule":"evenodd"})])}function Cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 3.5A1.5 1.5 0 0 1 3.5 2h2.879a1.5 1.5 0 0 1 1.06.44l1.122 1.12A1.5 1.5 0 0 0 9.62 4H12.5A1.5 1.5 0 0 1 14 5.5v1.401a2.986 2.986 0 0 0-1.5-.401h-9c-.546 0-1.059.146-1.5.401V3.5ZM2 9.5v3A1.5 1.5 0 0 0 3.5 14h9a1.5 1.5 0 0 0 1.5-1.5v-3A1.5 1.5 0 0 0 12.5 8h-9A1.5 1.5 0 0 0 2 9.5Z"})])}function Bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.53 3.956A1 1 0 0 0 1 4.804v6.392a1 1 0 0 0 1.53.848l5.113-3.196c.16-.1.279-.233.357-.383v2.73a1 1 0 0 0 1.53.849l5.113-3.196a1 1 0 0 0 0-1.696L9.53 3.956A1 1 0 0 0 8 4.804v2.731a.992.992 0 0 0-.357-.383L2.53 3.956Z"})])}function Mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M14 2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v2.172a2 2 0 0 0 .586 1.414l2.828 2.828A2 2 0 0 1 6 9.828v4.363a.5.5 0 0 0 .724.447l2.17-1.085A2 2 0 0 0 10 11.763V9.829a2 2 0 0 1 .586-1.414l2.828-2.828A2 2 0 0 0 14 4.172V2Z"})])}function _n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a2 2 0 0 0-2 2v6a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V5a2 2 0 0 0-2-2H3Zm.895 3.458C4.142 6.071 4.38 6 4.5 6s.358.07.605.458a.75.75 0 1 0 1.265-.805C5.933 4.966 5.274 4.5 4.5 4.5s-1.433.466-1.87 1.153C2.195 6.336 2 7.187 2 8s.195 1.664.63 2.347c.437.687 1.096 1.153 1.87 1.153s1.433-.466 1.87-1.153a.75.75 0 0 0 .117-.402V8a.75.75 0 0 0-.75-.75H5a.75.75 0 0 0-.013 1.5v.955C4.785 9.95 4.602 10 4.5 10c-.121 0-.358-.07-.605-.458C3.647 9.15 3.5 8.595 3.5 8c0-.595.147-1.15.395-1.542ZM9 5.25a.75.75 0 0 0-1.5 0v5.5a.75.75 0 0 0 1.5 0v-5.5Zm1 0a.75.75 0 0 1 .75-.75h2.5a.75.75 0 0 1 0 1.5H11.5v1.25h.75a.75.75 0 0 1 0 1.5h-.75v2a.75.75 0 0 1-1.5 0v-5.5Z","clip-rule":"evenodd"})])}function Sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.25 2H3.5A1.5 1.5 0 0 0 2 3.5v3.75h1.718A2.5 2.5 0 0 1 7.25 3.716V2ZM2 8.75v3.75A1.5 1.5 0 0 0 3.5 14h3.75v-3.085a4.743 4.743 0 0 1-3.455 1.826.75.75 0 1 1-.092-1.497 3.252 3.252 0 0 0 2.96-2.494H2ZM8.75 14h3.75a1.5 1.5 0 0 0 1.5-1.5V8.75H9.337a3.252 3.252 0 0 0 2.96 2.494.75.75 0 1 1-.093 1.497 4.743 4.743 0 0 1-3.454-1.826V14ZM14 7.25h-1.718A2.5 2.5 0 0 0 8.75 3.717V2h3.75A1.5 1.5 0 0 1 14 3.5v3.75Z"}),(0,r.createElementVNode)("path",{d:"M6.352 6.787c.16.012.312.014.448.012.002-.136 0-.289-.012-.448-.043-.617-.203-1.181-.525-1.503a1 1 0 0 0-1.414 1.414c.322.322.886.482 1.503.525ZM9.649 6.787c-.16.012-.312.014-.448.012-.003-.136 0-.289.011-.448.044-.617.203-1.181.526-1.503a1 1 0 1 1 1.414 1.414c-.322.322-.887.482-1.503.525Z"})])}function Nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3.5c0 .563.186 1.082.5 1.5H2a1 1 0 0 0 0 2h5.25V5h1.5v2H14a1 1 0 1 0 0-2h-2.25A2.5 2.5 0 0 0 8 1.714 2.5 2.5 0 0 0 3.75 3.5Zm3.499 0v-.038A1 1 0 1 0 6.25 4.5h1l-.001-1Zm2.5-1a1 1 0 0 0-1 .962l.001.038v1h.999a1 1 0 0 0 0-2Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M7.25 8.5H2V12a2 2 0 0 0 2 2h3.25V8.5ZM8.75 14V8.5H14V12a2 2 0 0 1-2 2H8.75Z"})])}function Vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.757 4.5c.18.217.376.42.586.608.153-.61.354-1.175.596-1.678A5.53 5.53 0 0 0 3.757 4.5ZM8 1a6.994 6.994 0 0 0-7 7 7 7 0 1 0 7-7Zm0 1.5c-.476 0-1.091.386-1.633 1.427-.293.564-.531 1.267-.683 2.063A5.48 5.48 0 0 0 8 6.5a5.48 5.48 0 0 0 2.316-.51c-.152-.796-.39-1.499-.683-2.063C9.09 2.886 8.476 2.5 8 2.5Zm3.657 2.608a8.823 8.823 0 0 0-.596-1.678c.444.298.842.659 1.182 1.07-.18.217-.376.42-.586.608Zm-1.166 2.436A6.983 6.983 0 0 1 8 8a6.983 6.983 0 0 1-2.49-.456 10.703 10.703 0 0 0 .202 2.6c.72.231 1.49.356 2.288.356.798 0 1.568-.125 2.29-.356a10.705 10.705 0 0 0 .2-2.6Zm1.433 1.85a12.652 12.652 0 0 0 .018-2.609c.405-.276.78-.594 1.117-.947a5.48 5.48 0 0 1 .44 2.262 7.536 7.536 0 0 1-1.575 1.293Zm-2.172 2.435a9.046 9.046 0 0 1-3.504 0c.039.084.078.166.12.244C6.907 13.114 7.523 13.5 8 13.5s1.091-.386 1.633-1.427c.04-.078.08-.16.12-.244Zm1.31.74a8.5 8.5 0 0 0 .492-1.298c.457-.197.893-.43 1.307-.696a5.526 5.526 0 0 1-1.8 1.995Zm-6.123 0a8.507 8.507 0 0 1-.493-1.298 8.985 8.985 0 0 1-1.307-.696 5.526 5.526 0 0 0 1.8 1.995ZM2.5 8.1c.463.5.993.935 1.575 1.293a12.652 12.652 0 0 1-.018-2.608 7.037 7.037 0 0 1-1.117-.947 5.48 5.48 0 0 0-.44 2.262Z","clip-rule":"evenodd"})])}function Ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a7 7 0 1 0 0 14A7 7 0 0 0 8 1ZM4.5 3.757a5.5 5.5 0 1 0 6.857-.114l-.65.65a.707.707 0 0 0-.207.5c0 .39-.317.707-.707.707H8.427a.496.496 0 0 0-.413.771l.25.376a.481.481 0 0 0 .616.163.962.962 0 0 1 1.11.18l.573.573a1 1 0 0 1 .242 1.023l-1.012 3.035a1 1 0 0 1-1.191.654l-.345-.086a1 1 0 0 1-.757-.97v-.305a1 1 0 0 0-.293-.707L6.1 9.1a.849.849 0 0 1 0-1.2c.22-.22.22-.58 0-.8l-.721-.721A3 3 0 0 1 4.5 4.257v-.5Z","clip-rule":"evenodd"})])}function Tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 8a7 7 0 1 1 14 0A7 7 0 0 1 1 8Zm7 5.5a5.485 5.485 0 0 1-4.007-1.732l.28-.702a.402.402 0 0 1 .658-.135.804.804 0 0 0 1.138 0l.012-.012a.822.822 0 0 0 .154-.949l-.055-.11a.497.497 0 0 1 .134-.611L8.14 7.788a.57.57 0 0 0 .154-.7.57.57 0 0 1 .33-.796l.028-.01a1.788 1.788 0 0 0 1.13-1.13l.072-.214a.747.747 0 0 0-.18-.764L8.293 2.793A1 1 0 0 1 8.09 2.5 5.5 5.5 0 0 1 12.9 10.5h-.486a1 1 0 0 1-.707-.293l-.353-.353a1.207 1.207 0 0 0-1.708 0l-.531.531a1 1 0 0 1-.26.188l-.343.17a.927.927 0 0 0-.512.83v.177c0 .414.336.75.75.75a.75.75 0 0 1 .751.793c-.477.135-.98.207-1.501.207Z","clip-rule":"evenodd"})])}function In(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a7 7 0 1 0 0 14A7 7 0 0 0 8 1ZM5.657 3.023a5.5 5.5 0 1 0 7.584 3.304l-.947-.63a.431.431 0 0 0-.544.053.431.431 0 0 1-.544.054l-.467-.312a.475.475 0 0 0-.689.608l.226.453a2.119 2.119 0 0 1 0 1.894L10.1 8.8a.947.947 0 0 0-.1.424v.11a2 2 0 0 1-.4 1.2L8.8 11.6A1 1 0 0 1 7 11v-.382a1 1 0 0 0-.553-.894l-.422-.212A1.854 1.854 0 0 1 6.855 6h.707a.438.438 0 1 0-.107-.864l-.835.209a1.129 1.129 0 0 1-1.305-1.553l.342-.77Z","clip-rule":"evenodd"})])}function Zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.75 3a.75.75 0 0 1 .75.75v3.5h4v-3.5a.75.75 0 0 1 1.5 0v8.5a.75.75 0 0 1-1.5 0v-3.5h-4v3.5a.75.75 0 0 1-1.5 0v-8.5A.75.75 0 0 1 1.75 3ZM10 6.75a.75.75 0 0 1 .75-.75h1.75a.75.75 0 0 1 .75.75v4.75h1a.75.75 0 0 1 0 1.5h-3.5a.75.75 0 0 1 0-1.5h1v-4h-1a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function On(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.75 3a.75.75 0 0 1 .75.75v3.5h4v-3.5a.75.75 0 0 1 1.5 0v8.5a.75.75 0 0 1-1.5 0v-3.5h-4v3.5a.75.75 0 0 1-1.5 0v-8.5A.75.75 0 0 1 1.75 3ZM12.5 7.5c-.558 0-1.106.04-1.642.119a.75.75 0 0 1-.216-1.484 12.848 12.848 0 0 1 2.836-.098A1.629 1.629 0 0 1 14.99 7.58a8.884 8.884 0 0 1-.021 1.166c-.06.702-.553 1.24-1.159 1.441l-2.14.713a.25.25 0 0 0-.17.237v.363h2.75a.75.75 0 0 1 0 1.5h-3.5a.75.75 0 0 1-.75-.75v-1.113a1.75 1.75 0 0 1 1.197-1.66l2.139-.713c.1-.033.134-.103.138-.144a7.344 7.344 0 0 0 .018-.97c-.003-.052-.046-.111-.128-.117A11.417 11.417 0 0 0 12.5 7.5Z","clip-rule":"evenodd"})])}function Dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.75 3a.75.75 0 0 1 .75.75v3.5h4v-3.5a.75.75 0 0 1 1.5 0v8.5a.75.75 0 0 1-1.5 0v-3.5h-4v3.5a.75.75 0 0 1-1.5 0v-8.5A.75.75 0 0 1 1.75 3ZM12.5 7.5c-.558 0-1.107.04-1.642.119a.75.75 0 0 1-.217-1.484 12.851 12.851 0 0 1 2.856-.097c.696.054 1.363.561 1.464 1.353a4.805 4.805 0 0 1-.203 2.109 4.745 4.745 0 0 1 .203 2.109c-.101.792-.768 1.299-1.464 1.353a12.955 12.955 0 0 1-2.856-.097.75.75 0 0 1 .217-1.484 11.351 11.351 0 0 0 2.523.085.14.14 0 0 0 .08-.03c.007-.006.01-.012.01-.012l.002-.003v-.003a3.29 3.29 0 0 0-.06-1.168H11.75a.75.75 0 0 1 0-1.5h1.663a3.262 3.262 0 0 0 .06-1.168l-.001-.006-.01-.012a.14.14 0 0 0-.08-.03c-.291-.023-.585-.034-.882-.034Z","clip-rule":"evenodd"})])}function Rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.5 1a.75.75 0 0 0-.75.75V6.5a.5.5 0 0 1-1 0V2.75a.75.75 0 0 0-1.5 0V7.5a.5.5 0 0 1-1 0V4.75a.75.75 0 0 0-1.5 0v4.5a5.75 5.75 0 0 0 11.5 0v-2.5a.75.75 0 0 0-1.5 0V9.5a.5.5 0 0 1-1 0V2.75a.75.75 0 0 0-1.5 0V6.5a.5.5 0 0 1-1 0V1.75A.75.75 0 0 0 8.5 1Z"})])}function Hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.325 3H12v5c-.663 0-1.219.466-1.557 1.037a4.02 4.02 0 0 1-1.357 1.377c-.478.292-.907.706-.989 1.26v.005a9.031 9.031 0 0 0 0 2.642c.028.194-.048.394-.224.479A2 2 0 0 1 5 13c0-.812.08-1.605.234-2.371a.521.521 0 0 0-.5-.629H3C1.896 10 .99 9.102 1.1 8.003A19.827 19.827 0 0 1 2.18 3.215C2.45 2.469 3.178 2 3.973 2h2.703a2 2 0 0 1 .632.103l2.384.794a2 2 0 0 0 .633.103ZM14 2a1 1 0 0 0-1 1v6a1 1 0 1 0 2 0V3a1 1 0 0 0-1-1Z"})])}function Pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.09 15a1 1 0 0 0 1-1V8a1 1 0 1 0-2 0v6a1 1 0 0 0 1 1ZM5.765 13H4.09V8c.663 0 1.218-.466 1.556-1.037a4.02 4.02 0 0 1 1.358-1.377c.478-.292.907-.706.989-1.26V4.32a9.03 9.03 0 0 0 0-2.642c-.028-.194.048-.394.224-.479A2 2 0 0 1 11.09 3c0 .812-.08 1.605-.235 2.371a.521.521 0 0 0 .502.629h1.733c1.104 0 2.01.898 1.901 1.997a19.831 19.831 0 0 1-1.081 4.788c-.27.747-.998 1.215-1.793 1.215H9.414c-.215 0-.428-.035-.632-.103l-2.384-.794A2.002 2.002 0 0 0 5.765 13Z"})])}function jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.487 2.89a.75.75 0 1 0-1.474-.28l-.455 2.388H3.61a.75.75 0 0 0 0 1.5h1.663l-.571 2.998H2.75a.75.75 0 0 0 0 1.5h1.666l-.403 2.114a.75.75 0 0 0 1.474.28l.456-2.394h2.973l-.403 2.114a.75.75 0 0 0 1.474.28l.456-2.394h1.947a.75.75 0 0 0 0-1.5h-1.661l.57-2.998h1.95a.75.75 0 0 0 0-1.5h-1.664l.402-2.108a.75.75 0 0 0-1.474-.28l-.455 2.388H7.085l.402-2.108ZM6.8 6.498l-.571 2.998h2.973l.57-2.998H6.8Z","clip-rule":"evenodd"})])}function Fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 6.342a3.375 3.375 0 0 1 6-2.088 3.375 3.375 0 0 1 5.997 2.26c-.063 2.134-1.618 3.76-2.955 4.784a14.437 14.437 0 0 1-2.676 1.61c-.02.01-.038.017-.05.022l-.014.006-.004.002h-.002a.75.75 0 0 1-.592.001h-.002l-.004-.003-.015-.006a5.528 5.528 0 0 1-.232-.107 14.395 14.395 0 0 1-2.535-1.557C3.564 10.22 1.999 8.558 1.999 6.38L2 6.342Z"})])}function zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.536 3.444a.75.75 0 0 0-.571-1.387L3.5 4.719V3.75a.75.75 0 0 0-1.5 0v1.586l-.535.22A.75.75 0 0 0 2 6.958V12.5h-.25a.75.75 0 0 0 0 1.5H4a1 1 0 0 0 1-1v-1a1 1 0 1 1 2 0v1a1 1 0 0 0 1 1h1a1 1 0 0 0 1-1V3.664l.536-.22ZM11.829 5.802a.75.75 0 0 0-.333.623V8.5c0 .027.001.053.004.08V13a1 1 0 0 0 1 1h.5a1 1 0 0 0 1-1V7.957a.75.75 0 0 0 .535-1.4l-2.004-.826a.75.75 0 0 0-.703.07Z"})])}function qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.543 2.232a.75.75 0 0 0-1.085 0l-5.25 5.5A.75.75 0 0 0 2.75 9H4v4a1 1 0 0 0 1 1h1a1 1 0 0 0 1-1v-1a1 1 0 1 1 2 0v1a1 1 0 0 0 1 1h1a1 1 0 0 0 1-1V9h1.25a.75.75 0 0 0 .543-1.268l-5.25-5.5Z"})])}function Un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a2 2 0 0 0-2 2v6a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V5a2 2 0 0 0-2-2H3Zm2.5 5a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3ZM10 5.75a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 0 1.5h-1.5a.75.75 0 0 1-.75-.75Zm.75 3.75a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 0-1.5h-1.5ZM10 8a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 0 1.5h-1.5A.75.75 0 0 1 10 8Zm-2.378 3c.346 0 .583-.343.395-.633A2.998 2.998 0 0 0 5.5 9a2.998 2.998 0 0 0-2.517 1.367c-.188.29.05.633.395.633h4.244Z","clip-rule":"evenodd"})])}function $n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.75 2.75a.75.75 0 0 0-1.5 0v3.69l-.72-.72a.75.75 0 0 0-1.06 1.06l2 2a.75.75 0 0 0 1.06 0l2-2a.75.75 0 1 0-1.06-1.06l-.72.72V2.75Z"}),(0,r.createElementVNode)("path",{d:"M4.784 4.5a.75.75 0 0 0-.701.483L2.553 9h2.412a1 1 0 0 1 .832.445l.406.61a1 1 0 0 0 .832.445h1.93a1 1 0 0 0 .832-.445l.406-.61A1 1 0 0 1 11.035 9h2.412l-1.53-4.017a.75.75 0 0 0-.7-.483h-.467a.75.75 0 0 1 0-1.5h.466c.934 0 1.77.577 2.103 1.449l1.534 4.026c.097.256.147.527.147.801v1.474A2.25 2.25 0 0 1 12.75 13h-9.5A2.25 2.25 0 0 1 1 10.75V9.276c0-.274.05-.545.147-.801l1.534-4.026A2.25 2.25 0 0 1 4.784 3h.466a.75.75 0 0 1 0 1.5h-.466Z"})])}function Wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.742 2.755A2.25 2.25 0 0 1 4.424 2h7.152a2.25 2.25 0 0 1 1.682.755l1.174 1.32c.366.412.568.944.568 1.495v.68a2.25 2.25 0 0 1-2.25 2.25h-9.5A2.25 2.25 0 0 1 1 6.25v-.68c0-.55.202-1.083.568-1.495l1.174-1.32Zm1.682.745a.75.75 0 0 0-.561.252L2.753 5h2.212a1 1 0 0 1 .832.445l.406.61a1 1 0 0 0 .832.445h1.93a1 1 0 0 0 .832-.445l.406-.61A1 1 0 0 1 11.035 5h2.211l-1.109-1.248a.75.75 0 0 0-.56-.252H4.423Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M1 10.75a.75.75 0 0 1 .75-.75h3.215a1 1 0 0 1 .832.445l.406.61a1 1 0 0 0 .832.445h1.93a1 1 0 0 0 .832-.445l.406-.61a1 1 0 0 1 .832-.445h3.215a.75.75 0 0 1 .75.75v1A2.25 2.25 0 0 1 12.75 14h-9.5A2.25 2.25 0 0 1 1 11.75v-1Z"})])}function Gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.784 3A2.25 2.25 0 0 0 2.68 4.449L1.147 8.475A2.25 2.25 0 0 0 1 9.276v1.474A2.25 2.25 0 0 0 3.25 13h9.5A2.25 2.25 0 0 0 15 10.75V9.276c0-.274-.05-.545-.147-.801l-1.534-4.026A2.25 2.25 0 0 0 11.216 3H4.784Zm-.701 1.983a.75.75 0 0 1 .7-.483h6.433a.75.75 0 0 1 .701.483L13.447 9h-2.412a1 1 0 0 0-.832.445l-.406.61a1 1 0 0 1-.832.445h-1.93a1 1 0 0 1-.832-.445l-.406-.61A1 1 0 0 0 4.965 9H2.553l1.53-4.017Z","clip-rule":"evenodd"})])}function Kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM9 5a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM6.75 8a.75.75 0 0 0 0 1.5h.75v1.75a.75.75 0 0 0 1.5 0v-2.5A.75.75 0 0 0 8.25 8h-1.5Z","clip-rule":"evenodd"})])}function Yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.25 2.75A.75.75 0 0 1 7 2h6a.75.75 0 0 1 0 1.5h-2.483l-3.429 9H9A.75.75 0 0 1 9 14H3a.75.75 0 0 1 0-1.5h2.483l3.429-9H7a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function Xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14 6a4 4 0 0 1-4.899 3.899l-1.955 1.955a.5.5 0 0 1-.353.146H5v1.5a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1-.5-.5v-2.293a.5.5 0 0 1 .146-.353l3.955-3.955A4 4 0 1 1 14 6Zm-4-2a.75.75 0 0 0 0 1.5.5.5 0 0 1 .5.5.75.75 0 0 0 1.5 0 2 2 0 0 0-2-2Z","clip-rule":"evenodd"})])}function Jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11 5a.75.75 0 0 1 .688.452l3.25 7.5a.75.75 0 1 1-1.376.596L12.89 12H9.109l-.67 1.548a.75.75 0 1 1-1.377-.596l3.25-7.5A.75.75 0 0 1 11 5Zm-1.24 5.5h2.48L11 7.636 9.76 10.5ZM5 1a.75.75 0 0 1 .75.75v1.261a25.27 25.27 0 0 1 2.598.211.75.75 0 1 1-.2 1.487c-.22-.03-.44-.056-.662-.08A12.939 12.939 0 0 1 5.92 8.058c.237.304.488.595.752.873a.75.75 0 0 1-1.086 1.035A13.075 13.075 0 0 1 5 9.307a13.068 13.068 0 0 1-2.841 2.546.75.75 0 0 1-.827-1.252A11.566 11.566 0 0 0 4.08 8.057a12.991 12.991 0 0 1-.554-.938.75.75 0 1 1 1.323-.707c.049.09.099.181.15.271.388-.68.708-1.405.952-2.164a23.941 23.941 0 0 0-4.1.19.75.75 0 0 1-.2-1.487c.853-.114 1.72-.185 2.598-.211V1.75A.75.75 0 0 1 5 1Z","clip-rule":"evenodd"})])}function Qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.95 3.05a7 7 0 1 0-9.9 9.9 7 7 0 0 0 9.9-9.9Zm-7.262-.042a5.516 5.516 0 0 1 4.624 0L8.698 5.082a3.016 3.016 0 0 0-1.396 0L5.688 3.008Zm-2.68 2.68a5.516 5.516 0 0 0 0 4.624l2.074-1.614a3.015 3.015 0 0 1 0-1.396L3.008 5.688Zm2.68 7.304 1.614-2.074c.458.11.938.11 1.396 0l1.614 2.074a5.516 5.516 0 0 1-4.624 0Zm7.304-2.68a5.516 5.516 0 0 0 0-4.624l-2.074 1.614c.11.458.11.938 0 1.396l2.074 1.614ZM6.94 6.939a1.5 1.5 0 1 1 2.122 2.122 1.5 1.5 0 0 1-2.122-2.122Z","clip-rule":"evenodd"})])}function er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.618 10.26c-.361.223-.618.598-.618 1.022 0 .226-.142.43-.36.49A6.006 6.006 0 0 1 8 12c-.569 0-1.12-.08-1.64-.227a.504.504 0 0 1-.36-.491c0-.424-.257-.799-.618-1.021a5 5 0 1 1 5.235 0ZM6.867 13.415a.75.75 0 1 0-.225 1.483 9.065 9.065 0 0 0 2.716 0 .75.75 0 1 0-.225-1.483 7.563 7.563 0 0 1-2.266 0Z"})])}function tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.28 2.22a.75.75 0 0 0-1.06 1.06l10.5 10.5a.75.75 0 1 0 1.06-1.06l-2.999-3a3.5 3.5 0 0 0-.806-3.695.75.75 0 0 0-1.06 1.061c.374.374.569.861.584 1.352L7.116 6.055l1.97-1.97a2 2 0 0 1 3.208 2.3.75.75 0 0 0 1.346.662 3.501 3.501 0 0 0-5.615-4.022l-1.97 1.97L3.28 2.22ZM3.705 9.616a.75.75 0 0 0-1.345-.663 3.501 3.501 0 0 0 5.615 4.022l.379-.379a.75.75 0 0 0-1.061-1.06l-.379.378a2 2 0 0 1-3.209-2.298Z"})])}function nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.914 6.025a.75.75 0 0 1 1.06 0 3.5 3.5 0 0 1 0 4.95l-2 2a3.5 3.5 0 0 1-5.396-4.402.75.75 0 0 1 1.251.827 2 2 0 0 0 3.085 2.514l2-2a2 2 0 0 0 0-2.828.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.086 9.975a.75.75 0 0 1-1.06 0 3.5 3.5 0 0 1 0-4.95l2-2a3.5 3.5 0 0 1 5.396 4.402.75.75 0 0 1-1.251-.827 2 2 0 0 0-3.085-2.514l-2 2a2 2 0 0 0 0 2.828.75.75 0 0 1 0 1.06Z","clip-rule":"evenodd"})])}function rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 4.75a1 1 0 1 0 0-2 1 1 0 0 0 0 2ZM6.25 3a.75.75 0 0 0 0 1.5h7a.75.75 0 0 0 0-1.5h-7ZM6.25 7.25a.75.75 0 0 0 0 1.5h7a.75.75 0 0 0 0-1.5h-7ZM6.25 11.5a.75.75 0 0 0 0 1.5h7a.75.75 0 0 0 0-1.5h-7ZM4 12.25a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM3 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z"})])}function or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a3.5 3.5 0 0 0-3.5 3.5V7A1.5 1.5 0 0 0 3 8.5v5A1.5 1.5 0 0 0 4.5 15h7a1.5 1.5 0 0 0 1.5-1.5v-5A1.5 1.5 0 0 0 11.5 7V4.5A3.5 3.5 0 0 0 8 1Zm2 6V4.5a2 2 0 1 0-4 0V7h4Z","clip-rule":"evenodd"})])}function ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.5 1A3.5 3.5 0 0 0 8 4.5V7H2.5A1.5 1.5 0 0 0 1 8.5v5A1.5 1.5 0 0 0 2.5 15h7a1.5 1.5 0 0 0 1.5-1.5v-5A1.5 1.5 0 0 0 9.5 7V4.5a2 2 0 1 1 4 0v1.75a.75.75 0 0 0 1.5 0V4.5A3.5 3.5 0 0 0 11.5 1Z"})])}function ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.94 8.06a1.5 1.5 0 1 1 2.12-2.12 1.5 1.5 0 0 1-2.12 2.12Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14ZM4.879 4.879a3 3 0 0 0 3.645 4.706L9.72 10.78a.75.75 0 0 0 1.061-1.06L9.585 8.524A3.001 3.001 0 0 0 4.879 4.88Z","clip-rule":"evenodd"})])}function lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.75 6.25h-3.5a.75.75 0 0 0 0 1.5h3.5a.75.75 0 0 0 0-1.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7 12c1.11 0 2.136-.362 2.965-.974l2.755 2.754a.75.75 0 1 0 1.06-1.06l-2.754-2.755A5 5 0 1 0 7 12Zm0-1.5a3.5 3.5 0 1 0 0-7 3.5 3.5 0 0 0 0 7Z","clip-rule":"evenodd"})])}function sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.25 8.75v-1h-1a.75.75 0 0 1 0-1.5h1v-1a.75.75 0 0 1 1.5 0v1h1a.75.75 0 0 1 0 1.5h-1v1a.75.75 0 0 1-1.5 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7 12c1.11 0 2.136-.362 2.965-.974l2.755 2.754a.75.75 0 1 0 1.06-1.06l-2.754-2.755A5 5 0 1 0 7 12Zm0-1.5a3.5 3.5 0 1 0 0-7 3.5 3.5 0 0 0 0 7Z","clip-rule":"evenodd"})])}function cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.965 11.026a5 5 0 1 1 1.06-1.06l2.755 2.754a.75.75 0 1 1-1.06 1.06l-2.755-2.754ZM10.5 7a3.5 3.5 0 1 1-7 0 3.5 3.5 0 0 1 7 0Z","clip-rule":"evenodd"})])}function ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m7.539 14.841.003.003.002.002a.755.755 0 0 0 .912 0l.002-.002.003-.003.012-.009a5.57 5.57 0 0 0 .19-.153 15.588 15.588 0 0 0 2.046-2.082c1.101-1.362 2.291-3.342 2.291-5.597A5 5 0 0 0 3 7c0 2.255 1.19 4.235 2.292 5.597a15.591 15.591 0 0 0 2.046 2.082 8.916 8.916 0 0 0 .189.153l.012.01ZM8 8.5a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3Z","clip-rule":"evenodd"})])}function dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.37 2.257a1.25 1.25 0 0 1 1.214-.054l3.378 1.69 2.133-1.313A1.25 1.25 0 0 1 14 3.644v7.326c0 .434-.225.837-.595 1.065l-2.775 1.708a1.25 1.25 0 0 1-1.214.053l-3.378-1.689-2.133 1.313A1.25 1.25 0 0 1 2 12.354V5.029c0-.434.225-.837.595-1.064L5.37 2.257ZM6 4a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0v-4.5A.75.75 0 0 1 6 4Zm4.75 2.75a.75.75 0 0 0-1.5 0v4.5a.75.75 0 0 0 1.5 0v-4.5Z","clip-rule":"evenodd"})])}function hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.407 2.59a.75.75 0 0 0-1.464.326c.365 1.636.557 3.337.557 5.084 0 1.747-.192 3.448-.557 5.084a.75.75 0 0 0 1.464.327c.264-1.185.444-2.402.531-3.644a2 2 0 0 0 0-3.534 24.736 24.736 0 0 0-.531-3.643ZM4.348 11H4a3 3 0 0 1 0-6h2c1.647 0 3.217-.332 4.646-.933C10.878 5.341 11 6.655 11 8c0 1.345-.122 2.659-.354 3.933a11.946 11.946 0 0 0-4.23-.925c.203.718.478 1.407.816 2.057.12.23.057.515-.155.663l-.828.58a.484.484 0 0 1-.707-.16A12.91 12.91 0 0 1 4.348 11Z"})])}function pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 1a2 2 0 0 0-2 2v4a2 2 0 1 0 4 0V3a2 2 0 0 0-2-2Z"}),(0,r.createElementVNode)("path",{d:"M4.5 7A.75.75 0 0 0 3 7a5.001 5.001 0 0 0 4.25 4.944V13.5h-1.5a.75.75 0 0 0 0 1.5h4.5a.75.75 0 0 0 0-1.5h-1.5v-1.556A5.001 5.001 0 0 0 13 7a.75.75 0 0 0-1.5 0 3.5 3.5 0 1 1-7 0Z"})])}function fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14Zm4-7a.75.75 0 0 0-.75-.75h-6.5a.75.75 0 0 0 0 1.5h6.5A.75.75 0 0 0 12 8Z","clip-rule":"evenodd"})])}function mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.75 7.25a.75.75 0 0 0 0 1.5h8.5a.75.75 0 0 0 0-1.5h-8.5Z"})])}function vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M14.438 10.148c.19-.425-.321-.787-.748-.601A5.5 5.5 0 0 1 6.453 2.31c.186-.427-.176-.938-.6-.748a6.501 6.501 0 1 0 8.585 8.586Z"})])}function gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M14 1.75a.75.75 0 0 0-.89-.737l-7.502 1.43a.75.75 0 0 0-.61.736v2.5c0 .018 0 .036.002.054V9.73a1 1 0 0 1-.813.983l-.58.11a1.978 1.978 0 0 0 .741 3.886l.603-.115c.9-.171 1.55-.957 1.55-1.873v-1.543l-.001-.043V6.3l6-1.143v3.146a1 1 0 0 1-.813.982l-.584.111a1.978 1.978 0 0 0 .74 3.886l.326-.062A2.252 2.252 0 0 0 14 11.007V1.75Z"})])}function wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 3a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v9a2 2 0 0 0 2 2h8a2 2 0 0 1-2-2V3ZM4 4h4v2H4V4Zm4 3.5H4V9h4V7.5Zm-4 3h4V12H4v-1.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M13 5h-1.5v6.25a1.25 1.25 0 1 0 2.5 0V6a1 1 0 0 0-1-1Z"})])}function yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.05 3.05a7 7 0 1 1 9.9 9.9 7 7 0 0 1-9.9-9.9Zm1.627.566 7.707 7.707a5.501 5.501 0 0 0-7.707-7.707Zm6.646 8.768L3.616 4.677a5.501 5.501 0 0 0 7.707 7.707Z","clip-rule":"evenodd"})])}function br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.995 1a.625.625 0 1 0 0 1.25h.38v2.125a.625.625 0 1 0 1.25 0v-2.75A.625.625 0 0 0 4 1H2.995ZM3.208 7.385a2.37 2.37 0 0 1 1.027-.124L2.573 8.923a.625.625 0 0 0 .439 1.067l1.987.011a.625.625 0 0 0 .006-1.25l-.49-.003.777-.776c.215-.215.335-.506.335-.809 0-.465-.297-.957-.842-1.078a3.636 3.636 0 0 0-1.993.121.625.625 0 1 0 .416 1.179ZM2.625 11a.625.625 0 1 0 0 1.25H4.25a.125.125 0 0 1 0 .25H3.5a.625.625 0 1 0 0 1.25h.75a.125.125 0 0 1 0 .25H2.625a.625.625 0 1 0 0 1.25H4.25a1.375 1.375 0 0 0 1.153-2.125A1.375 1.375 0 0 0 4.25 11H2.625ZM7.25 2a.75.75 0 0 0 0 1.5h6a.75.75 0 0 0 0-1.5h-6ZM7.25 7.25a.75.75 0 0 0 0 1.5h6a.75.75 0 0 0 0-1.5h-6ZM6.5 13.25a.75.75 0 0 1 .75-.75h6a.75.75 0 0 1 0 1.5h-6a.75.75 0 0 1-.75-.75Z"})])}function xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12.613 1.258a1.535 1.535 0 0 1 2.13 2.129l-1.905 2.856a8 8 0 0 1-3.56 2.939 4.011 4.011 0 0 0-2.46-2.46 8 8 0 0 1 2.94-3.56l2.855-1.904ZM5.5 8A2.5 2.5 0 0 0 3 10.5a.5.5 0 0 1-.7.459.75.75 0 0 0-.983 1A3.5 3.5 0 0 0 8 10.5 2.5 2.5 0 0 0 5.5 8Z"})])}function kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.87 2.298a.75.75 0 0 0-.812 1.021L3.39 6.624a1 1 0 0 0 .928.626H8.25a.75.75 0 0 1 0 1.5H4.318a1 1 0 0 0-.927.626l-1.333 3.305a.75.75 0 0 0 .811 1.022 24.89 24.89 0 0 0 11.668-5.115.75.75 0 0 0 0-1.175A24.89 24.89 0 0 0 2.869 2.298Z"})])}function Er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.914 4.086a2 2 0 0 0-2.828 0l-5 5a2 2 0 1 0 2.828 2.828l.556-.555a.75.75 0 0 1 1.06 1.06l-.555.556a3.5 3.5 0 0 1-4.95-4.95l5-5a3.5 3.5 0 0 1 4.95 4.95l-1.972 1.972a2.125 2.125 0 0 1-3.006-3.005L9.97 4.97a.75.75 0 1 1 1.06 1.06L9.058 8.003a.625.625 0 0 0 .884.883l1.972-1.972a2 2 0 0 0 0-2.828Z","clip-rule":"evenodd"})])}function Ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0ZM5.5 5.5A.5.5 0 0 1 6 5h.5a.5.5 0 0 1 .5.5v5a.5.5 0 0 1-.5.5H6a.5.5 0 0 1-.5-.5v-5Zm4-.5a.5.5 0 0 0-.5.5v5a.5.5 0 0 0 .5.5h.5a.5.5 0 0 0 .5-.5v-5A.5.5 0 0 0 10 5h-.5Z","clip-rule":"evenodd"})])}function Cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.5 2a.5.5 0 0 0-.5.5v11a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-11a.5.5 0 0 0-.5-.5h-1ZM10.5 2a.5.5 0 0 0-.5.5v11a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-11a.5.5 0 0 0-.5-.5h-1Z"})])}function Br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.488 2.513a1.75 1.75 0 0 0-2.475 0L6.75 6.774a2.75 2.75 0 0 0-.596.892l-.848 2.047a.75.75 0 0 0 .98.98l2.047-.848a2.75 2.75 0 0 0 .892-.596l4.261-4.262a1.75 1.75 0 0 0 0-2.474Z"}),(0,r.createElementVNode)("path",{d:"M4.75 3.5c-.69 0-1.25.56-1.25 1.25v6.5c0 .69.56 1.25 1.25 1.25h6.5c.69 0 1.25-.56 1.25-1.25V9A.75.75 0 0 1 14 9v2.25A2.75 2.75 0 0 1 11.25 14h-6.5A2.75 2.75 0 0 1 2 11.25v-6.5A2.75 2.75 0 0 1 4.75 2H7a.75.75 0 0 1 0 1.5H4.75Z"})])}function Mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.013 2.513a1.75 1.75 0 0 1 2.475 2.474L6.226 12.25a2.751 2.751 0 0 1-.892.596l-2.047.848a.75.75 0 0 1-.98-.98l.848-2.047a2.75 2.75 0 0 1 .596-.892l7.262-7.261Z","clip-rule":"evenodd"})])}function _r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.396 6.093a2 2 0 0 0 0 3.814 2 2 0 0 0 2.697 2.697 2 2 0 0 0 3.814 0 2.001 2.001 0 0 0 2.698-2.697 2 2 0 0 0-.001-3.814 2.001 2.001 0 0 0-2.697-2.698 2 2 0 0 0-3.814.001 2 2 0 0 0-2.697 2.697ZM6 7a1 1 0 1 0 0-2 1 1 0 0 0 0 2Zm3.47-1.53a.75.75 0 1 1 1.06 1.06l-4 4a.75.75 0 1 1-1.06-1.06l4-4ZM11 10a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z","clip-rule":"evenodd"})])}function Sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m4.922 6.752-1.067.534a7.52 7.52 0 0 0 4.859 4.86l.534-1.068a1 1 0 0 1 1.046-.542l2.858.44a1 1 0 0 1 .848.988V13a1 1 0 0 1-1 1h-2c-.709 0-1.4-.082-2.062-.238a9.012 9.012 0 0 1-6.7-6.7A9.024 9.024 0 0 1 2 5V3a1 1 0 0 1 1-1h1.036a1 1 0 0 1 .988.848l.44 2.858a1 1 0 0 1-.542 1.046Z"}),(0,r.createElementVNode)("path",{d:"m11.56 5.5 2.22-2.22a.75.75 0 0 0-1.06-1.06L10.5 4.44V2.75a.75.75 0 0 0-1.5 0v3.5c0 .414.336.75.75.75h3.5a.75.75 0 0 0 0-1.5h-1.69Z"})])}function Nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m4.922 6.752-1.067.534a7.52 7.52 0 0 0 4.859 4.86l.534-1.068a1 1 0 0 1 1.046-.542l2.858.44a1 1 0 0 1 .848.988V13a1 1 0 0 1-1 1h-2c-.709 0-1.4-.082-2.062-.238a9.012 9.012 0 0 1-6.7-6.7A9.024 9.024 0 0 1 2 5V3a1 1 0 0 1 1-1h1.036a1 1 0 0 1 .988.848l.44 2.858a1 1 0 0 1-.542 1.046Z"}),(0,r.createElementVNode)("path",{d:"M9.22 5.72a.75.75 0 0 0 1.06 1.06l2.22-2.22v1.69a.75.75 0 0 0 1.5 0v-3.5a.75.75 0 0 0-.75-.75h-3.5a.75.75 0 0 0 0 1.5h1.69L9.22 5.72Z"})])}function Vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m3.855 7.286 1.067-.534a1 1 0 0 0 .542-1.046l-.44-2.858A1 1 0 0 0 4.036 2H3a1 1 0 0 0-1 1v2c0 .709.082 1.4.238 2.062a9.012 9.012 0 0 0 6.7 6.7A9.024 9.024 0 0 0 11 14h2a1 1 0 0 0 1-1v-1.036a1 1 0 0 0-.848-.988l-2.858-.44a1 1 0 0 0-1.046.542l-.534 1.067a7.52 7.52 0 0 1-4.86-4.859Z"}),(0,r.createElementVNode)("path",{d:"M13.78 2.22a.75.75 0 0 1 0 1.06L12.56 4.5l1.22 1.22a.75.75 0 0 1-1.06 1.06L11.5 5.56l-1.22 1.22a.75.75 0 1 1-1.06-1.06l1.22-1.22-1.22-1.22a.75.75 0 0 1 1.06-1.06l1.22 1.22 1.22-1.22a.75.75 0 0 1 1.06 0Z"})])}function Lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m3.855 7.286 1.067-.534a1 1 0 0 0 .542-1.046l-.44-2.858A1 1 0 0 0 4.036 2H3a1 1 0 0 0-1 1v2c0 .709.082 1.4.238 2.062a9.012 9.012 0 0 0 6.7 6.7A9.024 9.024 0 0 0 11 14h2a1 1 0 0 0 1-1v-1.036a1 1 0 0 0-.848-.988l-2.858-.44a1 1 0 0 0-1.046.542l-.534 1.067a7.52 7.52 0 0 1-4.86-4.859Z","clip-rule":"evenodd"})])}function Tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V4Zm10.5 5.707a.5.5 0 0 0-.146-.353l-1-1a.5.5 0 0 0-.708 0L9.354 9.646a.5.5 0 0 1-.708 0L6.354 7.354a.5.5 0 0 0-.708 0l-2 2a.5.5 0 0 0-.146.353V12a.5.5 0 0 0 .5.5h8a.5.5 0 0 0 .5-.5V9.707ZM12 5a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z","clip-rule":"evenodd"})])}function Ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14Zm-.847-9.766A.75.75 0 0 0 6 5.866v4.268a.75.75 0 0 0 1.153.633l3.353-2.134a.75.75 0 0 0 0-1.266L7.153 5.234Z","clip-rule":"evenodd"})])}function Zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 4.804a1 1 0 0 1 1.53-.848l5.113 3.196a1 1 0 0 1 0 1.696L2.53 12.044A1 1 0 0 1 1 11.196V4.804ZM13.5 4.5A.5.5 0 0 1 14 4h.5a.5.5 0 0 1 .5.5v7a.5.5 0 0 1-.5.5H14a.5.5 0 0 1-.5-.5v-7ZM10.5 4a.5.5 0 0 0-.5.5v7a.5.5 0 0 0 .5.5h.5a.5.5 0 0 0 .5-.5v-7A.5.5 0 0 0 11 4h-.5Z"})])}function Or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 3.732a1.5 1.5 0 0 1 2.305-1.265l6.706 4.267a1.5 1.5 0 0 1 0 2.531l-6.706 4.268A1.5 1.5 0 0 1 3 12.267V3.732Z"})])}function Dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14Zm.75-10.25v2.5h2.5a.75.75 0 0 1 0 1.5h-2.5v2.5a.75.75 0 0 1-1.5 0v-2.5h-2.5a.75.75 0 0 1 0-1.5h2.5v-2.5a.75.75 0 0 1 1.5 0Z","clip-rule":"evenodd"})])}function Rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.75 3.75a.75.75 0 0 0-1.5 0v3.5h-3.5a.75.75 0 0 0 0 1.5h3.5v3.5a.75.75 0 0 0 1.5 0v-3.5h3.5a.75.75 0 0 0 0-1.5h-3.5v-3.5Z"})])}function Hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a.75.75 0 0 1 .75.75v6.5a.75.75 0 0 1-1.5 0v-6.5A.75.75 0 0 1 8 1ZM4.11 3.05a.75.75 0 0 1 0 1.06 5.5 5.5 0 1 0 7.78 0 .75.75 0 0 1 1.06-1.06 7 7 0 1 1-9.9 0 .75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function Pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.75 2a.75.75 0 0 0 0 1.5H2V9a2 2 0 0 0 2 2h.043l-1.004 3.013a.75.75 0 0 0 1.423.474L4.624 14h6.752l.163.487a.75.75 0 1 0 1.422-.474L11.957 11H12a2 2 0 0 0 2-2V3.5h.25a.75.75 0 0 0 0-1.5H1.75Zm8.626 9 .5 1.5H5.124l.5-1.5h4.752ZM5.25 7a.75.75 0 0 0-.75.75v.5a.75.75 0 0 0 1.5 0v-.5A.75.75 0 0 0 5.25 7ZM10 4.75a.75.75 0 0 1 1.5 0v3.5a.75.75 0 0 1-1.5 0v-3.5ZM8 5.5a.75.75 0 0 0-.75.75v2a.75.75 0 0 0 1.5 0v-2A.75.75 0 0 0 8 5.5Z","clip-rule":"evenodd"})])}function jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.75 2a.75.75 0 0 0 0 1.5H2V9a2 2 0 0 0 2 2h.043l-1.005 3.013a.75.75 0 0 0 1.423.474L4.624 14h6.752l.163.487a.75.75 0 0 0 1.423-.474L11.957 11H12a2 2 0 0 0 2-2V3.5h.25a.75.75 0 0 0 0-1.5H1.75Zm8.626 9 .5 1.5H5.124l.5-1.5h4.752Zm1.317-5.833a.75.75 0 0 0-.892-1.206 8.789 8.789 0 0 0-2.465 2.814L7.28 5.72a.75.75 0 0 0-1.06 0l-2 2a.75.75 0 0 0 1.06 1.06l1.47-1.47L8.028 8.59a.75.75 0 0 0 1.228-.255 7.275 7.275 0 0 1 2.437-3.167Z","clip-rule":"evenodd"})])}function Fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 5a2 2 0 0 0-2 2v3a2 2 0 0 0 1.51 1.94l-.315 1.896A1 1 0 0 0 4.18 15h7.639a1 1 0 0 0 .986-1.164l-.316-1.897A2 2 0 0 0 14 10V7a2 2 0 0 0-2-2V2a1 1 0 0 0-1-1H5a1 1 0 0 0-1 1v3Zm1.5 0V2.5h5V5h-5Zm5.23 5.5H5.27l-.5 3h6.459l-.5-3Z","clip-rule":"evenodd"})])}function zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9 3.889c0-.273.188-.502.417-.65.355-.229.583-.587.583-.989C10 1.56 9.328 1 8.5 1S7 1.56 7 2.25c0 .41.237.774.603 1.002.22.137.397.355.397.613 0 .331-.275.596-.605.579-.744-.04-1.482-.1-2.214-.18a.75.75 0 0 0-.83.81c.067.764.111 1.535.133 2.312A.6.6 0 0 1 3.882 8c-.268 0-.495-.185-.64-.412C3.015 7.231 2.655 7 2.25 7 1.56 7 1 7.672 1 8.5S1.56 10 2.25 10c.404 0 .764-.23.993-.588.144-.227.37-.412.64-.412a.6.6 0 0 1 .601.614 39.338 39.338 0 0 1-.231 3.3.75.75 0 0 0 .661.829c.826.093 1.66.161 2.5.204A.56.56 0 0 0 8 13.386c0-.271-.187-.499-.415-.645C7.23 12.512 7 12.153 7 11.75c0-.69.672-1.25 1.5-1.25s1.5.56 1.5 1.25c0 .403-.23.762-.585.99-.228.147-.415.375-.415.646v.11c0 .278.223.504.5.504 1.196 0 2.381-.052 3.552-.154a.75.75 0 0 0 .68-.661c.135-1.177.22-2.37.253-3.574a.597.597 0 0 0-.6-.611c-.27 0-.498.187-.644.415-.229.356-.588.585-.991.585-.69 0-1.25-.672-1.25-1.5S11.06 7 11.75 7c.403 0 .762.23.99.585.147.228.375.415.646.415a.597.597 0 0 0 .599-.61 40.914 40.914 0 0 0-.132-2.365.75.75 0 0 0-.815-.684A39.51 39.51 0 0 1 9.5 4.5a.501.501 0 0 1-.5-.503v-.108Z"})])}function qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.75 4.25a.5.5 0 1 0 0 1 .5.5 0 0 0 0-1Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.5A1.5 1.5 0 0 1 3.5 2H6a1.5 1.5 0 0 1 1.5 1.5V6A1.5 1.5 0 0 1 6 7.5H3.5A1.5 1.5 0 0 1 2 6V3.5Zm1.5 0H6V6H3.5V3.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M4.25 11.25a.5.5 0 1 1 1 0 .5.5 0 0 1-1 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 10a1.5 1.5 0 0 1 1.5-1.5H6A1.5 1.5 0 0 1 7.5 10v2.5A1.5 1.5 0 0 1 6 14H3.5A1.5 1.5 0 0 1 2 12.5V10Zm1.5 2.5V10H6v2.5H3.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M11.25 4.25a.5.5 0 1 0 0 1 .5.5 0 0 0 0-1Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a1.5 1.5 0 0 0-1.5 1.5V6A1.5 1.5 0 0 0 10 7.5h2.5A1.5 1.5 0 0 0 14 6V3.5A1.5 1.5 0 0 0 12.5 2H10Zm2.5 1.5H10V6h2.5V3.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M8.5 9.417a.917.917 0 1 1 1.833 0 .917.917 0 0 1-1.833 0ZM8.5 13.083a.917.917 0 1 1 1.833 0 .917.917 0 0 1-1.833 0ZM13.083 8.5a.917.917 0 1 0 0 1.833.917.917 0 0 0 0-1.833ZM12.166 13.084a.917.917 0 1 1 1.833 0 .917.917 0 0 1-1.833 0ZM11.25 10.333a.917.917 0 1 0 0 1.833.917.917 0 0 0 0-1.833Z"})])}function Ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0Zm-6 3.5a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM7.293 5.293a1 1 0 1 1 .99 1.667c-.459.134-1.033.566-1.033 1.29v.25a.75.75 0 1 0 1.5 0v-.115a2.5 2.5 0 1 0-2.518-4.153.75.75 0 1 0 1.061 1.06Z","clip-rule":"evenodd"})])}function $r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 4a2 2 0 0 1 2-2h8a2 2 0 1 1 0 4H4a2 2 0 0 1-2-2ZM2 9.25a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 9.25ZM2.75 12.5a.75.75 0 0 0 0 1.5h10.5a.75.75 0 0 0 0-1.5H2.75Z"})])}function Wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.437 1.45a.75.75 0 0 1-.386.987L7.478 4H13a2 2 0 0 1 2 2v6a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V6a2 2 0 0 1 2-2h.736l6.713-2.937a.75.75 0 0 1 .988.386ZM12 8a1 1 0 1 0 0-2 1 1 0 0 0 0 2ZM6.75 6.75a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm-.75 3a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm2.323-1.225a.75.75 0 1 1-.75-1.3.75.75 0 0 1 .75 1.3ZM7.3 9.75a.75.75 0 1 0 1.299.75.75.75 0 0 0-1.3-.75Zm-.549 1.5a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm-3.348-.75a.75.75 0 1 0 1.3-.75.75.75 0 0 0-1.3.75Zm.275-1.975a.75.75 0 1 1 .75-1.3.75.75 0 0 1-.75 1.3ZM12 12a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function Gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 2A2.25 2.25 0 0 0 3 4.25v9a.75.75 0 0 0 1.183.613l1.692-1.195 1.692 1.195a.75.75 0 0 0 .866 0l1.692-1.195 1.693 1.195A.75.75 0 0 0 13 13.25v-9A2.25 2.25 0 0 0 10.75 2h-5.5Zm5.53 4.28a.75.75 0 1 0-1.06-1.06l-4.5 4.5a.75.75 0 1 0 1.06 1.06l4.5-4.5ZM7 6.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm2.75 4.25a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function Kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 2A2.25 2.25 0 0 0 3 4.25v9a.75.75 0 0 0 1.183.613l1.692-1.195 1.692 1.195a.75.75 0 0 0 .866 0l1.692-1.195 1.693 1.195A.75.75 0 0 0 13 13.25v-9A2.25 2.25 0 0 0 10.75 2h-5.5Zm3.03 3.28a.75.75 0 0 0-1.06-1.06L4.97 6.47a.75.75 0 0 0 0 1.06l2.25 2.25a.75.75 0 0 0 1.06-1.06l-.97-.97h1.315c.76 0 1.375.616 1.375 1.375a.75.75 0 0 0 1.5 0A2.875 2.875 0 0 0 8.625 6.25H7.311l.97-.97Z","clip-rule":"evenodd"})])}function Yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 4a1 1 0 0 1 1-1h5a1 1 0 0 1 1 1v3a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4ZM10 5a1 1 0 0 1 1-1h3a1 1 0 0 1 1 1v6a1 1 0 0 1-1 1h-3a1 1 0 0 1-1-1V5ZM4 10a1 1 0 0 0-1 1v1a1 1 0 0 0 1 1h4a1 1 0 0 0 1-1v-1a1 1 0 0 0-1-1H4Z"})])}function Xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5 3.5A1.5 1.5 0 0 1 6.5 2h3A1.5 1.5 0 0 1 11 3.5H5ZM4.5 5A1.5 1.5 0 0 0 3 6.5v.041a3.02 3.02 0 0 1 .5-.041h9c.17 0 .337.014.5.041V6.5A1.5 1.5 0 0 0 11.5 5h-7ZM12.5 8h-9A1.5 1.5 0 0 0 2 9.5v3A1.5 1.5 0 0 0 3.5 14h9a1.5 1.5 0 0 0 1.5-1.5v-3A1.5 1.5 0 0 0 12.5 8Z"})])}function Jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.333 4.478A4 4 0 0 0 1 8.25c0 .414.336.75.75.75h3.322c.572.71 1.219 1.356 1.928 1.928v3.322c0 .414.336.75.75.75a4 4 0 0 0 3.772-5.333A10.721 10.721 0 0 0 15 1.75a.75.75 0 0 0-.75-.75c-3.133 0-5.953 1.34-7.917 3.478ZM12 5.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M3.902 10.682a.75.75 0 1 0-1.313-.725 4.764 4.764 0 0 0-.469 3.36.75.75 0 0 0 .564.563 4.76 4.76 0 0 0 3.359-.47.75.75 0 1 0-.725-1.312 3.231 3.231 0 0 1-1.81.393 3.232 3.232 0 0 1 .394-1.81Z"})])}function Qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 2.75A.75.75 0 0 1 2.75 2C8.963 2 14 7.037 14 13.25a.75.75 0 0 1-1.5 0c0-5.385-4.365-9.75-9.75-9.75A.75.75 0 0 1 2 2.75Zm0 4.5a.75.75 0 0 1 .75-.75 6.75 6.75 0 0 1 6.75 6.75.75.75 0 0 1-1.5 0C8 10.35 5.65 8 2.75 8A.75.75 0 0 1 2 7.25ZM3.5 11a1.5 1.5 0 1 0 0 3 1.5 1.5 0 0 0 0-3Z","clip-rule":"evenodd"})])}function eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.75 2.5a.75.75 0 0 0-1.5 0v.508a32.661 32.661 0 0 0-4.624.434.75.75 0 0 0 .246 1.48l.13-.021-1.188 4.75a.75.75 0 0 0 .33.817A3.487 3.487 0 0 0 4 11c.68 0 1.318-.195 1.856-.532a.75.75 0 0 0 .33-.818l-1.25-5a31.31 31.31 0 0 1 2.314-.141V12.012c-.882.027-1.752.104-2.607.226a.75.75 0 0 0 .213 1.485 22.188 22.188 0 0 1 6.288 0 .75.75 0 1 0 .213-1.485 23.657 23.657 0 0 0-2.607-.226V4.509c.779.018 1.55.066 2.314.14L9.814 9.65a.75.75 0 0 0 .329.818 3.487 3.487 0 0 0 1.856.532c.68 0 1.318-.195 1.856-.532a.75.75 0 0 0 .33-.818L12.997 4.9l.13.022a.75.75 0 1 0 .247-1.48 32.66 32.66 0 0 0-4.624-.434V2.5ZM3.42 9.415a2 2 0 0 0 1.16 0L4 7.092l-.58 2.323ZM12 9.5a2 2 0 0 1-.582-.085L12 7.092l.58 2.323A2 2 0 0 1 12 9.5Z","clip-rule":"evenodd"})])}function to(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 6.665c.969.56 2.157.396 2.94-.323l.359.207c.34.196.777.02.97-.322.19-.337.115-.784-.22-.977l-.359-.207a2.501 2.501 0 1 0-3.69 1.622ZM4.364 5a1 1 0 1 1-1.732-1 1 1 0 0 1 1.732 1ZM8.903 5.465a2.75 2.75 0 0 0-1.775 1.893l-.375 1.398-1.563.902a2.501 2.501 0 1 0 .75 1.3L14.7 5.9a.75.75 0 0 0-.18-1.374l-.782-.21a2.75 2.75 0 0 0-1.593.052L8.903 5.465ZM4.365 11a1 1 0 1 1-1.732 1 1 1 0 0 1 1.732-1Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M8.892 10.408c-.052.03-.047.108.011.128l3.243 1.097a2.75 2.75 0 0 0 1.593.05l.781-.208a.75.75 0 0 0 .18-1.374l-2.137-1.235a1 1 0 0 0-1 0l-2.67 1.542Z"})])}function no(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.354 2a2 2 0 0 0-1.857 1.257l-.338.845C3.43 4.035 3.71 4 4 4h8c.29 0 .571.035.84.102l-.337-.845A2 2 0 0 0 10.646 2H5.354Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 13a2 2 0 0 1 2-2h8a2 2 0 1 1 0 4H4a2 2 0 0 1-2-2Zm10.75 0a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM9 13.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM4 5.5a2 2 0 1 0 0 4h8a2 2 0 1 0 0-4H4Zm8 2.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM9.75 7.5a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z","clip-rule":"evenodd"})])}function ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.665 3.588A2 2 0 0 1 5.622 2h4.754a2 2 0 0 1 1.958 1.588l1.098 5.218a3.487 3.487 0 0 0-1.433-.306H4c-.51 0-.995.11-1.433.306l1.099-5.218Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 10a2 2 0 1 0 0 4h8a2 2 0 1 0 0-4H4Zm8 2.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM9.75 12a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z","clip-rule":"evenodd"})])}function oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 6a2 2 0 1 0-1.994-1.842L5.323 6.5a2 2 0 1 0 0 3l4.683 2.342a2 2 0 1 0 .67-1.342L5.995 8.158a2.03 2.03 0 0 0 0-.316L10.677 5.5c.353.311.816.5 1.323.5Z"})])}function io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.5 1.709a.75.75 0 0 0-1 0 8.963 8.963 0 0 1-4.84 2.217.75.75 0 0 0-.654.72 10.499 10.499 0 0 0 5.647 9.672.75.75 0 0 0 .694-.001 10.499 10.499 0 0 0 5.647-9.672.75.75 0 0 0-.654-.719A8.963 8.963 0 0 1 8.5 1.71Zm2.34 5.504a.75.75 0 0 0-1.18-.926L7.394 9.17l-1.156-.99a.75.75 0 1 0-.976 1.138l1.75 1.5a.75.75 0 0 0 1.078-.106l2.75-3.5Z","clip-rule":"evenodd"})])}function ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 1.709a.75.75 0 0 1 1 0 8.963 8.963 0 0 0 4.84 2.217.75.75 0 0 1 .654.72 10.499 10.499 0 0 1-5.647 9.672.75.75 0 0 1-.694-.001 10.499 10.499 0 0 1-5.647-9.672.75.75 0 0 1 .654-.719A8.963 8.963 0 0 0 7.5 1.71ZM8 5a.75.75 0 0 1 .75.75v2a.75.75 0 0 1-1.5 0v-2A.75.75 0 0 1 8 5Zm0 7a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 4a3 3 0 0 1 6 0v1h.643a1.5 1.5 0 0 1 1.492 1.35l.7 7A1.5 1.5 0 0 1 12.342 15H3.657a1.5 1.5 0 0 1-1.492-1.65l.7-7A1.5 1.5 0 0 1 4.357 5H5V4Zm4.5 0v1h-3V4a1.5 1.5 0 0 1 3 0Zm-3 3.75a.75.75 0 0 0-1.5 0v1a3 3 0 1 0 6 0v-1a.75.75 0 0 0-1.5 0v1a1.5 1.5 0 1 1-3 0v-1Z","clip-rule":"evenodd"})])}function so(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1.75 1.002a.75.75 0 1 0 0 1.5h1.835l1.24 5.113A3.752 3.752 0 0 0 2 11.25c0 .414.336.75.75.75h10.5a.75.75 0 0 0 0-1.5H3.628A2.25 2.25 0 0 1 5.75 9h6.5a.75.75 0 0 0 .73-.578l.846-3.595a.75.75 0 0 0-.578-.906 44.118 44.118 0 0 0-7.996-.91l-.348-1.436a.75.75 0 0 0-.73-.573H1.75ZM5 14a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM13 14a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z"})])}function co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.28 2.22a.75.75 0 0 0-1.06 1.06l4.782 4.783a1 1 0 0 0 .935.935l4.783 4.782a.75.75 0 1 0 1.06-1.06L8.998 7.937a1 1 0 0 0-.935-.935L3.28 2.22ZM3.05 12.95a7.003 7.003 0 0 1-1.33-8.047L2.86 6.04a5.501 5.501 0 0 0 1.25 5.849.75.75 0 1 1-1.06 1.06ZM5.26 10.74a3.87 3.87 0 0 1-1.082-3.38L5.87 9.052c.112.226.262.439.45.627a.75.75 0 1 1-1.06 1.061ZM12.95 3.05a7.003 7.003 0 0 1 1.33 8.048l-1.14-1.139a5.501 5.501 0 0 0-1.25-5.848.75.75 0 0 1 1.06-1.06ZM10.74 5.26a3.87 3.87 0 0 1 1.082 3.38L10.13 6.948a2.372 2.372 0 0 0-.45-.627.75.75 0 0 1 1.06-1.061Z"})])}function uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.68 5.26a.75.75 0 0 1 1.06 0 3.875 3.875 0 0 1 0 5.48.75.75 0 1 1-1.06-1.06 2.375 2.375 0 0 0 0-3.36.75.75 0 0 1 0-1.06Zm-3.36 0a.75.75 0 0 1 0 1.06 2.375 2.375 0 0 0 0 3.36.75.75 0 1 1-1.06 1.06 3.875 3.875 0 0 1 0-5.48.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.89 3.05a.75.75 0 0 1 1.06 0 7 7 0 0 1 0 9.9.75.75 0 1 1-1.06-1.06 5.5 5.5 0 0 0 0-7.78.75.75 0 0 1 0-1.06Zm-7.78 0a.75.75 0 0 1 0 1.06 5.5 5.5 0 0 0 0 7.78.75.75 0 1 1-1.06 1.06 7 7 0 0 1 0-9.9.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.074 2.047a.75.75 0 0 1 .449.961L6.705 13.507a.75.75 0 0 1-1.41-.513L9.113 2.496a.75.75 0 0 1 .961-.449Z","clip-rule":"evenodd"})])}function po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 4a.75.75 0 0 1 .738.616l.252 1.388A1.25 1.25 0 0 0 6.996 7.01l1.388.252a.75.75 0 0 1 0 1.476l-1.388.252A1.25 1.25 0 0 0 5.99 9.996l-.252 1.388a.75.75 0 0 1-1.476 0L4.01 9.996A1.25 1.25 0 0 0 3.004 8.99l-1.388-.252a.75.75 0 0 1 0-1.476l1.388-.252A1.25 1.25 0 0 0 4.01 6.004l.252-1.388A.75.75 0 0 1 5 4ZM12 1a.75.75 0 0 1 .721.544l.195.682c.118.415.443.74.858.858l.682.195a.75.75 0 0 1 0 1.442l-.682.195a1.25 1.25 0 0 0-.858.858l-.195.682a.75.75 0 0 1-1.442 0l-.195-.682a1.25 1.25 0 0 0-.858-.858l-.682-.195a.75.75 0 0 1 0-1.442l.682-.195a1.25 1.25 0 0 0 .858-.858l.195-.682A.75.75 0 0 1 12 1ZM10 11a.75.75 0 0 1 .728.568.968.968 0 0 0 .704.704.75.75 0 0 1 0 1.456.968.968 0 0 0-.704.704.75.75 0 0 1-1.456 0 .968.968 0 0 0-.704-.704.75.75 0 0 1 0-1.456.968.968 0 0 0 .704-.704A.75.75 0 0 1 10 11Z","clip-rule":"evenodd"})])}function fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.557 2.066A.75.75 0 0 1 8 2.75v10.5a.75.75 0 0 1-1.248.56L3.59 11H2a1 1 0 0 1-1-1V6a1 1 0 0 1 1-1h1.59l3.162-2.81a.75.75 0 0 1 .805-.124ZM12.95 3.05a.75.75 0 1 0-1.06 1.06 5.5 5.5 0 0 1 0 7.78.75.75 0 1 0 1.06 1.06 7 7 0 0 0 0-9.9Z"}),(0,r.createElementVNode)("path",{d:"M10.828 5.172a.75.75 0 1 0-1.06 1.06 2.5 2.5 0 0 1 0 3.536.75.75 0 1 0 1.06 1.06 4 4 0 0 0 0-5.656Z"})])}function mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.557 2.066A.75.75 0 0 1 8 2.75v10.5a.75.75 0 0 1-1.248.56L3.59 11H2a1 1 0 0 1-1-1V6a1 1 0 0 1 1-1h1.59l3.162-2.81a.75.75 0 0 1 .805-.124ZM11.28 5.72a.75.75 0 1 0-1.06 1.06L11.44 8l-1.22 1.22a.75.75 0 1 0 1.06 1.06l1.22-1.22 1.22 1.22a.75.75 0 1 0 1.06-1.06L13.56 8l1.22-1.22a.75.75 0 0 0-1.06-1.06L12.5 6.94l-1.22-1.22Z"})])}function vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5 6.5A1.5 1.5 0 0 1 6.5 5h6A1.5 1.5 0 0 1 14 6.5v6a1.5 1.5 0 0 1-1.5 1.5h-6A1.5 1.5 0 0 1 5 12.5v-6Z"}),(0,r.createElementVNode)("path",{d:"M3.5 2A1.5 1.5 0 0 0 2 3.5v6A1.5 1.5 0 0 0 3.5 11V6.5a3 3 0 0 1 3-3H11A1.5 1.5 0 0 0 9.5 2h-6Z"})])}function go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.628 1.099a.75.75 0 0 1 .744 0l5.25 3a.75.75 0 0 1 0 1.302l-5.25 3a.75.75 0 0 1-.744 0l-5.25-3a.75.75 0 0 1 0-1.302l5.25-3Z"}),(0,r.createElementVNode)("path",{d:"m2.57 7.24-.192.11a.75.75 0 0 0 0 1.302l5.25 3a.75.75 0 0 0 .744 0l5.25-3a.75.75 0 0 0 0-1.303l-.192-.11-4.314 2.465a2.25 2.25 0 0 1-2.232 0L2.57 7.239Z"}),(0,r.createElementVNode)("path",{d:"m2.378 10.6.192-.11 4.314 2.464a2.25 2.25 0 0 0 2.232 0l4.314-2.465.192.11a.75.75 0 0 1 0 1.303l-5.25 3a.75.75 0 0 1-.744 0l-5.25-3a.75.75 0 0 1 0-1.303Z"})])}function wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.5 2A1.5 1.5 0 0 0 2 3.5v2A1.5 1.5 0 0 0 3.5 7h2A1.5 1.5 0 0 0 7 5.5v-2A1.5 1.5 0 0 0 5.5 2h-2ZM3.5 9A1.5 1.5 0 0 0 2 10.5v2A1.5 1.5 0 0 0 3.5 14h2A1.5 1.5 0 0 0 7 12.5v-2A1.5 1.5 0 0 0 5.5 9h-2ZM9 3.5A1.5 1.5 0 0 1 10.5 2h2A1.5 1.5 0 0 1 14 3.5v2A1.5 1.5 0 0 1 12.5 7h-2A1.5 1.5 0 0 1 9 5.5v-2ZM10.5 9A1.5 1.5 0 0 0 9 10.5v2a1.5 1.5 0 0 0 1.5 1.5h2a1.5 1.5 0 0 0 1.5-1.5v-2A1.5 1.5 0 0 0 12.5 9h-2Z"})])}function yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 3.5A1.5 1.5 0 0 1 3.5 2h2A1.5 1.5 0 0 1 7 3.5v2A1.5 1.5 0 0 1 5.5 7h-2A1.5 1.5 0 0 1 2 5.5v-2ZM2 10.5A1.5 1.5 0 0 1 3.5 9h2A1.5 1.5 0 0 1 7 10.5v2A1.5 1.5 0 0 1 5.5 14h-2A1.5 1.5 0 0 1 2 12.5v-2ZM10.5 2A1.5 1.5 0 0 0 9 3.5v2A1.5 1.5 0 0 0 10.5 7h2A1.5 1.5 0 0 0 14 5.5v-2A1.5 1.5 0 0 0 12.5 2h-2ZM11.5 9a.75.75 0 0 1 .75.75v1h1a.75.75 0 0 1 0 1.5h-1v1a.75.75 0 0 1-1.5 0v-1h-1a.75.75 0 0 1 0-1.5h1v-1A.75.75 0 0 1 11.5 9Z"})])}function bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1.75a.75.75 0 0 1 .692.462l1.41 3.393 3.664.293a.75.75 0 0 1 .428 1.317l-2.791 2.39.853 3.575a.75.75 0 0 1-1.12.814L7.998 12.08l-3.135 1.915a.75.75 0 0 1-1.12-.814l.852-3.574-2.79-2.39a.75.75 0 0 1 .427-1.318l3.663-.293 1.41-3.393A.75.75 0 0 1 8 1.75Z","clip-rule":"evenodd"})])}function xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14ZM6.5 5.5a1 1 0 0 0-1 1v3a1 1 0 0 0 1 1h3a1 1 0 0 0 1-1v-3a1 1 0 0 0-1-1h-3Z","clip-rule":"evenodd"})])}function ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("rect",{width:"10",height:"10",x:"3",y:"3",rx:"1.5"})])}function Eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.165 3.654c-.95-.255-1.921-.273-2.693-.042-.769.231-1.087.624-1.173.947-.087.323-.008.822.543 1.407.389.412.927.77 1.55 1.034H13a.75.75 0 0 1 0 1.5H3A.75.75 0 0 1 3 7h1.756l-.006-.006c-.787-.835-1.161-1.849-.9-2.823.26-.975 1.092-1.666 2.191-1.995 1.097-.33 2.36-.28 3.512.029.75.2 1.478.518 2.11.939a.75.75 0 0 1-.833 1.248 5.682 5.682 0 0 0-1.665-.738Zm2.074 6.365a.75.75 0 0 1 .91.543 2.44 2.44 0 0 1-.35 2.024c-.405.585-1.052 1.003-1.84 1.24-1.098.329-2.36.279-3.512-.03-1.152-.308-2.27-.897-3.056-1.73a.75.75 0 0 1 1.092-1.029c.552.586 1.403 1.056 2.352 1.31.95.255 1.92.273 2.692.042.55-.165.873-.417 1.038-.656a.942.942 0 0 0 .13-.803.75.75 0 0 1 .544-.91Z","clip-rule":"evenodd"})])}function Ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 1a.75.75 0 0 1 .75.75v1.5a.75.75 0 0 1-1.5 0v-1.5A.75.75 0 0 1 8 1ZM10.5 8a2.5 2.5 0 1 1-5 0 2.5 2.5 0 0 1 5 0ZM12.95 4.11a.75.75 0 1 0-1.06-1.06l-1.062 1.06a.75.75 0 0 0 1.061 1.062l1.06-1.061ZM15 8a.75.75 0 0 1-.75.75h-1.5a.75.75 0 0 1 0-1.5h1.5A.75.75 0 0 1 15 8ZM11.89 12.95a.75.75 0 0 0 1.06-1.06l-1.06-1.062a.75.75 0 0 0-1.062 1.061l1.061 1.06ZM8 12a.75.75 0 0 1 .75.75v1.5a.75.75 0 0 1-1.5 0v-1.5A.75.75 0 0 1 8 12ZM5.172 11.89a.75.75 0 0 0-1.061-1.062L3.05 11.89a.75.75 0 1 0 1.06 1.06l1.06-1.06ZM4 8a.75.75 0 0 1-.75.75h-1.5a.75.75 0 0 1 0-1.5h1.5A.75.75 0 0 1 4 8ZM4.11 5.172A.75.75 0 0 0 5.173 4.11L4.11 3.05a.75.75 0 1 0-1.06 1.06l1.06 1.06Z"})])}function Co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3a1 1 0 0 1 1-1h3a1 1 0 0 1 1 1v8.5a2.5 2.5 0 0 1-5 0V3Zm3.25 8.5a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"m8.5 11.035 3.778-3.778a1 1 0 0 0 0-1.414l-2.122-2.121a1 1 0 0 0-1.414 0l-.242.242v7.07ZM7.656 14H13a1 1 0 0 0 1-1v-3a1 1 0 0 0-1-1h-.344l-5 5Z"})])}function Bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 11a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V5a2 2 0 0 1 2-2h10a2 2 0 0 1 2 2v6ZM7.25 7.5a.5.5 0 0 0-.5-.5H3a.5.5 0 0 0-.5.5V8a.5.5 0 0 0 .5.5h3.75a.5.5 0 0 0 .5-.5v-.5Zm1.5 3a.5.5 0 0 1 .5-.5H13a.5.5 0 0 1 .5.5v.5a.5.5 0 0 1-.5.5H9.25a.5.5 0 0 1-.5-.5v-.5ZM13.5 8v-.5A.5.5 0 0 0 13 7H9.25a.5.5 0 0 0-.5.5V8a.5.5 0 0 0 .5.5H13a.5.5 0 0 0 .5-.5Zm-6.75 3.5a.5.5 0 0 0 .5-.5v-.5a.5.5 0 0 0-.5-.5H3a.5.5 0 0 0-.5.5v.5a.5.5 0 0 0 .5.5h3.75Z","clip-rule":"evenodd"})])}function Mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A2.5 2.5 0 0 0 2 4.5v2.879a2.5 2.5 0 0 0 .732 1.767l4.5 4.5a2.5 2.5 0 0 0 3.536 0l2.878-2.878a2.5 2.5 0 0 0 0-3.536l-4.5-4.5A2.5 2.5 0 0 0 7.38 2H4.5ZM5 6a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function _o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 4.5A1.5 1.5 0 0 1 2.5 3h11A1.5 1.5 0 0 1 15 4.5v1c0 .276-.227.494-.495.562a2 2 0 0 0 0 3.876c.268.068.495.286.495.562v1a1.5 1.5 0 0 1-1.5 1.5h-11A1.5 1.5 0 0 1 1 11.5v-1c0-.276.227-.494.495-.562a2 2 0 0 0 0-3.876C1.227 5.994 1 5.776 1 5.5v-1Zm9 1.25a.75.75 0 0 1 1.5 0v1a.75.75 0 0 1-1.5 0v-1Zm.75 2.75a.75.75 0 0 0-.75.75v1a.75.75 0 0 0 1.5 0v-1a.75.75 0 0 0-.75-.75Z","clip-rule":"evenodd"})])}function So(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 3.25V4H2.75a.75.75 0 0 0 0 1.5h.3l.815 8.15A1.5 1.5 0 0 0 5.357 15h5.285a1.5 1.5 0 0 0 1.493-1.35l.815-8.15h.3a.75.75 0 0 0 0-1.5H11v-.75A2.25 2.25 0 0 0 8.75 1h-1.5A2.25 2.25 0 0 0 5 3.25Zm2.25-.75a.75.75 0 0 0-.75.75V4h3v-.75a.75.75 0 0 0-.75-.75h-1.5ZM6.05 6a.75.75 0 0 1 .787.713l.275 5.5a.75.75 0 0 1-1.498.075l-.275-5.5A.75.75 0 0 1 6.05 6Zm3.9 0a.75.75 0 0 1 .712.787l-.275 5.5a.75.75 0 0 1-1.498-.075l.275-5.5a.75.75 0 0 1 .786-.711Z","clip-rule":"evenodd"})])}function No(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 1.69a.494.494 0 0 0-.438-.494 32.352 32.352 0 0 0-7.124 0A.494.494 0 0 0 4 1.689v.567c-.811.104-1.612.24-2.403.406a.75.75 0 0 0-.595.714 4.5 4.5 0 0 0 4.35 4.622A3.99 3.99 0 0 0 7 8.874V10H6a1 1 0 0 0-1 1v2h-.667C3.597 13 3 13.597 3 14.333c0 .368.298.667.667.667h8.666a.667.667 0 0 0 .667-.667c0-.736-.597-1.333-1.333-1.333H11v-2a1 1 0 0 0-1-1H9V8.874a3.99 3.99 0 0 0 1.649-.876 4.5 4.5 0 0 0 4.35-4.622.75.75 0 0 0-.596-.714A30.897 30.897 0 0 0 12 2.256v-.567ZM4 3.768c-.49.066-.976.145-1.458.235a3.004 3.004 0 0 0 1.64 2.192A3.999 3.999 0 0 1 4 5V3.769Zm8 0c.49.066.976.145 1.458.235a3.004 3.004 0 0 1-1.64 2.192C11.936 5.818 12 5.416 12 5V3.769Z","clip-rule":"evenodd"})])}function Vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.908 2.067A.978.978 0 0 0 2 3.05V8h6V3.05a.978.978 0 0 0-.908-.983 32.481 32.481 0 0 0-4.184 0ZM12.919 4.722A.98.98 0 0 0 11.968 4H10a1 1 0 0 0-1 1v6.268A2 2 0 0 1 12 13h1a.977.977 0 0 0 .985-1 31.99 31.99 0 0 0-1.066-7.278Z"}),(0,r.createElementVNode)("path",{d:"M11 13a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM2 12V9h6v3a1 1 0 0 1-1 1 2 2 0 1 0-4 0 1 1 0 0 1-1-1Z"}),(0,r.createElementVNode)("path",{d:"M6 13a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z"})])}function Lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 5H4v4h8V5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 3a1 1 0 0 1 1-1h12a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1h-4v1.5h2.25a.75.75 0 0 1 0 1.5h-8.5a.75.75 0 0 1 0-1.5H6V12H2a1 1 0 0 1-1-1V3Zm1.5 7.5v-7h11v7h-11Z","clip-rule":"evenodd"})])}function To(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.75 2a.75.75 0 0 1 .75.75V7a2.5 2.5 0 0 0 5 0V2.75a.75.75 0 0 1 1.5 0V7a4 4 0 0 1-8 0V2.75A.75.75 0 0 1 4.75 2ZM2 13.25a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function Io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 8A7 7 0 1 1 1 8a7 7 0 0 1 14 0Zm-5-2a2 2 0 1 1-4 0 2 2 0 0 1 4 0ZM8 9c-1.825 0-3.422.977-4.295 2.437A5.49 5.49 0 0 0 8 13.5a5.49 5.49 0 0 0 4.294-2.063A4.997 4.997 0 0 0 8 9Z","clip-rule":"evenodd"})])}function Zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 8a2.5 2.5 0 1 0 0-5 2.5 2.5 0 0 0 0 5ZM3.156 11.763c.16-.629.44-1.21.813-1.72a2.5 2.5 0 0 0-2.725 1.377c-.136.287.102.58.418.58h1.449c.01-.077.025-.156.045-.237ZM12.847 11.763c.02.08.036.16.046.237h1.446c.316 0 .554-.293.417-.579a2.5 2.5 0 0 0-2.722-1.378c.374.51.653 1.09.813 1.72ZM14 7.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0ZM3.5 9a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3ZM5 13c-.552 0-1.013-.455-.876-.99a4.002 4.002 0 0 1 7.753 0c.136.535-.324.99-.877.99H5Z"})])}function Oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.5 4.5a2.5 2.5 0 1 1-5 0 2.5 2.5 0 0 1 5 0ZM10 13c.552 0 1.01-.452.9-.994a5.002 5.002 0 0 0-9.802 0c-.109.542.35.994.902.994h8ZM10.75 5.25a.75.75 0 0 0 0 1.5h3.5a.75.75 0 0 0 0-1.5h-3.5Z"})])}function Do(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.5 4.5a2.5 2.5 0 1 1-5 0 2.5 2.5 0 0 1 5 0ZM10 13c.552 0 1.01-.452.9-.994a5.002 5.002 0 0 0-9.802 0c-.109.542.35.994.902.994h8ZM12.5 3.5a.75.75 0 0 1 .75.75v1h1a.75.75 0 0 1 0 1.5h-1v1a.75.75 0 0 1-1.5 0v-1h-1a.75.75 0 0 1 0-1.5h1v-1a.75.75 0 0 1 .75-.75Z"})])}function Ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 8a3 3 0 1 0 0-6 3 3 0 0 0 0 6ZM12.735 14c.618 0 1.093-.561.872-1.139a6.002 6.002 0 0 0-11.215 0c-.22.578.254 1.139.872 1.139h9.47Z"})])}function Ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.5 4.5a2.5 2.5 0 1 1-5 0 2.5 2.5 0 0 1 5 0ZM10.9 12.006c.11.542-.348.994-.9.994H2c-.553 0-1.01-.452-.902-.994a5.002 5.002 0 0 1 9.803 0ZM14.002 12h-1.59a2.556 2.556 0 0 0-.04-.29 6.476 6.476 0 0 0-1.167-2.603 3.002 3.002 0 0 1 3.633 1.911c.18.522-.283.982-.836.982ZM12 8a2 2 0 1 0 0-4 2 2 0 0 0 0 4Z"})])}function Po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.38 3.012a.75.75 0 1 0-1.408-.516A15.97 15.97 0 0 0 1 8c0 1.932.343 3.786.972 5.503a.75.75 0 0 0 1.408-.516A14.47 14.47 0 0 1 2.5 8c0-1.754.311-3.434.88-4.988ZM12.62 3.012a.75.75 0 1 1 1.408-.516A15.97 15.97 0 0 1 15 8a15.97 15.97 0 0 1-.972 5.503.75.75 0 0 1-1.408-.516c.569-1.554.88-3.233.88-4.987s-.311-3.434-.88-4.988ZM6.523 4.785a.75.75 0 0 1 .898.38l.758 1.515.812-.902a2.376 2.376 0 0 1 2.486-.674.75.75 0 1 1-.454 1.429.876.876 0 0 0-.918.249L8.9 8.122l.734 1.468.388-.124a.75.75 0 0 1 .457 1.428l-1 .32a.75.75 0 0 1-.899-.379L7.821 9.32l-.811.901a2.374 2.374 0 0 1-2.489.673.75.75 0 0 1 .458-1.428.874.874 0 0 0 .916-.248L7.1 7.878 6.366 6.41l-.389.124a.75.75 0 1 1-.454-1.43l1-.318Z"})])}function jo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 10V6.682L6.318 12H3a2 2 0 0 1-2-2ZM10 6v3.318L4.682 4H8a2 2 0 0 1 2 2ZM14.537 4.057A.75.75 0 0 1 15 4.75v6.5a.75.75 0 0 1-1.28.53l-2-2a.75.75 0 0 1-.22-.53v-2.5a.75.75 0 0 1 .22-.53l2-2a.75.75 0 0 1 .817-.163ZM2.78 4.22a.75.75 0 0 0-1.06 1.06l6.5 6.5a.75.75 0 0 0 1.06-1.06l-6.5-6.5Z"})])}function Fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 4a2 2 0 0 0-2 2v4a2 2 0 0 0 2 2h5a2 2 0 0 0 2-2V6a2 2 0 0 0-2-2H3ZM15 4.75a.75.75 0 0 0-1.28-.53l-2 2a.75.75 0 0 0-.22.53v2.5c0 .199.079.39.22.53l2 2a.75.75 0 0 0 1.28-.53v-6.5Z"})])}function zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9.836 3h-3.67v10h3.67V3ZM11.336 13H13.5a1.5 1.5 0 0 0 1.5-1.5v-7A1.5 1.5 0 0 0 13.5 3h-2.164v10ZM2.5 3h2.166v10H2.5A1.5 1.5 0 0 1 1 11.5v-7A1.5 1.5 0 0 1 2.5 3Z"})])}function qo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.75 2A1.75 1.75 0 0 0 2 3.75v1.5a.75.75 0 0 0 1.5 0v-1.5a.25.25 0 0 1 .25-.25h1.5a.75.75 0 0 0 0-1.5h-1.5ZM10.75 2a.75.75 0 0 0 0 1.5h1.5a.25.25 0 0 1 .25.25v1.5a.75.75 0 0 0 1.5 0v-1.5A1.75 1.75 0 0 0 12.25 2h-1.5ZM3.5 10.75a.75.75 0 0 0-1.5 0v1.5c0 .966.784 1.75 1.75 1.75h1.5a.75.75 0 0 0 0-1.5h-1.5a.25.25 0 0 1-.25-.25v-1.5ZM14 10.75a.75.75 0 0 0-1.5 0v1.5a.25.25 0 0 1-.25.25h-1.5a.75.75 0 0 0 0 1.5h1.5A1.75 1.75 0 0 0 14 12.25v-1.5ZM8 10a2 2 0 1 0 0-4 2 2 0 0 0 0 4Z"})])}function Uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 3.5A1.5 1.5 0 0 1 3.5 2h9A1.5 1.5 0 0 1 14 3.5v.401a2.986 2.986 0 0 0-1.5-.401h-9c-.546 0-1.059.146-1.5.401V3.5ZM3.5 5A1.5 1.5 0 0 0 2 6.5v.401A2.986 2.986 0 0 1 3.5 6.5h9c.546 0 1.059.146 1.5.401V6.5A1.5 1.5 0 0 0 12.5 5h-9ZM8 10a2 2 0 0 0 1.938-1.505c.068-.268.286-.495.562-.495h2A1.5 1.5 0 0 1 14 9.5v3a1.5 1.5 0 0 1-1.5 1.5h-9A1.5 1.5 0 0 1 2 12.5v-3A1.5 1.5 0 0 1 3.5 8h2c.276 0 .494.227.562.495A2 2 0 0 0 8 10Z"})])}function $o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.188 7.063a8.75 8.75 0 0 0-12.374 0 .75.75 0 0 1-1.061-1.06c4.003-4.004 10.493-4.004 14.496 0a.75.75 0 1 1-1.061 1.06Zm-2.121 2.121a5.75 5.75 0 0 0-8.132 0 .75.75 0 0 1-1.06-1.06 7.25 7.25 0 0 1 10.252 0 .75.75 0 0 1-1.06 1.06Zm-2.122 2.122a2.75 2.75 0 0 0-3.889 0 .75.75 0 1 1-1.06-1.061 4.25 4.25 0 0 1 6.01 0 .75.75 0 0 1-1.06 1.06Zm-2.828 1.06a1.25 1.25 0 0 1 1.768 0 .75.75 0 0 1 0 1.06l-.355.355a.75.75 0 0 1-1.06 0l-.354-.354a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function Wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 12V4a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2Zm1.5-5.5V12a.5.5 0 0 0 .5.5h8a.5.5 0 0 0 .5-.5V6.5A.5.5 0 0 0 12 6H4a.5.5 0 0 0-.5.5Zm.75-1.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM7 4a.75.75 0 1 1-1.5 0A.75.75 0 0 1 7 4Zm1.25.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function Go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 4.5A3.5 3.5 0 0 1 11.435 8c-.99-.019-2.093.132-2.7.913l-4.13 5.31a2.015 2.015 0 1 1-2.827-2.828l5.309-4.13c.78-.607.932-1.71.914-2.7L8 4.5a3.5 3.5 0 0 1 4.477-3.362c.325.094.39.497.15.736L10.6 3.902a.48.48 0 0 0-.033.653c.271.314.565.608.879.879a.48.48 0 0 0 .653-.033l2.027-2.027c.239-.24.642-.175.736.15.09.31.138.637.138.976ZM3.75 13a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M11.5 9.5c.313 0 .62-.029.917-.084l1.962 1.962a2.121 2.121 0 0 1-3 3l-2.81-2.81 1.35-1.734c.05-.064.158-.158.426-.233.278-.078.639-.11 1.062-.102l.093.001ZM5 4l1.446 1.445a2.256 2.256 0 0 1-.047.21c-.075.268-.169.377-.233.427l-.61.474L4 5H2.655a.25.25 0 0 1-.224-.139l-1.35-2.7a.25.25 0 0 1 .047-.289l.745-.745a.25.25 0 0 1 .289-.047l2.7 1.35A.25.25 0 0 1 5 2.654V4Z"})])}function Ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.5 8a3.5 3.5 0 0 0 3.362-4.476c-.094-.325-.497-.39-.736-.15L12.099 5.4a.48.48 0 0 1-.653.033 8.554 8.554 0 0 1-.879-.879.48.48 0 0 1 .033-.653l2.027-2.028c.24-.239.175-.642-.15-.736a3.502 3.502 0 0 0-4.476 3.427c.018.99-.133 2.093-.914 2.7l-5.31 4.13a2.015 2.015 0 1 0 2.828 2.827l4.13-5.309c.607-.78 1.71-.932 2.7-.914L11.5 8ZM3 13.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function Yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14Zm2.78-4.22a.75.75 0 0 1-1.06 0L8 9.06l-1.72 1.72a.75.75 0 1 1-1.06-1.06L6.94 8 5.22 6.28a.75.75 0 0 1 1.06-1.06L8 6.94l1.72-1.72a.75.75 0 1 1 1.06 1.06L9.06 8l1.72 1.72a.75.75 0 0 1 0 1.06Z","clip-rule":"evenodd"})])}function Xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 16 16",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.28 4.22a.75.75 0 0 0-1.06 1.06L6.94 8l-2.72 2.72a.75.75 0 1 0 1.06 1.06L8 9.06l2.72 2.72a.75.75 0 1 0 1.06-1.06L9.06 8l2.72-2.72a.75.75 0 0 0-1.06-1.06L8 6.94 5.28 4.22Z"})])}},30917:(e,t,n)=>{"use strict";n.r(t),n.d(t,{AcademicCapIcon:()=>o,AdjustmentsHorizontalIcon:()=>i,AdjustmentsVerticalIcon:()=>a,ArchiveBoxArrowDownIcon:()=>l,ArchiveBoxIcon:()=>c,ArchiveBoxXMarkIcon:()=>s,ArrowDownCircleIcon:()=>u,ArrowDownIcon:()=>v,ArrowDownLeftIcon:()=>d,ArrowDownOnSquareIcon:()=>p,ArrowDownOnSquareStackIcon:()=>h,ArrowDownRightIcon:()=>f,ArrowDownTrayIcon:()=>m,ArrowLeftCircleIcon:()=>g,ArrowLeftEndOnRectangleIcon:()=>w,ArrowLeftIcon:()=>x,ArrowLeftOnRectangleIcon:()=>y,ArrowLeftStartOnRectangleIcon:()=>b,ArrowLongDownIcon:()=>k,ArrowLongLeftIcon:()=>E,ArrowLongRightIcon:()=>A,ArrowLongUpIcon:()=>C,ArrowPathIcon:()=>M,ArrowPathRoundedSquareIcon:()=>B,ArrowRightCircleIcon:()=>_,ArrowRightEndOnRectangleIcon:()=>S,ArrowRightIcon:()=>L,ArrowRightOnRectangleIcon:()=>N,ArrowRightStartOnRectangleIcon:()=>V,ArrowSmallDownIcon:()=>T,ArrowSmallLeftIcon:()=>I,ArrowSmallRightIcon:()=>Z,ArrowSmallUpIcon:()=>O,ArrowTopRightOnSquareIcon:()=>D,ArrowTrendingDownIcon:()=>R,ArrowTrendingUpIcon:()=>H,ArrowTurnDownLeftIcon:()=>P,ArrowTurnDownRightIcon:()=>j,ArrowTurnLeftDownIcon:()=>F,ArrowTurnLeftUpIcon:()=>z,ArrowTurnRightDownIcon:()=>q,ArrowTurnRightUpIcon:()=>U,ArrowTurnUpLeftIcon:()=>$,ArrowTurnUpRightIcon:()=>W,ArrowUpCircleIcon:()=>G,ArrowUpIcon:()=>ee,ArrowUpLeftIcon:()=>K,ArrowUpOnSquareIcon:()=>X,ArrowUpOnSquareStackIcon:()=>Y,ArrowUpRightIcon:()=>J,ArrowUpTrayIcon:()=>Q,ArrowUturnDownIcon:()=>te,ArrowUturnLeftIcon:()=>ne,ArrowUturnRightIcon:()=>re,ArrowUturnUpIcon:()=>oe,ArrowsPointingInIcon:()=>ie,ArrowsPointingOutIcon:()=>ae,ArrowsRightLeftIcon:()=>le,ArrowsUpDownIcon:()=>se,AtSymbolIcon:()=>ce,BackspaceIcon:()=>ue,BackwardIcon:()=>de,BanknotesIcon:()=>he,Bars2Icon:()=>pe,Bars3BottomLeftIcon:()=>fe,Bars3BottomRightIcon:()=>me,Bars3CenterLeftIcon:()=>ve,Bars3Icon:()=>ge,Bars4Icon:()=>we,BarsArrowDownIcon:()=>ye,BarsArrowUpIcon:()=>be,Battery0Icon:()=>xe,Battery100Icon:()=>ke,Battery50Icon:()=>Ee,BeakerIcon:()=>Ae,BellAlertIcon:()=>Ce,BellIcon:()=>_e,BellSlashIcon:()=>Be,BellSnoozeIcon:()=>Me,BoldIcon:()=>Se,BoltIcon:()=>Ve,BoltSlashIcon:()=>Ne,BookOpenIcon:()=>Le,BookmarkIcon:()=>Ze,BookmarkSlashIcon:()=>Te,BookmarkSquareIcon:()=>Ie,BriefcaseIcon:()=>Oe,BugAntIcon:()=>De,BuildingLibraryIcon:()=>Re,BuildingOffice2Icon:()=>He,BuildingOfficeIcon:()=>Pe,BuildingStorefrontIcon:()=>je,CakeIcon:()=>Fe,CalculatorIcon:()=>ze,CalendarDateRangeIcon:()=>qe,CalendarDaysIcon:()=>Ue,CalendarIcon:()=>$e,CameraIcon:()=>We,ChartBarIcon:()=>Ke,ChartBarSquareIcon:()=>Ge,ChartPieIcon:()=>Ye,ChatBubbleBottomCenterIcon:()=>Je,ChatBubbleBottomCenterTextIcon:()=>Xe,ChatBubbleLeftEllipsisIcon:()=>Qe,ChatBubbleLeftIcon:()=>tt,ChatBubbleLeftRightIcon:()=>et,ChatBubbleOvalLeftEllipsisIcon:()=>nt,ChatBubbleOvalLeftIcon:()=>rt,CheckBadgeIcon:()=>ot,CheckCircleIcon:()=>it,CheckIcon:()=>at,ChevronDoubleDownIcon:()=>lt,ChevronDoubleLeftIcon:()=>st,ChevronDoubleRightIcon:()=>ct,ChevronDoubleUpIcon:()=>ut,ChevronDownIcon:()=>dt,ChevronLeftIcon:()=>ht,ChevronRightIcon:()=>pt,ChevronUpDownIcon:()=>ft,ChevronUpIcon:()=>mt,CircleStackIcon:()=>vt,ClipboardDocumentCheckIcon:()=>gt,ClipboardDocumentIcon:()=>yt,ClipboardDocumentListIcon:()=>wt,ClipboardIcon:()=>bt,ClockIcon:()=>xt,CloudArrowDownIcon:()=>kt,CloudArrowUpIcon:()=>Et,CloudIcon:()=>At,CodeBracketIcon:()=>Bt,CodeBracketSquareIcon:()=>Ct,Cog6ToothIcon:()=>Mt,Cog8ToothIcon:()=>_t,CogIcon:()=>St,CommandLineIcon:()=>Nt,ComputerDesktopIcon:()=>Vt,CpuChipIcon:()=>Lt,CreditCardIcon:()=>Tt,CubeIcon:()=>Zt,CubeTransparentIcon:()=>It,CurrencyBangladeshiIcon:()=>Ot,CurrencyDollarIcon:()=>Dt,CurrencyEuroIcon:()=>Rt,CurrencyPoundIcon:()=>Ht,CurrencyRupeeIcon:()=>Pt,CurrencyYenIcon:()=>jt,CursorArrowRaysIcon:()=>Ft,CursorArrowRippleIcon:()=>zt,DevicePhoneMobileIcon:()=>qt,DeviceTabletIcon:()=>Ut,DivideIcon:()=>$t,DocumentArrowDownIcon:()=>Wt,DocumentArrowUpIcon:()=>Gt,DocumentChartBarIcon:()=>Kt,DocumentCheckIcon:()=>Yt,DocumentCurrencyBangladeshiIcon:()=>Xt,DocumentCurrencyDollarIcon:()=>Jt,DocumentCurrencyEuroIcon:()=>Qt,DocumentCurrencyPoundIcon:()=>en,DocumentCurrencyRupeeIcon:()=>tn,DocumentCurrencyYenIcon:()=>nn,DocumentDuplicateIcon:()=>rn,DocumentIcon:()=>cn,DocumentMagnifyingGlassIcon:()=>on,DocumentMinusIcon:()=>an,DocumentPlusIcon:()=>ln,DocumentTextIcon:()=>sn,EllipsisHorizontalCircleIcon:()=>un,EllipsisHorizontalIcon:()=>dn,EllipsisVerticalIcon:()=>hn,EnvelopeIcon:()=>fn,EnvelopeOpenIcon:()=>pn,EqualsIcon:()=>mn,ExclamationCircleIcon:()=>vn,ExclamationTriangleIcon:()=>gn,EyeDropperIcon:()=>wn,EyeIcon:()=>bn,EyeSlashIcon:()=>yn,FaceFrownIcon:()=>xn,FaceSmileIcon:()=>kn,FilmIcon:()=>En,FingerPrintIcon:()=>An,FireIcon:()=>Cn,FlagIcon:()=>Bn,FolderArrowDownIcon:()=>Mn,FolderIcon:()=>Vn,FolderMinusIcon:()=>_n,FolderOpenIcon:()=>Sn,FolderPlusIcon:()=>Nn,ForwardIcon:()=>Ln,FunnelIcon:()=>Tn,GifIcon:()=>In,GiftIcon:()=>On,GiftTopIcon:()=>Zn,GlobeAltIcon:()=>Dn,GlobeAmericasIcon:()=>Rn,GlobeAsiaAustraliaIcon:()=>Hn,GlobeEuropeAfricaIcon:()=>Pn,H1Icon:()=>jn,H2Icon:()=>Fn,H3Icon:()=>zn,HandRaisedIcon:()=>qn,HandThumbDownIcon:()=>Un,HandThumbUpIcon:()=>$n,HashtagIcon:()=>Wn,HeartIcon:()=>Gn,HomeIcon:()=>Yn,HomeModernIcon:()=>Kn,IdentificationIcon:()=>Xn,InboxArrowDownIcon:()=>Jn,InboxIcon:()=>er,InboxStackIcon:()=>Qn,InformationCircleIcon:()=>tr,ItalicIcon:()=>nr,KeyIcon:()=>rr,LanguageIcon:()=>or,LifebuoyIcon:()=>ir,LightBulbIcon:()=>ar,LinkIcon:()=>sr,LinkSlashIcon:()=>lr,ListBulletIcon:()=>cr,LockClosedIcon:()=>ur,LockOpenIcon:()=>dr,MagnifyingGlassCircleIcon:()=>hr,MagnifyingGlassIcon:()=>mr,MagnifyingGlassMinusIcon:()=>pr,MagnifyingGlassPlusIcon:()=>fr,MapIcon:()=>gr,MapPinIcon:()=>vr,MegaphoneIcon:()=>wr,MicrophoneIcon:()=>yr,MinusCircleIcon:()=>br,MinusIcon:()=>kr,MinusSmallIcon:()=>xr,MoonIcon:()=>Er,MusicalNoteIcon:()=>Ar,NewspaperIcon:()=>Cr,NoSymbolIcon:()=>Br,NumberedListIcon:()=>Mr,PaintBrushIcon:()=>_r,PaperAirplaneIcon:()=>Sr,PaperClipIcon:()=>Nr,PauseCircleIcon:()=>Vr,PauseIcon:()=>Lr,PencilIcon:()=>Ir,PencilSquareIcon:()=>Tr,PercentBadgeIcon:()=>Zr,PhoneArrowDownLeftIcon:()=>Or,PhoneArrowUpRightIcon:()=>Dr,PhoneIcon:()=>Hr,PhoneXMarkIcon:()=>Rr,PhotoIcon:()=>Pr,PlayCircleIcon:()=>jr,PlayIcon:()=>zr,PlayPauseIcon:()=>Fr,PlusCircleIcon:()=>qr,PlusIcon:()=>$r,PlusSmallIcon:()=>Ur,PowerIcon:()=>Wr,PresentationChartBarIcon:()=>Gr,PresentationChartLineIcon:()=>Kr,PrinterIcon:()=>Yr,PuzzlePieceIcon:()=>Xr,QrCodeIcon:()=>Jr,QuestionMarkCircleIcon:()=>Qr,QueueListIcon:()=>eo,RadioIcon:()=>to,ReceiptPercentIcon:()=>no,ReceiptRefundIcon:()=>ro,RectangleGroupIcon:()=>oo,RectangleStackIcon:()=>io,RocketLaunchIcon:()=>ao,RssIcon:()=>lo,ScaleIcon:()=>so,ScissorsIcon:()=>co,ServerIcon:()=>ho,ServerStackIcon:()=>uo,ShareIcon:()=>po,ShieldCheckIcon:()=>fo,ShieldExclamationIcon:()=>mo,ShoppingBagIcon:()=>vo,ShoppingCartIcon:()=>go,SignalIcon:()=>yo,SignalSlashIcon:()=>wo,SlashIcon:()=>bo,SparklesIcon:()=>xo,SpeakerWaveIcon:()=>ko,SpeakerXMarkIcon:()=>Eo,Square2StackIcon:()=>Ao,Square3Stack3DIcon:()=>Co,Squares2X2Icon:()=>Bo,SquaresPlusIcon:()=>Mo,StarIcon:()=>_o,StopCircleIcon:()=>So,StopIcon:()=>No,StrikethroughIcon:()=>Vo,SunIcon:()=>Lo,SwatchIcon:()=>To,TableCellsIcon:()=>Io,TagIcon:()=>Zo,TicketIcon:()=>Oo,TrashIcon:()=>Do,TrophyIcon:()=>Ro,TruckIcon:()=>Ho,TvIcon:()=>Po,UnderlineIcon:()=>jo,UserCircleIcon:()=>Fo,UserGroupIcon:()=>zo,UserIcon:()=>$o,UserMinusIcon:()=>qo,UserPlusIcon:()=>Uo,UsersIcon:()=>Wo,VariableIcon:()=>Go,VideoCameraIcon:()=>Yo,VideoCameraSlashIcon:()=>Ko,ViewColumnsIcon:()=>Xo,ViewfinderCircleIcon:()=>Jo,WalletIcon:()=>Qo,WifiIcon:()=>ei,WindowIcon:()=>ti,WrenchIcon:()=>ri,WrenchScrewdriverIcon:()=>ni,XCircleIcon:()=>oi,XMarkIcon:()=>ii});var r=n(29726);function o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.664 1.319a.75.75 0 0 1 .672 0 41.059 41.059 0 0 1 8.198 5.424.75.75 0 0 1-.254 1.285 31.372 31.372 0 0 0-7.86 3.83.75.75 0 0 1-.84 0 31.508 31.508 0 0 0-2.08-1.287V9.394c0-.244.116-.463.302-.592a35.504 35.504 0 0 1 3.305-2.033.75.75 0 0 0-.714-1.319 37 37 0 0 0-3.446 2.12A2.216 2.216 0 0 0 6 9.393v.38a31.293 31.293 0 0 0-4.28-1.746.75.75 0 0 1-.254-1.285 41.059 41.059 0 0 1 8.198-5.424ZM6 11.459a29.848 29.848 0 0 0-2.455-1.158 41.029 41.029 0 0 0-.39 3.114.75.75 0 0 0 .419.74c.528.256 1.046.53 1.554.82-.21.324-.455.63-.739.914a.75.75 0 1 0 1.06 1.06c.37-.369.69-.77.96-1.193a26.61 26.61 0 0 1 3.095 2.348.75.75 0 0 0 .992 0 26.547 26.547 0 0 1 5.93-3.95.75.75 0 0 0 .42-.739 41.053 41.053 0 0 0-.39-3.114 29.925 29.925 0 0 0-5.199 2.801 2.25 2.25 0 0 1-2.514 0c-.41-.275-.826-.541-1.25-.797a6.985 6.985 0 0 1-1.084 3.45 26.503 26.503 0 0 0-1.281-.78A5.487 5.487 0 0 0 6 12v-.54Z","clip-rule":"evenodd"})])}function i(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 3.75a2 2 0 1 0-4 0 2 2 0 0 0 4 0ZM17.25 4.5a.75.75 0 0 0 0-1.5h-5.5a.75.75 0 0 0 0 1.5h5.5ZM5 3.75a.75.75 0 0 1-.75.75h-1.5a.75.75 0 0 1 0-1.5h1.5a.75.75 0 0 1 .75.75ZM4.25 17a.75.75 0 0 0 0-1.5h-1.5a.75.75 0 0 0 0 1.5h1.5ZM17.25 17a.75.75 0 0 0 0-1.5h-5.5a.75.75 0 0 0 0 1.5h5.5ZM9 10a.75.75 0 0 1-.75.75h-5.5a.75.75 0 0 1 0-1.5h5.5A.75.75 0 0 1 9 10ZM17.25 10.75a.75.75 0 0 0 0-1.5h-1.5a.75.75 0 0 0 0 1.5h1.5ZM14 10a2 2 0 1 0-4 0 2 2 0 0 0 4 0ZM10 16.25a2 2 0 1 0-4 0 2 2 0 0 0 4 0Z"})])}function a(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M17 2.75a.75.75 0 0 0-1.5 0v5.5a.75.75 0 0 0 1.5 0v-5.5ZM17 15.75a.75.75 0 0 0-1.5 0v1.5a.75.75 0 0 0 1.5 0v-1.5ZM3.75 15a.75.75 0 0 1 .75.75v1.5a.75.75 0 0 1-1.5 0v-1.5a.75.75 0 0 1 .75-.75ZM4.5 2.75a.75.75 0 0 0-1.5 0v5.5a.75.75 0 0 0 1.5 0v-5.5ZM10 11a.75.75 0 0 1 .75.75v5.5a.75.75 0 0 1-1.5 0v-5.5A.75.75 0 0 1 10 11ZM10.75 2.75a.75.75 0 0 0-1.5 0v1.5a.75.75 0 0 0 1.5 0v-1.5ZM10 6a2 2 0 1 0 0 4 2 2 0 0 0 0-4ZM3.75 10a2 2 0 1 0 0 4 2 2 0 0 0 0-4ZM16.25 10a2 2 0 1 0 0 4 2 2 0 0 0 0-4Z"})])}function l(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3a1 1 0 0 0-1 1v1a1 1 0 0 0 1 1h16a1 1 0 0 0 1-1V4a1 1 0 0 0-1-1H2Zm0 4.5h16l-.811 7.71a2 2 0 0 1-1.99 1.79H4.802a2 2 0 0 1-1.99-1.79L2 7.5ZM10 9a.75.75 0 0 1 .75.75v2.546l.943-1.048a.75.75 0 1 1 1.114 1.004l-2.25 2.5a.75.75 0 0 1-1.114 0l-2.25-2.5a.75.75 0 1 1 1.114-1.004l.943 1.048V9.75A.75.75 0 0 1 10 9Z","clip-rule":"evenodd"})])}function s(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 3a1 1 0 0 0-1 1v1a1 1 0 0 0 1 1h16a1 1 0 0 0 1-1V4a1 1 0 0 0-1-1H2Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 7.5h16l-.811 7.71a2 2 0 0 1-1.99 1.79H4.802a2 2 0 0 1-1.99-1.79L2 7.5Zm5.22 1.72a.75.75 0 0 1 1.06 0L10 10.94l1.72-1.72a.75.75 0 1 1 1.06 1.06L11.06 12l1.72 1.72a.75.75 0 1 1-1.06 1.06L10 13.06l-1.72 1.72a.75.75 0 0 1-1.06-1.06L8.94 12l-1.72-1.72a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function c(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 3a1 1 0 0 0-1 1v1a1 1 0 0 0 1 1h16a1 1 0 0 0 1-1V4a1 1 0 0 0-1-1H2Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 7.5h16l-.811 7.71a2 2 0 0 1-1.99 1.79H4.802a2 2 0 0 1-1.99-1.79L2 7.5ZM7 11a1 1 0 0 1 1-1h4a1 1 0 1 1 0 2H8a1 1 0 0 1-1-1Z","clip-rule":"evenodd"})])}function u(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm.75-11.25a.75.75 0 0 0-1.5 0v4.59L7.3 9.24a.75.75 0 0 0-1.1 1.02l3.25 3.5a.75.75 0 0 0 1.1 0l3.25-3.5a.75.75 0 1 0-1.1-1.02l-1.95 2.1V6.75Z","clip-rule":"evenodd"})])}function d(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.78 5.22a.75.75 0 0 0-1.06 0L6.5 12.44V6.75a.75.75 0 0 0-1.5 0v7.5c0 .414.336.75.75.75h7.5a.75.75 0 0 0 0-1.5H7.56l7.22-7.22a.75.75 0 0 0 0-1.06Z","clip-rule":"evenodd"})])}function h(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 1a.75.75 0 0 1 .75.75V6h-1.5V1.75A.75.75 0 0 1 8 1Zm-.75 5v3.296l-.943-1.048a.75.75 0 1 0-1.114 1.004l2.25 2.5a.75.75 0 0 0 1.114 0l2.25-2.5a.75.75 0 0 0-1.114-1.004L8.75 9.296V6h2A2.25 2.25 0 0 1 13 8.25v4.5A2.25 2.25 0 0 1 10.75 15h-5.5A2.25 2.25 0 0 1 3 12.75v-4.5A2.25 2.25 0 0 1 5.25 6h2ZM7 16.75v-.25h3.75a3.75 3.75 0 0 0 3.75-3.75V10h.25A2.25 2.25 0 0 1 17 12.25v4.5A2.25 2.25 0 0 1 14.75 19h-5.5A2.25 2.25 0 0 1 7 16.75Z","clip-rule":"evenodd"})])}function p(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.75 7h-3v5.296l1.943-2.048a.75.75 0 0 1 1.114 1.004l-3.25 3.5a.75.75 0 0 1-1.114 0l-3.25-3.5a.75.75 0 1 1 1.114-1.004l1.943 2.048V7h1.5V1.75a.75.75 0 0 0-1.5 0V7h-3A2.25 2.25 0 0 0 4 9.25v7.5A2.25 2.25 0 0 0 6.25 19h7.5A2.25 2.25 0 0 0 16 16.75v-7.5A2.25 2.25 0 0 0 13.75 7Z"})])}function f(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.28 5.22a.75.75 0 0 0-1.06 1.06l7.22 7.22H6.75a.75.75 0 0 0 0 1.5h7.5a.747.747 0 0 0 .75-.75v-7.5a.75.75 0 0 0-1.5 0v5.69L6.28 5.22Z"})])}function m(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.75 2.75a.75.75 0 0 0-1.5 0v8.614L6.295 8.235a.75.75 0 1 0-1.09 1.03l4.25 4.5a.75.75 0 0 0 1.09 0l4.25-4.5a.75.75 0 0 0-1.09-1.03l-2.955 3.129V2.75Z"}),(0,r.createElementVNode)("path",{d:"M3.5 12.75a.75.75 0 0 0-1.5 0v2.5A2.75 2.75 0 0 0 4.75 18h10.5A2.75 2.75 0 0 0 18 15.25v-2.5a.75.75 0 0 0-1.5 0v2.5c0 .69-.56 1.25-1.25 1.25H4.75c-.69 0-1.25-.56-1.25-1.25v-2.5Z"})])}function v(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 3a.75.75 0 0 1 .75.75v10.638l3.96-4.158a.75.75 0 1 1 1.08 1.04l-5.25 5.5a.75.75 0 0 1-1.08 0l-5.25-5.5a.75.75 0 1 1 1.08-1.04l3.96 4.158V3.75A.75.75 0 0 1 10 3Z","clip-rule":"evenodd"})])}function g(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm3.25-7.25a.75.75 0 0 0 0-1.5H8.66l2.1-1.95a.75.75 0 1 0-1.02-1.1l-3.5 3.25a.75.75 0 0 0 0 1.1l3.5 3.25a.75.75 0 0 0 1.02-1.1l-2.1-1.95h4.59Z","clip-rule":"evenodd"})])}function w(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4.25A2.25 2.25 0 0 1 5.25 2h5.5A2.25 2.25 0 0 1 13 4.25v2a.75.75 0 0 1-1.5 0v-2a.75.75 0 0 0-.75-.75h-5.5a.75.75 0 0 0-.75.75v11.5c0 .414.336.75.75.75h5.5a.75.75 0 0 0 .75-.75v-2a.75.75 0 0 1 1.5 0v2A2.25 2.25 0 0 1 10.75 18h-5.5A2.25 2.25 0 0 1 3 15.75V4.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19 10a.75.75 0 0 0-.75-.75H8.704l1.048-.943a.75.75 0 1 0-1.004-1.114l-2.5 2.25a.75.75 0 0 0 0 1.114l2.5 2.25a.75.75 0 1 0 1.004-1.114l-1.048-.943h9.546A.75.75 0 0 0 19 10Z","clip-rule":"evenodd"})])}function y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4.25A2.25 2.25 0 0 1 5.25 2h5.5A2.25 2.25 0 0 1 13 4.25v2a.75.75 0 0 1-1.5 0v-2a.75.75 0 0 0-.75-.75h-5.5a.75.75 0 0 0-.75.75v11.5c0 .414.336.75.75.75h5.5a.75.75 0 0 0 .75-.75v-2a.75.75 0 0 1 1.5 0v2A2.25 2.25 0 0 1 10.75 18h-5.5A2.25 2.25 0 0 1 3 15.75V4.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19 10a.75.75 0 0 0-.75-.75H8.704l1.048-.943a.75.75 0 1 0-1.004-1.114l-2.5 2.25a.75.75 0 0 0 0 1.114l2.5 2.25a.75.75 0 1 0 1.004-1.114l-1.048-.943h9.546A.75.75 0 0 0 19 10Z","clip-rule":"evenodd"})])}function b(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17 4.25A2.25 2.25 0 0 0 14.75 2h-5.5A2.25 2.25 0 0 0 7 4.25v2a.75.75 0 0 0 1.5 0v-2a.75.75 0 0 1 .75-.75h5.5a.75.75 0 0 1 .75.75v11.5a.75.75 0 0 1-.75.75h-5.5a.75.75 0 0 1-.75-.75v-2a.75.75 0 0 0-1.5 0v2A2.25 2.25 0 0 0 9.25 18h5.5A2.25 2.25 0 0 0 17 15.75V4.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14 10a.75.75 0 0 0-.75-.75H3.704l1.048-.943a.75.75 0 1 0-1.004-1.114l-2.5 2.25a.75.75 0 0 0 0 1.114l2.5 2.25a.75.75 0 1 0 1.004-1.114l-1.048-.943h9.546A.75.75 0 0 0 14 10Z","clip-rule":"evenodd"})])}function x(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17 10a.75.75 0 0 1-.75.75H5.612l4.158 3.96a.75.75 0 1 1-1.04 1.08l-5.5-5.25a.75.75 0 0 1 0-1.08l5.5-5.25a.75.75 0 1 1 1.04 1.08L5.612 9.25H16.25A.75.75 0 0 1 17 10Z","clip-rule":"evenodd"})])}function k(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a.75.75 0 0 1 .75.75v12.59l1.95-2.1a.75.75 0 1 1 1.1 1.02l-3.25 3.5a.75.75 0 0 1-1.1 0l-3.25-3.5a.75.75 0 1 1 1.1-1.02l1.95 2.1V2.75A.75.75 0 0 1 10 2Z","clip-rule":"evenodd"})])}function E(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a.75.75 0 0 1-.75.75H4.66l2.1 1.95a.75.75 0 1 1-1.02 1.1l-3.5-3.25a.75.75 0 0 1 0-1.1l3.5-3.25a.75.75 0 1 1 1.02 1.1l-2.1 1.95h12.59A.75.75 0 0 1 18 10Z","clip-rule":"evenodd"})])}function A(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 10a.75.75 0 0 1 .75-.75h12.59l-2.1-1.95a.75.75 0 1 1 1.02-1.1l3.5 3.25a.75.75 0 0 1 0 1.1l-3.5 3.25a.75.75 0 1 1-1.02-1.1l2.1-1.95H2.75A.75.75 0 0 1 2 10Z","clip-rule":"evenodd"})])}function C(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a.75.75 0 0 1-.75-.75V4.66L7.3 6.76a.75.75 0 0 1-1.1-1.02l3.25-3.5a.75.75 0 0 1 1.1 0l3.25 3.5a.75.75 0 1 1-1.1 1.02l-1.95-2.1v12.59A.75.75 0 0 1 10 18Z","clip-rule":"evenodd"})])}function B(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 4.5c1.215 0 2.417.055 3.604.162a.68.68 0 0 1 .615.597c.124 1.038.208 2.088.25 3.15l-1.689-1.69a.75.75 0 0 0-1.06 1.061l2.999 3a.75.75 0 0 0 1.06 0l3.001-3a.75.75 0 1 0-1.06-1.06l-1.748 1.747a41.31 41.31 0 0 0-.264-3.386 2.18 2.18 0 0 0-1.97-1.913 41.512 41.512 0 0 0-7.477 0 2.18 2.18 0 0 0-1.969 1.913 41.16 41.16 0 0 0-.16 1.61.75.75 0 1 0 1.495.12c.041-.52.093-1.038.154-1.552a.68.68 0 0 1 .615-.597A40.012 40.012 0 0 1 10 4.5ZM5.281 9.22a.75.75 0 0 0-1.06 0l-3.001 3a.75.75 0 1 0 1.06 1.06l1.748-1.747c.042 1.141.13 2.27.264 3.386a2.18 2.18 0 0 0 1.97 1.913 41.533 41.533 0 0 0 7.477 0 2.18 2.18 0 0 0 1.969-1.913c.064-.534.117-1.071.16-1.61a.75.75 0 1 0-1.495-.12c-.041.52-.093 1.037-.154 1.552a.68.68 0 0 1-.615.597 40.013 40.013 0 0 1-7.208 0 .68.68 0 0 1-.615-.597 39.785 39.785 0 0 1-.25-3.15l1.689 1.69a.75.75 0 0 0 1.06-1.061l-2.999-3Z","clip-rule":"evenodd"})])}function M(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.312 11.424a5.5 5.5 0 0 1-9.201 2.466l-.312-.311h2.433a.75.75 0 0 0 0-1.5H3.989a.75.75 0 0 0-.75.75v4.242a.75.75 0 0 0 1.5 0v-2.43l.31.31a7 7 0 0 0 11.712-3.138.75.75 0 0 0-1.449-.39Zm1.23-3.723a.75.75 0 0 0 .219-.53V2.929a.75.75 0 0 0-1.5 0V5.36l-.31-.31A7 7 0 0 0 3.239 8.188a.75.75 0 1 0 1.448.389A5.5 5.5 0 0 1 13.89 6.11l.311.31h-2.432a.75.75 0 0 0 0 1.5h4.243a.75.75 0 0 0 .53-.219Z","clip-rule":"evenodd"})])}function _(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM6.75 9.25a.75.75 0 0 0 0 1.5h4.59l-2.1 1.95a.75.75 0 0 0 1.02 1.1l3.5-3.25a.75.75 0 0 0 0-1.1l-3.5-3.25a.75.75 0 1 0-1.02 1.1l2.1 1.95H6.75Z","clip-rule":"evenodd"})])}function S(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17 4.25A2.25 2.25 0 0 0 14.75 2h-5.5A2.25 2.25 0 0 0 7 4.25v2a.75.75 0 0 0 1.5 0v-2a.75.75 0 0 1 .75-.75h5.5a.75.75 0 0 1 .75.75v11.5a.75.75 0 0 1-.75.75h-5.5a.75.75 0 0 1-.75-.75v-2a.75.75 0 0 0-1.5 0v2A2.25 2.25 0 0 0 9.25 18h5.5A2.25 2.25 0 0 0 17 15.75V4.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 10a.75.75 0 0 1 .75-.75h9.546l-1.048-.943a.75.75 0 1 1 1.004-1.114l2.5 2.25a.75.75 0 0 1 0 1.114l-2.5 2.25a.75.75 0 1 1-1.004-1.114l1.048-.943H1.75A.75.75 0 0 1 1 10Z","clip-rule":"evenodd"})])}function N(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4.25A2.25 2.25 0 0 1 5.25 2h5.5A2.25 2.25 0 0 1 13 4.25v2a.75.75 0 0 1-1.5 0v-2a.75.75 0 0 0-.75-.75h-5.5a.75.75 0 0 0-.75.75v11.5c0 .414.336.75.75.75h5.5a.75.75 0 0 0 .75-.75v-2a.75.75 0 0 1 1.5 0v2A2.25 2.25 0 0 1 10.75 18h-5.5A2.25 2.25 0 0 1 3 15.75V4.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 10a.75.75 0 0 1 .75-.75h9.546l-1.048-.943a.75.75 0 1 1 1.004-1.114l2.5 2.25a.75.75 0 0 1 0 1.114l-2.5 2.25a.75.75 0 1 1-1.004-1.114l1.048-.943H6.75A.75.75 0 0 1 6 10Z","clip-rule":"evenodd"})])}function V(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4.25A2.25 2.25 0 0 1 5.25 2h5.5A2.25 2.25 0 0 1 13 4.25v2a.75.75 0 0 1-1.5 0v-2a.75.75 0 0 0-.75-.75h-5.5a.75.75 0 0 0-.75.75v11.5c0 .414.336.75.75.75h5.5a.75.75 0 0 0 .75-.75v-2a.75.75 0 0 1 1.5 0v2A2.25 2.25 0 0 1 10.75 18h-5.5A2.25 2.25 0 0 1 3 15.75V4.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 10a.75.75 0 0 1 .75-.75h9.546l-1.048-.943a.75.75 0 1 1 1.004-1.114l2.5 2.25a.75.75 0 0 1 0 1.114l-2.5 2.25a.75.75 0 1 1-1.004-1.114l1.048-.943H6.75A.75.75 0 0 1 6 10Z","clip-rule":"evenodd"})])}function L(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 10a.75.75 0 0 1 .75-.75h10.638L10.23 5.29a.75.75 0 1 1 1.04-1.08l5.5 5.25a.75.75 0 0 1 0 1.08l-5.5 5.25a.75.75 0 1 1-1.04-1.08l4.158-3.96H3.75A.75.75 0 0 1 3 10Z","clip-rule":"evenodd"})])}function T(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 5a.75.75 0 0 1 .75.75v6.638l1.96-2.158a.75.75 0 1 1 1.08 1.04l-3.25 3.5a.75.75 0 0 1-1.08 0l-3.25-3.5a.75.75 0 1 1 1.08-1.04l1.96 2.158V5.75A.75.75 0 0 1 10 5Z","clip-rule":"evenodd"})])}function I(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 10a.75.75 0 0 1-.75.75H7.612l2.158 1.96a.75.75 0 1 1-1.04 1.08l-3.5-3.25a.75.75 0 0 1 0-1.08l3.5-3.25a.75.75 0 1 1 1.04 1.08L7.612 9.25h6.638A.75.75 0 0 1 15 10Z","clip-rule":"evenodd"})])}function Z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 10a.75.75 0 0 1 .75-.75h6.638L10.23 7.29a.75.75 0 1 1 1.04-1.08l3.5 3.25a.75.75 0 0 1 0 1.08l-3.5 3.25a.75.75 0 1 1-1.04-1.08l2.158-1.96H5.75A.75.75 0 0 1 5 10Z","clip-rule":"evenodd"})])}function O(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 15a.75.75 0 0 1-.75-.75V7.612L7.29 9.77a.75.75 0 0 1-1.08-1.04l3.25-3.5a.75.75 0 0 1 1.08 0l3.25 3.5a.75.75 0 1 1-1.08 1.04l-1.96-2.158v6.638A.75.75 0 0 1 10 15Z","clip-rule":"evenodd"})])}function D(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.25 5.5a.75.75 0 0 0-.75.75v8.5c0 .414.336.75.75.75h8.5a.75.75 0 0 0 .75-.75v-4a.75.75 0 0 1 1.5 0v4A2.25 2.25 0 0 1 12.75 17h-8.5A2.25 2.25 0 0 1 2 14.75v-8.5A2.25 2.25 0 0 1 4.25 4h5a.75.75 0 0 1 0 1.5h-5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.194 12.753a.75.75 0 0 0 1.06.053L16.5 4.44v2.81a.75.75 0 0 0 1.5 0v-4.5a.75.75 0 0 0-.75-.75h-4.5a.75.75 0 0 0 0 1.5h2.553l-9.056 8.194a.75.75 0 0 0-.053 1.06Z","clip-rule":"evenodd"})])}function R(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.22 5.222a.75.75 0 0 1 1.06 0L7 9.942l3.768-3.769a.75.75 0 0 1 1.113.058 20.908 20.908 0 0 1 3.813 7.254l1.574-2.727a.75.75 0 0 1 1.3.75l-2.475 4.286a.75.75 0 0 1-1.025.275l-4.287-2.475a.75.75 0 0 1 .75-1.3l2.71 1.565a19.422 19.422 0 0 0-3.013-6.024L7.53 11.533a.75.75 0 0 1-1.06 0l-5.25-5.25a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function H(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.577 4.878a.75.75 0 0 1 .919-.53l4.78 1.281a.75.75 0 0 1 .531.919l-1.281 4.78a.75.75 0 0 1-1.449-.387l.81-3.022a19.407 19.407 0 0 0-5.594 5.203.75.75 0 0 1-1.139.093L7 10.06l-4.72 4.72a.75.75 0 0 1-1.06-1.061l5.25-5.25a.75.75 0 0 1 1.06 0l3.074 3.073a20.923 20.923 0 0 1 5.545-4.931l-3.042-.815a.75.75 0 0 1-.53-.919Z","clip-rule":"evenodd"})])}function P(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.25 3a.75.75 0 0 0-.75.75v7.5H4.56l1.97-1.97a.75.75 0 0 0-1.06-1.06l-3.25 3.25a.75.75 0 0 0 0 1.06l3.25 3.25a.75.75 0 0 0 1.06-1.06l-1.97-1.97h11.69A.75.75 0 0 0 17 12V3.75a.75.75 0 0 0-.75-.75Z","clip-rule":"evenodd"})])}function j(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3a.75.75 0 0 1 .75.75v7.5h10.94l-1.97-1.97a.75.75 0 0 1 1.06-1.06l3.25 3.25a.75.75 0 0 1 0 1.06l-3.25 3.25a.75.75 0 1 1-1.06-1.06l1.97-1.97H3.75A.75.75 0 0 1 3 12V3.75A.75.75 0 0 1 3.75 3Z","clip-rule":"evenodd"})])}function F(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16 3.75a.75.75 0 0 1-.75.75h-7.5v10.94l1.97-1.97a.75.75 0 1 1 1.06 1.06l-3.25 3.25a.75.75 0 0 1-1.06 0l-3.25-3.25a.75.75 0 1 1 1.06-1.06l1.97 1.97V3.75A.75.75 0 0 1 7 3h8.25a.75.75 0 0 1 .75.75Z","clip-rule":"evenodd"})])}function z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16 16.25a.75.75 0 0 0-.75-.75h-7.5V4.56l1.97 1.97a.75.75 0 1 0 1.06-1.06L7.53 2.22a.75.75 0 0 0-1.06 0L3.22 5.47a.75.75 0 0 0 1.06 1.06l1.97-1.97v11.69c0 .414.336.75.75.75h8.25a.75.75 0 0 0 .75-.75Z","clip-rule":"evenodd"})])}function q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3.75c0 .414.336.75.75.75h7.5v10.94l-1.97-1.97a.75.75 0 0 0-1.06 1.06l3.25 3.25a.75.75 0 0 0 1.06 0l3.25-3.25a.75.75 0 1 0-1.06-1.06l-1.97 1.97V3.75A.75.75 0 0 0 12 3H3.75a.75.75 0 0 0-.75.75Z","clip-rule":"evenodd"})])}function U(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 16.25a.75.75 0 0 1 .75-.75h7.5V4.56L9.28 6.53a.75.75 0 0 1-1.06-1.06l3.25-3.25a.75.75 0 0 1 1.06 0l3.25 3.25a.75.75 0 0 1-1.06 1.06l-1.97-1.97v11.69A.75.75 0 0 1 12 17H3.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function $(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.25 17a.75.75 0 0 1-.75-.75v-7.5H4.56l1.97 1.97a.75.75 0 1 1-1.06 1.06L2.22 8.53a.75.75 0 0 1 0-1.06l3.25-3.25a.75.75 0 0 1 1.06 1.06L4.56 7.25h11.69A.75.75 0 0 1 17 8v8.25a.75.75 0 0 1-.75.75Z","clip-rule":"evenodd"})])}function W(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 17a.75.75 0 0 0 .75-.75v-7.5h10.94l-1.97 1.97a.75.75 0 1 0 1.06 1.06l3.25-3.25a.75.75 0 0 0 0-1.06l-3.25-3.25a.75.75 0 1 0-1.06 1.06l1.97 1.97H3.75A.75.75 0 0 0 3 8v8.25c0 .414.336.75.75.75Z","clip-rule":"evenodd"})])}function G(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm-.75-4.75a.75.75 0 0 0 1.5 0V8.66l1.95 2.1a.75.75 0 1 0 1.1-1.02l-3.25-3.5a.75.75 0 0 0-1.1 0L6.2 9.74a.75.75 0 1 0 1.1 1.02l1.95-2.1v4.59Z","clip-rule":"evenodd"})])}function K(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.78 14.78a.75.75 0 0 1-1.06 0L6.5 7.56v5.69a.75.75 0 0 1-1.5 0v-7.5A.75.75 0 0 1 5.75 5h7.5a.75.75 0 0 1 0 1.5H7.56l7.22 7.22a.75.75 0 0 1 0 1.06Z","clip-rule":"evenodd"})])}function Y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.75 6h-2v4.25a.75.75 0 0 1-1.5 0V6h1.5V3.704l.943 1.048a.75.75 0 0 0 1.114-1.004l-2.25-2.5a.75.75 0 0 0-1.114 0l-2.25 2.5a.75.75 0 0 0 1.114 1.004l.943-1.048V6h-2A2.25 2.25 0 0 0 3 8.25v4.5A2.25 2.25 0 0 0 5.25 15h5.5A2.25 2.25 0 0 0 13 12.75v-4.5A2.25 2.25 0 0 0 10.75 6ZM7 16.75v-.25h3.75a3.75 3.75 0 0 0 3.75-3.75V10h.25A2.25 2.25 0 0 1 17 12.25v4.5A2.25 2.25 0 0 1 14.75 19h-5.5A2.25 2.25 0 0 1 7 16.75Z","clip-rule":"evenodd"})])}function X(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.75 7h-3V3.66l1.95 2.1a.75.75 0 1 0 1.1-1.02l-3.25-3.5a.75.75 0 0 0-1.1 0L6.2 4.74a.75.75 0 0 0 1.1 1.02l1.95-2.1V7h-3A2.25 2.25 0 0 0 4 9.25v7.5A2.25 2.25 0 0 0 6.25 19h7.5A2.25 2.25 0 0 0 16 16.75v-7.5A2.25 2.25 0 0 0 13.75 7Zm-3 0h-1.5v5.25a.75.75 0 0 0 1.5 0V7Z","clip-rule":"evenodd"})])}function J(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.22 14.78a.75.75 0 0 0 1.06 0l7.22-7.22v5.69a.75.75 0 0 0 1.5 0v-7.5a.75.75 0 0 0-.75-.75h-7.5a.75.75 0 0 0 0 1.5h5.69l-7.22 7.22a.75.75 0 0 0 0 1.06Z","clip-rule":"evenodd"})])}function Q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9.25 13.25a.75.75 0 0 0 1.5 0V4.636l2.955 3.129a.75.75 0 0 0 1.09-1.03l-4.25-4.5a.75.75 0 0 0-1.09 0l-4.25 4.5a.75.75 0 1 0 1.09 1.03L9.25 4.636v8.614Z"}),(0,r.createElementVNode)("path",{d:"M3.5 12.75a.75.75 0 0 0-1.5 0v2.5A2.75 2.75 0 0 0 4.75 18h10.5A2.75 2.75 0 0 0 18 15.25v-2.5a.75.75 0 0 0-1.5 0v2.5c0 .69-.56 1.25-1.25 1.25H4.75c-.69 0-1.25-.56-1.25-1.25v-2.5Z"})])}function ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 17a.75.75 0 0 1-.75-.75V5.612L5.29 9.77a.75.75 0 0 1-1.08-1.04l5.25-5.5a.75.75 0 0 1 1.08 0l5.25 5.5a.75.75 0 1 1-1.08 1.04l-3.96-4.158V16.25A.75.75 0 0 1 10 17Z","clip-rule":"evenodd"})])}function te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.232 12.207a.75.75 0 0 1 1.06.025l3.958 4.146V6.375a5.375 5.375 0 0 1 10.75 0V9.25a.75.75 0 0 1-1.5 0V6.375a3.875 3.875 0 0 0-7.75 0v10.003l3.957-4.146a.75.75 0 0 1 1.085 1.036l-5.25 5.5a.75.75 0 0 1-1.085 0l-5.25-5.5a.75.75 0 0 1 .025-1.06Z","clip-rule":"evenodd"})])}function ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.768 7.793a.75.75 0 0 1-1.06-.025L12.75 3.622v10.003a5.375 5.375 0 0 1-10.75 0V10.75a.75.75 0 0 1 1.5 0v2.875a3.875 3.875 0 0 0 7.75 0V3.622L7.293 7.768a.75.75 0 0 1-1.086-1.036l5.25-5.5a.75.75 0 0 1 1.085 0l5.25 5.5a.75.75 0 0 1-.024 1.06Z","clip-rule":"evenodd"})])}function ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.28 2.22a.75.75 0 0 0-1.06 1.06L5.44 6.5H2.75a.75.75 0 0 0 0 1.5h4.5A.75.75 0 0 0 8 7.25v-4.5a.75.75 0 0 0-1.5 0v2.69L3.28 2.22ZM13.5 2.75a.75.75 0 0 0-1.5 0v4.5c0 .414.336.75.75.75h4.5a.75.75 0 0 0 0-1.5h-2.69l3.22-3.22a.75.75 0 0 0-1.06-1.06L13.5 5.44V2.75ZM3.28 17.78l3.22-3.22v2.69a.75.75 0 0 0 1.5 0v-4.5a.75.75 0 0 0-.75-.75h-4.5a.75.75 0 0 0 0 1.5h2.69l-3.22 3.22a.75.75 0 1 0 1.06 1.06ZM13.5 14.56l3.22 3.22a.75.75 0 1 0 1.06-1.06l-3.22-3.22h2.69a.75.75 0 0 0 0-1.5h-4.5a.75.75 0 0 0-.75.75v4.5a.75.75 0 0 0 1.5 0v-2.69Z"})])}function ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m13.28 7.78 3.22-3.22v2.69a.75.75 0 0 0 1.5 0v-4.5a.75.75 0 0 0-.75-.75h-4.5a.75.75 0 0 0 0 1.5h2.69l-3.22 3.22a.75.75 0 0 0 1.06 1.06ZM2 17.25v-4.5a.75.75 0 0 1 1.5 0v2.69l3.22-3.22a.75.75 0 0 1 1.06 1.06L4.56 16.5h2.69a.75.75 0 0 1 0 1.5h-4.5a.747.747 0 0 1-.75-.75ZM12.22 13.28l3.22 3.22h-2.69a.75.75 0 0 0 0 1.5h4.5a.747.747 0 0 0 .75-.75v-4.5a.75.75 0 0 0-1.5 0v2.69l-3.22-3.22a.75.75 0 1 0-1.06 1.06ZM3.5 4.56l3.22 3.22a.75.75 0 0 0 1.06-1.06L4.56 3.5h2.69a.75.75 0 0 0 0-1.5h-4.5a.75.75 0 0 0-.75.75v4.5a.75.75 0 0 0 1.5 0V4.56Z"})])}function le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.2 2.24a.75.75 0 0 0 .04 1.06l2.1 1.95H6.75a.75.75 0 0 0 0 1.5h8.59l-2.1 1.95a.75.75 0 1 0 1.02 1.1l3.5-3.25a.75.75 0 0 0 0-1.1l-3.5-3.25a.75.75 0 0 0-1.06.04Zm-6.4 8a.75.75 0 0 0-1.06-.04l-3.5 3.25a.75.75 0 0 0 0 1.1l3.5 3.25a.75.75 0 1 0 1.02-1.1l-2.1-1.95h8.59a.75.75 0 0 0 0-1.5H4.66l2.1-1.95a.75.75 0 0 0 .04-1.06Z","clip-rule":"evenodd"})])}function se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.24 6.8a.75.75 0 0 0 1.06-.04l1.95-2.1v8.59a.75.75 0 0 0 1.5 0V4.66l1.95 2.1a.75.75 0 1 0 1.1-1.02l-3.25-3.5a.75.75 0 0 0-1.1 0L2.2 5.74a.75.75 0 0 0 .04 1.06Zm8 6.4a.75.75 0 0 0-.04 1.06l3.25 3.5a.75.75 0 0 0 1.1 0l3.25-3.5a.75.75 0 1 0-1.1-1.02l-1.95 2.1V6.75a.75.75 0 0 0-1.5 0v8.59l-1.95-2.1a.75.75 0 0 0-1.06-.04Z","clip-rule":"evenodd"})])}function ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.404 14.596A6.5 6.5 0 1 1 16.5 10a1.25 1.25 0 0 1-2.5 0 4 4 0 1 0-.571 2.06A2.75 2.75 0 0 0 18 10a8 8 0 1 0-2.343 5.657.75.75 0 0 0-1.06-1.06 6.5 6.5 0 0 1-9.193 0ZM10 7.5a2.5 2.5 0 1 0 0 5 2.5 2.5 0 0 0 0-5Z","clip-rule":"evenodd"})])}function ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.22 3.22A.75.75 0 0 1 7.75 3h9A2.25 2.25 0 0 1 19 5.25v9.5A2.25 2.25 0 0 1 16.75 17h-9a.75.75 0 0 1-.53-.22L.97 10.53a.75.75 0 0 1 0-1.06l6.25-6.25Zm3.06 4a.75.75 0 1 0-1.06 1.06L10.94 10l-1.72 1.72a.75.75 0 1 0 1.06 1.06L12 11.06l1.72 1.72a.75.75 0 1 0 1.06-1.06L13.06 10l1.72-1.72a.75.75 0 0 0-1.06-1.06L12 8.94l-1.72-1.72Z","clip-rule":"evenodd"})])}function de(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.712 4.818A1.5 1.5 0 0 1 10 6.095v2.972c.104-.13.234-.248.389-.343l6.323-3.906A1.5 1.5 0 0 1 19 6.095v7.81a1.5 1.5 0 0 1-2.288 1.276l-6.323-3.905a1.505 1.505 0 0 1-.389-.344v2.973a1.5 1.5 0 0 1-2.288 1.276l-6.323-3.905a1.5 1.5 0 0 1 0-2.552l6.323-3.906Z"})])}function he(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 4a1 1 0 0 1 1-1h16a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4Zm12 4a3 3 0 1 1-6 0 3 3 0 0 1 6 0ZM4 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2Zm13-1a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM1.75 14.5a.75.75 0 0 0 0 1.5c4.417 0 8.693.603 12.749 1.73 1.111.309 2.251-.512 2.251-1.696v-.784a.75.75 0 0 0-1.5 0v.784a.272.272 0 0 1-.35.25A49.043 49.043 0 0 0 1.75 14.5Z","clip-rule":"evenodd"})])}function pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 6.75A.75.75 0 0 1 2.75 6h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 6.75Zm0 6.5a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75A.75.75 0 0 1 2.75 4h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 4.75Zm0 10.5a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-7.5a.75.75 0 0 1-.75-.75ZM2 10a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 10Z","clip-rule":"evenodd"})])}function me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75A.75.75 0 0 1 2.75 4h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 4.75Zm7 10.5a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-7.5a.75.75 0 0 1-.75-.75ZM2 10a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 10Z","clip-rule":"evenodd"})])}function ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75A.75.75 0 0 1 2.75 4h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 4.75Zm0 10.5a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75ZM2 10a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-7.5A.75.75 0 0 1 2 10Z","clip-rule":"evenodd"})])}function ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75A.75.75 0 0 1 2.75 4h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 4.75ZM2 10a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 10Zm0 5.25a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function we(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.75A.75.75 0 0 1 2.75 3h14.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 3.75Zm0 4.167a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Zm0 4.166a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Zm0 4.167a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.75A.75.75 0 0 1 2.75 3h11.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 3.75ZM2 7.5a.75.75 0 0 1 .75-.75h7.508a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 7.5ZM14 7a.75.75 0 0 1 .75.75v6.59l1.95-2.1a.75.75 0 1 1 1.1 1.02l-3.25 3.5a.75.75 0 0 1-1.1 0l-3.25-3.5a.75.75 0 1 1 1.1-1.02l1.95 2.1V7.75A.75.75 0 0 1 14 7ZM2 11.25a.75.75 0 0 1 .75-.75h4.562a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.75A.75.75 0 0 1 2.75 3h11.5a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 3.75ZM2 7.5a.75.75 0 0 1 .75-.75h6.365a.75.75 0 0 1 0 1.5H2.75A.75.75 0 0 1 2 7.5ZM14 7a.75.75 0 0 1 .55.24l3.25 3.5a.75.75 0 1 1-1.1 1.02l-1.95-2.1v6.59a.75.75 0 0 1-1.5 0V9.66l-1.95 2.1a.75.75 0 1 1-1.1-1.02l3.25-3.5A.75.75 0 0 1 14 7ZM2 11.25a.75.75 0 0 1 .75-.75H7A.75.75 0 0 1 7 12H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 7.25A2.25 2.25 0 0 1 3.25 5h12.5A2.25 2.25 0 0 1 18 7.25v1.085a1.5 1.5 0 0 1 1 1.415v.5a1.5 1.5 0 0 1-1 1.415v1.085A2.25 2.25 0 0 1 15.75 15H3.25A2.25 2.25 0 0 1 1 12.75v-5.5Zm2.25-.75a.75.75 0 0 0-.75.75v5.5c0 .414.336.75.75.75h12.5a.75.75 0 0 0 .75-.75v-5.5a.75.75 0 0 0-.75-.75H3.25Z","clip-rule":"evenodd"})])}function ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.75 8a.75.75 0 0 0-.75.75v2.5c0 .414.336.75.75.75h9.5a.75.75 0 0 0 .75-.75v-2.5a.75.75 0 0 0-.75-.75h-9.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 7.25A2.25 2.25 0 0 1 3.25 5h12.5A2.25 2.25 0 0 1 18 7.25v1.085a1.5 1.5 0 0 1 1 1.415v.5a1.5 1.5 0 0 1-1 1.415v1.085A2.25 2.25 0 0 1 15.75 15H3.25A2.25 2.25 0 0 1 1 12.75v-5.5Zm2.25-.75a.75.75 0 0 0-.75.75v5.5c0 .414.336.75.75.75h12.5a.75.75 0 0 0 .75-.75v-5.5a.75.75 0 0 0-.75-.75H3.25Z","clip-rule":"evenodd"})])}function Ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.75 8a.75.75 0 0 0-.75.75v2.5c0 .414.336.75.75.75H9.5a.75.75 0 0 0 .75-.75v-2.5A.75.75 0 0 0 9.5 8H4.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.25 5A2.25 2.25 0 0 0 1 7.25v5.5A2.25 2.25 0 0 0 3.25 15h12.5A2.25 2.25 0 0 0 18 12.75v-1.085a1.5 1.5 0 0 0 1-1.415v-.5a1.5 1.5 0 0 0-1-1.415V7.25A2.25 2.25 0 0 0 15.75 5H3.25ZM2.5 7.25a.75.75 0 0 1 .75-.75h12.5a.75.75 0 0 1 .75.75v5.5a.75.75 0 0 1-.75.75H3.25a.75.75 0 0 1-.75-.75v-5.5Z","clip-rule":"evenodd"})])}function Ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.5 3.528v4.644c0 .729-.29 1.428-.805 1.944l-1.217 1.216a8.75 8.75 0 0 1 3.55.621l.502.201a7.25 7.25 0 0 0 4.178.365l-2.403-2.403a2.75 2.75 0 0 1-.805-1.944V3.528a40.205 40.205 0 0 0-3 0Zm4.5.084.19.015a.75.75 0 1 0 .12-1.495 41.364 41.364 0 0 0-6.62 0 .75.75 0 0 0 .12 1.495L7 3.612v4.56c0 .331-.132.649-.366.883L2.6 13.09c-1.496 1.496-.817 4.15 1.403 4.475C5.961 17.852 7.963 18 10 18s4.039-.148 5.997-.436c2.22-.325 2.9-2.979 1.403-4.475l-4.034-4.034A1.25 1.25 0 0 1 13 8.172v-4.56Z","clip-rule":"evenodd"})])}function Ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.214 3.227a.75.75 0 0 0-1.156-.955 8.97 8.97 0 0 0-1.856 3.825.75.75 0 0 0 1.466.316 7.47 7.47 0 0 1 1.546-3.186ZM16.942 2.272a.75.75 0 0 0-1.157.955 7.47 7.47 0 0 1 1.547 3.186.75.75 0 0 0 1.466-.316 8.971 8.971 0 0 0-1.856-3.825Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a6 6 0 0 0-6 6c0 1.887-.454 3.665-1.257 5.234a.75.75 0 0 0 .515 1.076 32.91 32.91 0 0 0 3.256.508 3.5 3.5 0 0 0 6.972 0 32.903 32.903 0 0 0 3.256-.508.75.75 0 0 0 .515-1.076A11.448 11.448 0 0 1 16 8a6 6 0 0 0-6-6Zm0 14.5a2 2 0 0 1-1.95-1.557 33.54 33.54 0 0 0 3.9 0A2 2 0 0 1 10 16.5Z","clip-rule":"evenodd"})])}function Be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4 8c0-.26.017-.517.049-.77l7.722 7.723a33.56 33.56 0 0 1-3.722-.01 2 2 0 0 0 3.862.15l1.134 1.134a3.5 3.5 0 0 1-6.53-1.409 32.91 32.91 0 0 1-3.257-.508.75.75 0 0 1-.515-1.076A11.448 11.448 0 0 0 4 8ZM17.266 13.9a.756.756 0 0 1-.068.116L6.389 3.207A6 6 0 0 1 16 8c.001 1.887.455 3.665 1.258 5.234a.75.75 0 0 1 .01.666ZM3.28 2.22a.75.75 0 0 0-1.06 1.06l14.5 14.5a.75.75 0 1 0 1.06-1.06L3.28 2.22Z"})])}function Me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 8a6 6 0 1 1 12 0c0 1.887.454 3.665 1.257 5.234a.75.75 0 0 1-.515 1.076 32.903 32.903 0 0 1-3.256.508 3.5 3.5 0 0 1-6.972 0 32.91 32.91 0 0 1-3.256-.508.75.75 0 0 1-.515-1.076A11.448 11.448 0 0 0 4 8Zm6 7c-.655 0-1.305-.02-1.95-.057a2 2 0 0 0 3.9 0c-.645.038-1.295.057-1.95.057ZM8.75 6a.75.75 0 0 0 0 1.5h1.043L8.14 9.814A.75.75 0 0 0 8.75 11h2.5a.75.75 0 0 0 0-1.5h-1.043l1.653-2.314A.75.75 0 0 0 11.25 6h-2.5Z","clip-rule":"evenodd"})])}function _e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a6 6 0 0 0-6 6c0 1.887-.454 3.665-1.257 5.234a.75.75 0 0 0 .515 1.076 32.91 32.91 0 0 0 3.256.508 3.5 3.5 0 0 0 6.972 0 32.903 32.903 0 0 0 3.256-.508.75.75 0 0 0 .515-1.076A11.448 11.448 0 0 1 16 8a6 6 0 0 0-6-6ZM8.05 14.943a33.54 33.54 0 0 0 3.9 0 2 2 0 0 1-3.9 0Z","clip-rule":"evenodd"})])}function Se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function Ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.22 2.22a.75.75 0 0 1 1.06 0l14.5 14.5a.75.75 0 1 1-1.06 1.06L2.22 3.28a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M4.73 7.912 2.191 10.75A.75.75 0 0 0 2.75 12h6.068L4.73 7.912ZM9.233 12.415l-1.216 5.678a.75.75 0 0 0 1.292.657l2.956-3.303-3.032-3.032ZM15.27 12.088l2.539-2.838A.75.75 0 0 0 17.25 8h-6.068l4.088 4.088ZM10.767 7.585l1.216-5.678a.75.75 0 0 0-1.292-.657L7.735 4.553l3.032 3.032Z"})])}function Ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.983 1.907a.75.75 0 0 0-1.292-.657l-8.5 9.5A.75.75 0 0 0 2.75 12h6.572l-1.305 6.093a.75.75 0 0 0 1.292.657l8.5-9.5A.75.75 0 0 0 17.25 8h-6.572l1.305-6.093Z"})])}function Le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.75 16.82A7.462 7.462 0 0 1 15 15.5c.71 0 1.396.098 2.046.282A.75.75 0 0 0 18 15.06v-11a.75.75 0 0 0-.546-.721A9.006 9.006 0 0 0 15 3a8.963 8.963 0 0 0-4.25 1.065V16.82ZM9.25 4.065A8.963 8.963 0 0 0 5 3c-.85 0-1.673.118-2.454.339A.75.75 0 0 0 2 4.06v11a.75.75 0 0 0 .954.721A7.506 7.506 0 0 1 5 15.5c1.579 0 3.042.487 4.25 1.32V4.065Z"})])}function Te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M17 4.517v9.301L5.433 2.252a41.44 41.44 0 0 1 9.637.058C16.194 2.45 17 3.414 17 4.517ZM3 17.25V6.182l10.654 10.654L10 15.082l-5.925 2.844A.75.75 0 0 1 3 17.25ZM3.28 2.22a.75.75 0 0 0-1.06 1.06l14.5 14.5a.75.75 0 1 0 1.06-1.06L3.28 2.22Z"})])}function Ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.25 2A2.25 2.25 0 0 0 2 4.25v11.5A2.25 2.25 0 0 0 4.25 18h11.5A2.25 2.25 0 0 0 18 15.75V4.25A2.25 2.25 0 0 0 15.75 2H4.25ZM6 13.25V3.5h8v9.75a.75.75 0 0 1-1.064.681L10 12.576l-2.936 1.355A.75.75 0 0 1 6 13.25Z","clip-rule":"evenodd"})])}function Ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2c-1.716 0-3.408.106-5.07.31C3.806 2.45 3 3.414 3 4.517V17.25a.75.75 0 0 0 1.075.676L10 15.082l5.925 2.844A.75.75 0 0 0 17 17.25V4.517c0-1.103-.806-2.068-1.93-2.207A41.403 41.403 0 0 0 10 2Z","clip-rule":"evenodd"})])}function Oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 3.75A2.75 2.75 0 0 1 8.75 1h2.5A2.75 2.75 0 0 1 14 3.75v.443c.572.055 1.14.122 1.706.2C17.053 4.582 18 5.75 18 7.07v3.469c0 1.126-.694 2.191-1.83 2.54-1.952.599-4.024.921-6.17.921s-4.219-.322-6.17-.921C2.694 12.73 2 11.665 2 10.539V7.07c0-1.321.947-2.489 2.294-2.676A41.047 41.047 0 0 1 6 4.193V3.75Zm6.5 0v.325a41.622 41.622 0 0 0-5 0V3.75c0-.69.56-1.25 1.25-1.25h2.5c.69 0 1.25.56 1.25 1.25ZM10 10a1 1 0 0 0-1 1v.01a1 1 0 0 0 1 1h.01a1 1 0 0 0 1-1V11a1 1 0 0 0-1-1H10Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M3 15.055v-.684c.126.053.255.1.39.142 2.092.642 4.313.987 6.61.987 2.297 0 4.518-.345 6.61-.987.135-.041.264-.089.39-.142v.684c0 1.347-.985 2.53-2.363 2.686a41.454 41.454 0 0 1-9.274 0C3.985 17.585 3 16.402 3 15.055Z"})])}function De(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.56 1.14a.75.75 0 0 1 .177 1.045 3.989 3.989 0 0 0-.464.86c.185.17.382.329.59.473A3.993 3.993 0 0 1 10 2c1.272 0 2.405.594 3.137 1.518.208-.144.405-.302.59-.473a3.989 3.989 0 0 0-.464-.86.75.75 0 0 1 1.222-.869c.369.519.65 1.105.822 1.736a.75.75 0 0 1-.174.707 7.03 7.03 0 0 1-1.299 1.098A4 4 0 0 1 14 6c0 .52-.301.963-.723 1.187a6.961 6.961 0 0 1-1.158.486c.13.208.231.436.296.679 1.413-.174 2.779-.5 4.081-.96a19.655 19.655 0 0 0-.09-2.319.75.75 0 1 1 1.493-.146 21.239 21.239 0 0 1 .08 3.028.75.75 0 0 1-.482.667 20.873 20.873 0 0 1-5.153 1.249 2.521 2.521 0 0 1-.107.247 20.945 20.945 0 0 1 5.252 1.257.75.75 0 0 1 .482.74 20.945 20.945 0 0 1-.908 5.107.75.75 0 0 1-1.433-.444c.415-1.34.69-2.743.806-4.191-.495-.173-1-.327-1.512-.46.05.284.076.575.076.873 0 1.814-.517 3.312-1.426 4.37A4.639 4.639 0 0 1 10 19a4.639 4.639 0 0 1-3.574-1.63C5.516 16.311 5 14.813 5 13c0-.298.026-.59.076-.873-.513.133-1.017.287-1.512.46.116 1.448.39 2.85.806 4.191a.75.75 0 1 1-1.433.444 20.94 20.94 0 0 1-.908-5.107.75.75 0 0 1 .482-.74 20.838 20.838 0 0 1 5.252-1.257 2.493 2.493 0 0 1-.107-.247 20.874 20.874 0 0 1-5.153-1.249.75.75 0 0 1-.482-.667 21.342 21.342 0 0 1 .08-3.028.75.75 0 1 1 1.493.146 19.745 19.745 0 0 0-.09 2.319c1.302.46 2.668.786 4.08.96.066-.243.166-.471.297-.679a6.962 6.962 0 0 1-1.158-.486A1.348 1.348 0 0 1 6 6a4 4 0 0 1 .166-1.143 7.032 7.032 0 0 1-1.3-1.098.75.75 0 0 1-.173-.707 5.48 5.48 0 0 1 .822-1.736.75.75 0 0 1 1.046-.177Z","clip-rule":"evenodd"})])}function Re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.674 2.075a.75.75 0 0 1 .652 0l7.25 3.5A.75.75 0 0 1 17 6.957V16.5h.25a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1 0-1.5H3V6.957a.75.75 0 0 1-.576-1.382l7.25-3.5ZM11 6a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM7.5 9.75a.75.75 0 0 0-1.5 0v5.5a.75.75 0 0 0 1.5 0v-5.5Zm3.25 0a.75.75 0 0 0-1.5 0v5.5a.75.75 0 0 0 1.5 0v-5.5Zm3.25 0a.75.75 0 0 0-1.5 0v5.5a.75.75 0 0 0 1.5 0v-5.5Z","clip-rule":"evenodd"})])}function He(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 2.75A.75.75 0 0 1 1.75 2h10.5a.75.75 0 0 1 0 1.5H12v13.75a.75.75 0 0 1-.75.75h-1.5a.75.75 0 0 1-.75-.75v-2.5a.75.75 0 0 0-.75-.75h-2.5a.75.75 0 0 0-.75.75v2.5a.75.75 0 0 1-.75.75h-2.5a.75.75 0 0 1 0-1.5H2v-13h-.25A.75.75 0 0 1 1 2.75ZM4 5.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1ZM4.5 9a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1ZM8 5.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1ZM8.5 9a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1ZM14.25 6a.75.75 0 0 0-.75.75V17a1 1 0 0 0 1 1h3.75a.75.75 0 0 0 0-1.5H18v-9h.25a.75.75 0 0 0 0-1.5h-4Zm.5 3.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1Zm.5 3.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1Z","clip-rule":"evenodd"})])}function Pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 16.5v-13h-.25a.75.75 0 0 1 0-1.5h12.5a.75.75 0 0 1 0 1.5H16v13h.25a.75.75 0 0 1 0 1.5h-3.5a.75.75 0 0 1-.75-.75v-2.5a.75.75 0 0 0-.75-.75h-2.5a.75.75 0 0 0-.75.75v2.5a.75.75 0 0 1-.75.75h-3.5a.75.75 0 0 1 0-1.5H4Zm3-11a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1ZM7.5 9a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1ZM11 5.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1Zm.5 3.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1Z","clip-rule":"evenodd"})])}function je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.879 7.121A3 3 0 0 0 7.5 6.66a2.997 2.997 0 0 0 2.5 1.34 2.997 2.997 0 0 0 2.5-1.34 3 3 0 1 0 4.622-3.78l-.293-.293A2 2 0 0 0 15.415 2H4.585a2 2 0 0 0-1.414.586l-.292.292a3 3 0 0 0 0 4.243ZM3 9.032a4.507 4.507 0 0 0 4.5-.29A4.48 4.48 0 0 0 10 9.5a4.48 4.48 0 0 0 2.5-.758 4.507 4.507 0 0 0 4.5.29V16.5h.25a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75v-3.5a.75.75 0 0 0-.75-.75h-2.5a.75.75 0 0 0-.75.75v3.5a.75.75 0 0 1-.75.75h-4.5a.75.75 0 0 1 0-1.5H3V9.032Z"})])}function Fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m6.75.98-.884.883a1.25 1.25 0 1 0 1.768 0L6.75.98ZM13.25.98l-.884.883a1.25 1.25 0 1 0 1.768 0L13.25.98ZM10 .98l.884.883a1.25 1.25 0 1 1-1.768 0L10 .98ZM7.5 5.75a.75.75 0 0 0-1.5 0v.464c-1.179.304-2 1.39-2 2.622v.094c.1-.02.202-.038.306-.052A42.867 42.867 0 0 1 10 8.5c1.93 0 3.83.129 5.694.378.104.014.206.032.306.052v-.094c0-1.232-.821-2.317-2-2.622V5.75a.75.75 0 0 0-1.5 0v.318a45.645 45.645 0 0 0-1.75-.062V5.75a.75.75 0 0 0-1.5 0v.256c-.586.01-1.17.03-1.75.062V5.75ZM4.505 10.365A41.36 41.36 0 0 1 10 10c1.863 0 3.697.124 5.495.365C16.967 10.562 18 11.838 18 13.28v.693a3.72 3.72 0 0 1-1.665-.393 5.222 5.222 0 0 0-4.67 0 3.722 3.722 0 0 1-3.33 0 5.222 5.222 0 0 0-4.67 0A3.72 3.72 0 0 1 2 13.972v-.693c0-1.441 1.033-2.717 2.505-2.914ZM15.665 14.92a5.22 5.22 0 0 0 2.335.552V16.5a1.5 1.5 0 0 1-1.5 1.5h-13A1.5 1.5 0 0 1 2 16.5v-1.028c.8 0 1.6-.184 2.335-.551a3.722 3.722 0 0 1 3.33 0c1.47.735 3.2.735 4.67 0a3.722 3.722 0 0 1 3.33 0Z"})])}function ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 1c-1.716 0-3.408.106-5.07.31C3.806 1.45 3 2.414 3 3.517V16.75A2.25 2.25 0 0 0 5.25 19h9.5A2.25 2.25 0 0 0 17 16.75V3.517c0-1.103-.806-2.068-1.93-2.207A41.403 41.403 0 0 0 10 1ZM5.99 8.75A.75.75 0 0 1 6.74 8h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm.75 1.417a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75v-.01a.75.75 0 0 0-.75-.75h-.01Zm-.75 2.916a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm.75 1.417a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75v-.01a.75.75 0 0 0-.75-.75h-.01Zm1.417-5.75a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm.75 1.417a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75v-.01a.75.75 0 0 0-.75-.75h-.01Zm-.75 2.916a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm.75 1.417a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75v-.01a.75.75 0 0 0-.75-.75h-.01Zm1.42-5.75a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm.75 1.417a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75v-.01a.75.75 0 0 0-.75-.75h-.01Zm-.75 2.916a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm.75 1.417a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75v-.01a.75.75 0 0 0-.75-.75h-.01ZM12.5 8.75a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm.75 1.417a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75v-.01a.75.75 0 0 0-.75-.75h-.01Zm0 2.166a.75.75 0 0 1 .75.75v2.167a.75.75 0 1 1-1.5 0v-2.167a.75.75 0 0 1 .75-.75ZM6.75 4a.75.75 0 0 0-.75.75v.5c0 .414.336.75.75.75h6.5a.75.75 0 0 0 .75-.75v-.5a.75.75 0 0 0-.75-.75h-6.5Z","clip-rule":"evenodd"})])}function qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 9.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V10a.75.75 0 0 0-.75-.75H10ZM6 13.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V14a.75.75 0 0 0-.75-.75H6ZM8 13.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V14a.75.75 0 0 0-.75-.75H8ZM9.25 14a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H10a.75.75 0 0 1-.75-.75V14ZM12 11.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V12a.75.75 0 0 0-.75-.75H12ZM12 13.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V14a.75.75 0 0 0-.75-.75H12ZM13.25 12a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H14a.75.75 0 0 1-.75-.75V12ZM11.25 10.005c0-.417.338-.755.755-.755h2a.755.755 0 1 1 0 1.51h-2a.755.755 0 0 1-.755-.755ZM6.005 11.25a.755.755 0 1 0 0 1.51h4a.755.755 0 1 0 0-1.51h-4Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.75 2a.75.75 0 0 1 .75.75V4h7V2.75a.75.75 0 0 1 1.5 0V4h.25A2.75 2.75 0 0 1 18 6.75v8.5A2.75 2.75 0 0 1 15.25 18H4.75A2.75 2.75 0 0 1 2 15.25v-8.5A2.75 2.75 0 0 1 4.75 4H5V2.75A.75.75 0 0 1 5.75 2Zm-1 5.5c-.69 0-1.25.56-1.25 1.25v6.5c0 .69.56 1.25 1.25 1.25h10.5c.69 0 1.25-.56 1.25-1.25v-6.5c0-.69-.56-1.25-1.25-1.25H4.75Z","clip-rule":"evenodd"})])}function Ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.25 12a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H6a.75.75 0 0 1-.75-.75V12ZM6 13.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V14a.75.75 0 0 0-.75-.75H6ZM7.25 12a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H8a.75.75 0 0 1-.75-.75V12ZM8 13.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V14a.75.75 0 0 0-.75-.75H8ZM9.25 10a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H10a.75.75 0 0 1-.75-.75V10ZM10 11.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V12a.75.75 0 0 0-.75-.75H10ZM9.25 14a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H10a.75.75 0 0 1-.75-.75V14ZM12 9.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V10a.75.75 0 0 0-.75-.75H12ZM11.25 12a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H12a.75.75 0 0 1-.75-.75V12ZM12 13.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V14a.75.75 0 0 0-.75-.75H12ZM13.25 10a.75.75 0 0 1 .75-.75h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H14a.75.75 0 0 1-.75-.75V10ZM14 11.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V12a.75.75 0 0 0-.75-.75H14Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.75 2a.75.75 0 0 1 .75.75V4h7V2.75a.75.75 0 0 1 1.5 0V4h.25A2.75 2.75 0 0 1 18 6.75v8.5A2.75 2.75 0 0 1 15.25 18H4.75A2.75 2.75 0 0 1 2 15.25v-8.5A2.75 2.75 0 0 1 4.75 4H5V2.75A.75.75 0 0 1 5.75 2Zm-1 5.5c-.69 0-1.25.56-1.25 1.25v6.5c0 .69.56 1.25 1.25 1.25h10.5c.69 0 1.25-.56 1.25-1.25v-6.5c0-.69-.56-1.25-1.25-1.25H4.75Z","clip-rule":"evenodd"})])}function $e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.75 2a.75.75 0 0 1 .75.75V4h7V2.75a.75.75 0 0 1 1.5 0V4h.25A2.75 2.75 0 0 1 18 6.75v8.5A2.75 2.75 0 0 1 15.25 18H4.75A2.75 2.75 0 0 1 2 15.25v-8.5A2.75 2.75 0 0 1 4.75 4H5V2.75A.75.75 0 0 1 5.75 2Zm-1 5.5c-.69 0-1.25.56-1.25 1.25v6.5c0 .69.56 1.25 1.25 1.25h10.5c.69 0 1.25-.56 1.25-1.25v-6.5c0-.69-.56-1.25-1.25-1.25H4.75Z","clip-rule":"evenodd"})])}function We(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 8a2 2 0 0 1 2-2h.93a2 2 0 0 0 1.664-.89l.812-1.22A2 2 0 0 1 8.07 3h3.86a2 2 0 0 1 1.664.89l.812 1.22A2 2 0 0 0 16.07 6H17a2 2 0 0 1 2 2v7a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V8Zm13.5 3a4.5 4.5 0 1 1-9 0 4.5 4.5 0 0 1 9 0ZM10 14a3 3 0 1 0 0-6 3 3 0 0 0 0 6Z","clip-rule":"evenodd"})])}function Ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.25 2A2.25 2.25 0 0 0 2 4.25v11.5A2.25 2.25 0 0 0 4.25 18h11.5A2.25 2.25 0 0 0 18 15.75V4.25A2.25 2.25 0 0 0 15.75 2H4.25ZM15 5.75a.75.75 0 0 0-1.5 0v8.5a.75.75 0 0 0 1.5 0v-8.5Zm-8.5 6a.75.75 0 0 0-1.5 0v2.5a.75.75 0 0 0 1.5 0v-2.5ZM8.584 9a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0v-4.5a.75.75 0 0 1 .75-.75Zm3.58-1.25a.75.75 0 0 0-1.5 0v6.5a.75.75 0 0 0 1.5 0v-6.5Z","clip-rule":"evenodd"})])}function Ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M15.5 2A1.5 1.5 0 0 0 14 3.5v13a1.5 1.5 0 0 0 1.5 1.5h1a1.5 1.5 0 0 0 1.5-1.5v-13A1.5 1.5 0 0 0 16.5 2h-1ZM9.5 6A1.5 1.5 0 0 0 8 7.5v9A1.5 1.5 0 0 0 9.5 18h1a1.5 1.5 0 0 0 1.5-1.5v-9A1.5 1.5 0 0 0 10.5 6h-1ZM3.5 10A1.5 1.5 0 0 0 2 11.5v5A1.5 1.5 0 0 0 3.5 18h1A1.5 1.5 0 0 0 6 16.5v-5A1.5 1.5 0 0 0 4.5 10h-1Z"})])}function Ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 9a1 1 0 0 1-1-1V3c0-.552.45-1.007.997-.93a7.004 7.004 0 0 1 5.933 5.933c.078.547-.378.997-.93.997h-5Z"}),(0,r.createElementVNode)("path",{d:"M8.003 4.07C8.55 3.994 9 4.449 9 5v5a1 1 0 0 0 1 1h5c.552 0 1.008.45.93.997A7.001 7.001 0 0 1 2 11a7.002 7.002 0 0 1 6.003-6.93Z"})])}function Xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function Je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.43 2.524A41.29 41.29 0 0 1 10 2c2.236 0 4.43.18 6.57.524 1.437.231 2.43 1.49 2.43 2.902v5.148c0 1.413-.993 2.67-2.43 2.902a41.102 41.102 0 0 1-3.55.414c-.28.02-.521.18-.643.413l-1.712 3.293a.75.75 0 0 1-1.33 0l-1.713-3.293a.783.783 0 0 0-.642-.413 41.108 41.108 0 0 1-3.55-.414C1.993 13.245 1 11.986 1 10.574V5.426c0-1.413.993-2.67 2.43-2.902Z","clip-rule":"evenodd"})])}function Qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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.848.137 1.705.248 2.57.331v3.443a.75.75 0 0 0 1.28.53l3.58-3.579a.78.78 0 0 1 .527-.224 41.202 41.202 0 0 0 5.183-.5c1.437-.232 2.43-1.49 2.43-2.903V5.426c0-1.413-.993-2.67-2.43-2.902A41.289 41.289 0 0 0 10 2Zm0 7a1 1 0 1 0 0-2 1 1 0 0 0 0 2ZM8 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0Zm5 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.505 2.365A41.369 41.369 0 0 1 9 2c1.863 0 3.697.124 5.495.365 1.247.167 2.18 1.108 2.435 2.268a4.45 4.45 0 0 0-.577-.069 43.141 43.141 0 0 0-4.706 0C9.229 4.696 7.5 6.727 7.5 8.998v2.24c0 1.413.67 2.735 1.76 3.562l-2.98 2.98A.75.75 0 0 1 5 17.25v-3.443c-.501-.048-1-.106-1.495-.172C2.033 13.438 1 12.162 1 10.72V5.28c0-1.441 1.033-2.717 2.505-2.914Z"}),(0,r.createElementVNode)("path",{d:"M14 6c-.762 0-1.52.02-2.271.062C10.157 6.148 9 7.472 9 8.998v2.24c0 1.519 1.147 2.839 2.71 2.935.214.013.428.024.642.034.2.009.385.09.518.224l2.35 2.35a.75.75 0 0 0 1.28-.531v-2.07c1.453-.195 2.5-1.463 2.5-2.915V8.998c0-1.526-1.157-2.85-2.729-2.936A41.645 41.645 0 0 0 14 6Z"})])}function tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.43 2.524A41.29 41.29 0 0 1 10 2c2.236 0 4.43.18 6.57.524 1.437.231 2.43 1.49 2.43 2.902v5.148c0 1.413-.993 2.67-2.43 2.902a41.202 41.202 0 0 1-5.183.501.78.78 0 0 0-.528.224l-3.579 3.58A.75.75 0 0 1 6 17.25v-3.443a41.033 41.033 0 0 1-2.57-.33C1.993 13.244 1 11.986 1 10.573V5.426c0-1.413.993-2.67 2.43-2.902Z","clip-rule":"evenodd"})])}function nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 3c-4.31 0-8 3.033-8 7 0 2.024.978 3.825 2.499 5.085a3.478 3.478 0 0 1-.522 1.756.75.75 0 0 0 .584 1.143 5.976 5.976 0 0 0 3.936-1.108c.487.082.99.124 1.503.124 4.31 0 8-3.033 8-7s-3.69-7-8-7Zm0 8a1 1 0 1 0 0-2 1 1 0 0 0 0 2Zm-2-1a1 1 0 1 1-2 0 1 1 0 0 1 2 0Zm5 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 10c0-3.967 3.69-7 8-7 4.31 0 8 3.033 8 7s-3.69 7-8 7a9.165 9.165 0 0 1-1.504-.123 5.976 5.976 0 0 1-3.935 1.107.75.75 0 0 1-.584-1.143 3.478 3.478 0 0 0 .522-1.756C2.979 13.825 2 12.025 2 10Z","clip-rule":"evenodd"})])}function ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.403 12.652a3 3 0 0 0 0-5.304 3 3 0 0 0-3.75-3.751 3 3 0 0 0-5.305 0 3 3 0 0 0-3.751 3.75 3 3 0 0 0 0 5.305 3 3 0 0 0 3.75 3.751 3 3 0 0 0 5.305 0 3 3 0 0 0 3.751-3.75Zm-2.546-4.46a.75.75 0 0 0-1.214-.883l-3.483 4.79-1.88-1.88a.75.75 0 1 0-1.06 1.061l2.5 2.5a.75.75 0 0 0 1.137-.089l4-5.5Z","clip-rule":"evenodd"})])}function it(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm3.857-9.809a.75.75 0 0 0-1.214-.882l-3.483 4.79-1.88-1.88a.75.75 0 1 0-1.06 1.061l2.5 2.5a.75.75 0 0 0 1.137-.089l4-5.5Z","clip-rule":"evenodd"})])}function at(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.704 4.153a.75.75 0 0 1 .143 1.052l-8 10.5a.75.75 0 0 1-1.127.075l-4.5-4.5a.75.75 0 0 1 1.06-1.06l3.894 3.893 7.48-9.817a.75.75 0 0 1 1.05-.143Z","clip-rule":"evenodd"})])}function lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.47 15.28a.75.75 0 0 0 1.06 0l4.25-4.25a.75.75 0 1 0-1.06-1.06L10 13.69 6.28 9.97a.75.75 0 0 0-1.06 1.06l4.25 4.25ZM5.22 6.03l4.25 4.25a.75.75 0 0 0 1.06 0l4.25-4.25a.75.75 0 0 0-1.06-1.06L10 8.69 6.28 4.97a.75.75 0 0 0-1.06 1.06Z","clip-rule":"evenodd"})])}function st(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.72 9.47a.75.75 0 0 0 0 1.06l4.25 4.25a.75.75 0 1 0 1.06-1.06L6.31 10l3.72-3.72a.75.75 0 1 0-1.06-1.06L4.72 9.47Zm9.25-4.25L9.72 9.47a.75.75 0 0 0 0 1.06l4.25 4.25a.75.75 0 1 0 1.06-1.06L11.31 10l3.72-3.72a.75.75 0 0 0-1.06-1.06Z","clip-rule":"evenodd"})])}function ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.28 9.47a.75.75 0 0 1 0 1.06l-4.25 4.25a.75.75 0 1 1-1.06-1.06L13.69 10 9.97 6.28a.75.75 0 0 1 1.06-1.06l4.25 4.25ZM6.03 5.22l4.25 4.25a.75.75 0 0 1 0 1.06l-4.25 4.25a.75.75 0 0 1-1.06-1.06L8.69 10 4.97 6.28a.75.75 0 0 1 1.06-1.06Z","clip-rule":"evenodd"})])}function ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.47 4.72a.75.75 0 0 1 1.06 0l4.25 4.25a.75.75 0 1 1-1.06 1.06L10 6.31l-3.72 3.72a.75.75 0 1 1-1.06-1.06l4.25-4.25Zm-4.25 9.25 4.25-4.25a.75.75 0 0 1 1.06 0l4.25 4.25a.75.75 0 1 1-1.06 1.06L10 11.31l-3.72 3.72a.75.75 0 0 1-1.06-1.06Z","clip-rule":"evenodd"})])}function dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.22 8.22a.75.75 0 0 1 1.06 0L10 11.94l3.72-3.72a.75.75 0 1 1 1.06 1.06l-4.25 4.25a.75.75 0 0 1-1.06 0L5.22 9.28a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.78 5.22a.75.75 0 0 1 0 1.06L8.06 10l3.72 3.72a.75.75 0 1 1-1.06 1.06l-4.25-4.25a.75.75 0 0 1 0-1.06l4.25-4.25a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.22 5.22a.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.06L11.94 10 8.22 6.28a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.53 3.47a.75.75 0 0 0-1.06 0L6.22 6.72a.75.75 0 0 0 1.06 1.06L10 5.06l2.72 2.72a.75.75 0 1 0 1.06-1.06l-3.25-3.25Zm-4.31 9.81 3.25 3.25a.75.75 0 0 0 1.06 0l3.25-3.25a.75.75 0 1 0-1.06-1.06L10 14.94l-2.72-2.72a.75.75 0 0 0-1.06 1.06Z","clip-rule":"evenodd"})])}function mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.47 6.47a.75.75 0 0 1 1.06 0l4.25 4.25a.75.75 0 1 1-1.06 1.06L10 8.06l-3.72 3.72a.75.75 0 0 1-1.06-1.06l4.25-4.25Z","clip-rule":"evenodd"})])}function vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 1c3.866 0 7 1.79 7 4s-3.134 4-7 4-7-1.79-7-4 3.134-4 7-4Zm5.694 8.13c.464-.264.91-.583 1.306-.952V10c0 2.21-3.134 4-7 4s-7-1.79-7-4V8.178c.396.37.842.688 1.306.953C5.838 10.006 7.854 10.5 10 10.5s4.162-.494 5.694-1.37ZM3 13.179V15c0 2.21 3.134 4 7 4s7-1.79 7-4v-1.822c-.396.37-.842.688-1.306.953-1.532.875-3.548 1.369-5.694 1.369s-4.162-.494-5.694-1.37A7.009 7.009 0 0 1 3 13.179Z","clip-rule":"evenodd"})])}function gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 5.25a2.25 2.25 0 0 0-2.012-2.238A2.25 2.25 0 0 0 13.75 1h-1.5a2.25 2.25 0 0 0-2.238 2.012c-.875.092-1.6.686-1.884 1.488H11A2.5 2.5 0 0 1 13.5 7v7h2.25A2.25 2.25 0 0 0 18 11.75v-6.5ZM12.25 2.5a.75.75 0 0 0-.75.75v.25h3v-.25a.75.75 0 0 0-.75-.75h-1.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6a1 1 0 0 0-1 1v10a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V7a1 1 0 0 0-1-1H3Zm6.874 4.166a.75.75 0 1 0-1.248-.832l-2.493 3.739-.853-.853a.75.75 0 0 0-1.06 1.06l1.5 1.5a.75.75 0 0 0 1.154-.114l3-4.5Z","clip-rule":"evenodd"})])}function wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.988 3.012A2.25 2.25 0 0 1 18 5.25v6.5A2.25 2.25 0 0 1 15.75 14H13.5V7A2.5 2.5 0 0 0 11 4.5H8.128a2.252 2.252 0 0 1 1.884-1.488A2.25 2.25 0 0 1 12.25 1h1.5a2.25 2.25 0 0 1 2.238 2.012ZM11.5 3.25a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 .75.75v.25h-3v-.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 7a1 1 0 0 1 1-1h8a1 1 0 0 1 1 1v10a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V7Zm2 3.25a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75Zm0 3.5a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.988 3.012A2.25 2.25 0 0 1 18 5.25v6.5A2.25 2.25 0 0 1 15.75 14H13.5v-3.379a3 3 0 0 0-.879-2.121l-3.12-3.121a3 3 0 0 0-1.402-.791 2.252 2.252 0 0 1 1.913-1.576A2.25 2.25 0 0 1 12.25 1h1.5a2.25 2.25 0 0 1 2.238 2.012ZM11.5 3.25a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 .75.75v.25h-3v-.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M3.5 6A1.5 1.5 0 0 0 2 7.5v9A1.5 1.5 0 0 0 3.5 18h7a1.5 1.5 0 0 0 1.5-1.5v-5.879a1.5 1.5 0 0 0-.44-1.06L8.44 6.439A1.5 1.5 0 0 0 7.378 6H3.5Z"})])}function bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.887 3.182c.396.037.79.08 1.183.128C16.194 3.45 17 4.414 17 5.517V16.75A2.25 2.25 0 0 1 14.75 19h-9.5A2.25 2.25 0 0 1 3 16.75V5.517c0-1.103.806-2.068 1.93-2.207.393-.048.787-.09 1.183-.128A3.001 3.001 0 0 1 9 1h2c1.373 0 2.531.923 2.887 2.182ZM7.5 4A1.5 1.5 0 0 1 9 2.5h2A1.5 1.5 0 0 1 12.5 4v.5h-5V4Z","clip-rule":"evenodd"})])}function xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm.75-13a.75.75 0 0 0-1.5 0v5c0 .414.336.75.75.75h4a.75.75 0 0 0 0-1.5h-3.25V5Z","clip-rule":"evenodd"})])}function kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.5 17a4.5 4.5 0 0 1-1.44-8.765 4.5 4.5 0 0 1 8.302-3.046 3.5 3.5 0 0 1 4.504 4.272A4 4 0 0 1 15 17H5.5Zm5.25-9.25a.75.75 0 0 0-1.5 0v4.59l-1.95-2.1a.75.75 0 1 0-1.1 1.02l3.25 3.5a.75.75 0 0 0 1.1 0l3.25-3.5a.75.75 0 1 0-1.1-1.02l-1.95 2.1V7.75Z","clip-rule":"evenodd"})])}function Et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.5 17a4.5 4.5 0 0 1-1.44-8.765 4.5 4.5 0 0 1 8.302-3.046 3.5 3.5 0 0 1 4.504 4.272A4 4 0 0 1 15 17H5.5Zm3.75-2.75a.75.75 0 0 0 1.5 0V9.66l1.95 2.1a.75.75 0 1 0 1.1-1.02l-3.25-3.5a.75.75 0 0 0-1.1 0l-3.25 3.5a.75.75 0 1 0 1.1 1.02l1.95-2.1v4.59Z","clip-rule":"evenodd"})])}function At(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 12.5A4.5 4.5 0 0 0 5.5 17H15a4 4 0 0 0 1.866-7.539 3.504 3.504 0 0 0-4.504-4.272A4.5 4.5 0 0 0 4.06 8.235 4.502 4.502 0 0 0 1 12.5Z"})])}function Ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.25 2A2.25 2.25 0 0 0 2 4.25v11.5A2.25 2.25 0 0 0 4.25 18h11.5A2.25 2.25 0 0 0 18 15.75V4.25A2.25 2.25 0 0 0 15.75 2H4.25Zm4.03 6.28a.75.75 0 0 0-1.06-1.06L4.97 9.47a.75.75 0 0 0 0 1.06l2.25 2.25a.75.75 0 0 0 1.06-1.06L6.56 10l1.72-1.72Zm4.5-1.06a.75.75 0 1 0-1.06 1.06L13.44 10l-1.72 1.72a.75.75 0 1 0 1.06 1.06l2.25-2.25a.75.75 0 0 0 0-1.06l-2.25-2.25Z","clip-rule":"evenodd"})])}function Bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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.06ZM11.377 2.011a.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"})])}function Mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.84 1.804A1 1 0 0 1 8.82 1h2.36a1 1 0 0 1 .98.804l.331 1.652a6.993 6.993 0 0 1 1.929 1.115l1.598-.54a1 1 0 0 1 1.186.447l1.18 2.044a1 1 0 0 1-.205 1.251l-1.267 1.113a7.047 7.047 0 0 1 0 2.228l1.267 1.113a1 1 0 0 1 .206 1.25l-1.18 2.045a1 1 0 0 1-1.187.447l-1.598-.54a6.993 6.993 0 0 1-1.929 1.115l-.33 1.652a1 1 0 0 1-.98.804H8.82a1 1 0 0 1-.98-.804l-.331-1.652a6.993 6.993 0 0 1-1.929-1.115l-1.598.54a1 1 0 0 1-1.186-.447l-1.18-2.044a1 1 0 0 1 .205-1.251l1.267-1.114a7.05 7.05 0 0 1 0-2.227L1.821 7.773a1 1 0 0 1-.206-1.25l1.18-2.045a1 1 0 0 1 1.187-.447l1.598.54A6.992 6.992 0 0 1 7.51 3.456l.33-1.652ZM10 13a3 3 0 1 0 0-6 3 3 0 0 0 0 6Z","clip-rule":"evenodd"})])}function _t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.34 1.804A1 1 0 0 1 9.32 1h1.36a1 1 0 0 1 .98.804l.295 1.473c.497.144.971.342 1.416.587l1.25-.834a1 1 0 0 1 1.262.125l.962.962a1 1 0 0 1 .125 1.262l-.834 1.25c.245.445.443.919.587 1.416l1.473.294a1 1 0 0 1 .804.98v1.361a1 1 0 0 1-.804.98l-1.473.295a6.95 6.95 0 0 1-.587 1.416l.834 1.25a1 1 0 0 1-.125 1.262l-.962.962a1 1 0 0 1-1.262.125l-1.25-.834a6.953 6.953 0 0 1-1.416.587l-.294 1.473a1 1 0 0 1-.98.804H9.32a1 1 0 0 1-.98-.804l-.295-1.473a6.957 6.957 0 0 1-1.416-.587l-1.25.834a1 1 0 0 1-1.262-.125l-.962-.962a1 1 0 0 1-.125-1.262l.834-1.25a6.957 6.957 0 0 1-.587-1.416l-1.473-.294A1 1 0 0 1 1 10.68V9.32a1 1 0 0 1 .804-.98l1.473-.295c.144-.497.342-.971.587-1.416l-.834-1.25a1 1 0 0 1 .125-1.262l.962-.962A1 1 0 0 1 5.38 3.03l1.25.834a6.957 6.957 0 0 1 1.416-.587l.294-1.473ZM13 10a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z","clip-rule":"evenodd"})])}function St(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.024 9.25c.47 0 .827-.433.637-.863a4 4 0 0 0-4.094-2.364c-.468.05-.665.576-.43.984l1.08 1.868a.75.75 0 0 0 .649.375h2.158ZM7.84 7.758c-.236-.408-.79-.5-1.068-.12A3.982 3.982 0 0 0 6 10c0 .884.287 1.7.772 2.363.278.38.832.287 1.068-.12l1.078-1.868a.75.75 0 0 0 0-.75L7.839 7.758ZM9.138 12.993c-.235.408-.039.934.43.984a4 4 0 0 0 4.094-2.364c.19-.43-.168-.863-.638-.863h-2.158a.75.75 0 0 0-.65.375l-1.078 1.868Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m14.13 4.347.644-1.117a.75.75 0 0 0-1.299-.75l-.644 1.116a6.954 6.954 0 0 0-2.081-.556V1.75a.75.75 0 0 0-1.5 0v1.29a6.954 6.954 0 0 0-2.081.556L6.525 2.48a.75.75 0 1 0-1.3.75l.645 1.117A7.04 7.04 0 0 0 4.347 5.87L3.23 5.225a.75.75 0 1 0-.75 1.3l1.116.644A6.954 6.954 0 0 0 3.04 9.25H1.75a.75.75 0 0 0 0 1.5h1.29c.078.733.27 1.433.556 2.081l-1.116.645a.75.75 0 1 0 .75 1.298l1.117-.644a7.04 7.04 0 0 0 1.523 1.523l-.645 1.117a.75.75 0 1 0 1.3.75l.644-1.116a6.954 6.954 0 0 0 2.081.556v1.29a.75.75 0 0 0 1.5 0v-1.29a6.954 6.954 0 0 0 2.081-.556l.645 1.116a.75.75 0 0 0 1.299-.75l-.645-1.117a7.042 7.042 0 0 0 1.523-1.523l1.117.644a.75.75 0 0 0 .75-1.298l-1.116-.645a6.954 6.954 0 0 0 .556-2.081h1.29a.75.75 0 0 0 0-1.5h-1.29a6.954 6.954 0 0 0-.556-2.081l1.116-.644a.75.75 0 0 0-.75-1.3l-1.117.645a7.04 7.04 0 0 0-1.524-1.523ZM10 4.5a5.475 5.475 0 0 0-2.781.754A5.527 5.527 0 0 0 5.22 7.277 5.475 5.475 0 0 0 4.5 10a5.475 5.475 0 0 0 .752 2.777 5.527 5.527 0 0 0 2.028 2.004c.802.458 1.73.719 2.72.719a5.474 5.474 0 0 0 2.78-.753 5.527 5.527 0 0 0 2.001-2.027c.458-.802.719-1.73.719-2.72a5.475 5.475 0 0 0-.753-2.78 5.528 5.528 0 0 0-2.028-2.002A5.475 5.475 0 0 0 10 4.5Z","clip-rule":"evenodd"})])}function Nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.25 3A2.25 2.25 0 0 0 1 5.25v9.5A2.25 2.25 0 0 0 3.25 17h13.5A2.25 2.25 0 0 0 19 14.75v-9.5A2.25 2.25 0 0 0 16.75 3H3.25Zm.943 8.752a.75.75 0 0 1 .055-1.06L6.128 9l-1.88-1.693a.75.75 0 1 1 1.004-1.114l2.5 2.25a.75.75 0 0 1 0 1.114l-2.5 2.25a.75.75 0 0 1-1.06-.055ZM9.75 10.25a.75.75 0 0 0 0 1.5h2.5a.75.75 0 0 0 0-1.5h-2.5Z","clip-rule":"evenodd"})])}function Vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.25A2.25 2.25 0 0 1 4.25 2h11.5A2.25 2.25 0 0 1 18 4.25v8.5A2.25 2.25 0 0 1 15.75 15h-3.105a3.501 3.501 0 0 0 1.1 1.677A.75.75 0 0 1 13.26 18H6.74a.75.75 0 0 1-.484-1.323A3.501 3.501 0 0 0 7.355 15H4.25A2.25 2.25 0 0 1 2 12.75v-8.5Zm1.5 0a.75.75 0 0 1 .75-.75h11.5a.75.75 0 0 1 .75.75v7.5a.75.75 0 0 1-.75.75H4.25a.75.75 0 0 1-.75-.75v-7.5Z","clip-rule":"evenodd"})])}function Lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M14 6H6v8h8V6Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.25 3V1.75a.75.75 0 0 1 1.5 0V3h1.5V1.75a.75.75 0 0 1 1.5 0V3h.5A2.75 2.75 0 0 1 17 5.75v.5h1.25a.75.75 0 0 1 0 1.5H17v1.5h1.25a.75.75 0 0 1 0 1.5H17v1.5h1.25a.75.75 0 0 1 0 1.5H17v.5A2.75 2.75 0 0 1 14.25 17h-.5v1.25a.75.75 0 0 1-1.5 0V17h-1.5v1.25a.75.75 0 0 1-1.5 0V17h-1.5v1.25a.75.75 0 0 1-1.5 0V17h-.5A2.75 2.75 0 0 1 3 14.25v-.5H1.75a.75.75 0 0 1 0-1.5H3v-1.5H1.75a.75.75 0 0 1 0-1.5H3v-1.5H1.75a.75.75 0 0 1 0-1.5H3v-.5A2.75 2.75 0 0 1 5.75 3h.5V1.75a.75.75 0 0 1 1.5 0V3h1.5ZM4.5 5.75c0-.69.56-1.25 1.25-1.25h8.5c.69 0 1.25.56 1.25 1.25v8.5c0 .69-.56 1.25-1.25 1.25h-8.5c-.69 0-1.25-.56-1.25-1.25v-8.5Z","clip-rule":"evenodd"})])}function Tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 4A1.5 1.5 0 0 0 1 5.5V6h18v-.5A1.5 1.5 0 0 0 17.5 4h-15ZM19 8.5H1v6A1.5 1.5 0 0 0 2.5 16h15a1.5 1.5 0 0 0 1.5-1.5v-6ZM3 13.25a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 0 1.5h-1.5a.75.75 0 0 1-.75-.75Zm4.75-.75a.75.75 0 0 0 0 1.5h3.5a.75.75 0 0 0 0-1.5h-3.5Z","clip-rule":"evenodd"})])}function It(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.638 1.093a.75.75 0 0 1 .724 0l2 1.104a.75.75 0 1 1-.724 1.313L10 2.607l-1.638.903a.75.75 0 1 1-.724-1.313l2-1.104ZM5.403 4.287a.75.75 0 0 1-.295 1.019l-.805.444.805.444a.75.75 0 0 1-.724 1.314L3.5 7.02v.73a.75.75 0 0 1-1.5 0v-2a.75.75 0 0 1 .388-.657l1.996-1.1a.75.75 0 0 1 1.019.294Zm9.194 0a.75.75 0 0 1 1.02-.295l1.995 1.101A.75.75 0 0 1 18 5.75v2a.75.75 0 0 1-1.5 0v-.73l-.884.488a.75.75 0 1 1-.724-1.314l.806-.444-.806-.444a.75.75 0 0 1-.295-1.02ZM7.343 8.284a.75.75 0 0 1 1.02-.294L10 8.893l1.638-.903a.75.75 0 1 1 .724 1.313l-1.612.89v1.557a.75.75 0 0 1-1.5 0v-1.557l-1.612-.89a.75.75 0 0 1-.295-1.019ZM2.75 11.5a.75.75 0 0 1 .75.75v1.557l1.608.887a.75.75 0 0 1-.724 1.314l-1.996-1.101A.75.75 0 0 1 2 14.25v-2a.75.75 0 0 1 .75-.75Zm14.5 0a.75.75 0 0 1 .75.75v2a.75.75 0 0 1-.388.657l-1.996 1.1a.75.75 0 1 1-.724-1.313l1.608-.887V12.25a.75.75 0 0 1 .75-.75Zm-7.25 4a.75.75 0 0 1 .75.75v.73l.888-.49a.75.75 0 0 1 .724 1.313l-2 1.104a.75.75 0 0 1-.724 0l-2-1.104a.75.75 0 1 1 .724-1.313l.888.49v-.73a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function Zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.362 1.093a.75.75 0 0 0-.724 0L2.523 5.018 10 9.143l7.477-4.125-7.115-3.925ZM18 6.443l-7.25 4v8.25l6.862-3.786A.75.75 0 0 0 18 14.25V6.443ZM9.25 18.693v-8.25l-7.25-4v7.807a.75.75 0 0 0 .388.657l6.862 3.786Z"})])}function Ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a8 8 0 1 0 0 16 8 8 0 0 0 0-16ZM5.94 5.5c.944-.945 2.56-.276 2.56 1.06V8h5.75a.75.75 0 0 1 0 1.5H8.5v4.275c0 .296.144.455.26.499a3.5 3.5 0 0 0 4.402-1.77h-.412a.75.75 0 0 1 0-1.5h.537c.462 0 .887.21 1.156.556.278.355.383.852.184 1.337a5.001 5.001 0 0 1-6.4 2.78C7.376 15.353 7 14.512 7 13.774V9.5H5.75a.75.75 0 0 1 0-1.5H7V6.56l-.22.22a.75.75 0 1 1-1.06-1.06l.22-.22Z","clip-rule":"evenodd"})])}function Dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.75 10.818v2.614A3.13 3.13 0 0 0 11.888 13c.482-.315.612-.648.612-.875 0-.227-.13-.56-.612-.875a3.13 3.13 0 0 0-1.138-.432ZM8.33 8.62c.053.055.115.11.184.164.208.16.46.284.736.363V6.603a2.45 2.45 0 0 0-.35.13c-.14.065-.27.143-.386.233-.377.292-.514.627-.514.909 0 .184.058.39.202.592.037.051.08.102.128.152Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0Zm-8-6a.75.75 0 0 1 .75.75v.316a3.78 3.78 0 0 1 1.653.713c.426.33.744.74.925 1.2a.75.75 0 0 1-1.395.55 1.35 1.35 0 0 0-.447-.563 2.187 2.187 0 0 0-.736-.363V9.3c.698.093 1.383.32 1.959.696.787.514 1.29 1.27 1.29 2.13 0 .86-.504 1.616-1.29 2.13-.576.377-1.261.603-1.96.696v.299a.75.75 0 1 1-1.5 0v-.3c-.697-.092-1.382-.318-1.958-.695-.482-.315-.857-.717-1.078-1.188a.75.75 0 1 1 1.359-.636c.08.173.245.376.54.569.313.205.706.353 1.138.432v-2.748a3.782 3.782 0 0 1-1.653-.713C6.9 9.433 6.5 8.681 6.5 7.875c0-.805.4-1.558 1.097-2.096a3.78 3.78 0 0 1 1.653-.713V4.75A.75.75 0 0 1 10 4Z","clip-rule":"evenodd"})])}function Rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM8.798 7.45c.512-.67 1.135-.95 1.702-.95s1.19.28 1.702.95a.75.75 0 0 0 1.192-.91C12.637 5.55 11.596 5 10.5 5s-2.137.55-2.894 1.54A5.205 5.205 0 0 0 6.83 8H5.75a.75.75 0 0 0 0 1.5h.77a6.333 6.333 0 0 0 0 1h-.77a.75.75 0 0 0 0 1.5h1.08c.183.528.442 1.023.776 1.46.757.99 1.798 1.54 2.894 1.54s2.137-.55 2.894-1.54a.75.75 0 0 0-1.192-.91c-.512.67-1.135.95-1.702.95s-1.19-.28-1.702-.95a3.505 3.505 0 0 1-.343-.55h1.795a.75.75 0 0 0 0-1.5H8.026a4.835 4.835 0 0 1 0-1h2.224a.75.75 0 0 0 0-1.5H8.455c.098-.195.212-.38.343-.55Z","clip-rule":"evenodd"})])}function Ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM8.732 6.232a2.5 2.5 0 0 1 3.536 0 .75.75 0 1 0 1.06-1.06A4 4 0 0 0 6.5 8v.165c0 .364.034.728.1 1.085h-.35a.75.75 0 0 0 0 1.5h.737a5.25 5.25 0 0 1-.367 3.072l-.055.123a.75.75 0 0 0 .848 1.037l1.272-.283a3.493 3.493 0 0 1 1.604.021 4.992 4.992 0 0 0 2.422 0l.97-.242a.75.75 0 0 0-.363-1.456l-.971.243a3.491 3.491 0 0 1-1.694 0 4.992 4.992 0 0 0-2.258-.038c.19-.811.227-1.651.111-2.477H9.75a.75.75 0 0 0 0-1.5H8.136A4.397 4.397 0 0 1 8 8.165V8c0-.641.244-1.28.732-1.768Z","clip-rule":"evenodd"})])}function Pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM6 5.75A.75.75 0 0 1 6.75 5h6.5a.75.75 0 0 1 0 1.5h-2.127c.4.5.683 1.096.807 1.75h1.32a.75.75 0 0 1 0 1.5h-1.32a4.003 4.003 0 0 1-3.404 3.216l1.754 1.754a.75.75 0 0 1-1.06 1.06l-3-3a.75.75 0 0 1 .53-1.28H8c1.12 0 2.067-.736 2.386-1.75H6.75a.75.75 0 0 1 0-1.5h3.636A2.501 2.501 0 0 0 8 6.5H6.75A.75.75 0 0 1 6 5.75Z","clip-rule":"evenodd"})])}function jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM7.346 5.294a.75.75 0 0 0-1.192.912L9.056 10H6.75a.75.75 0 0 0 0 1.5h2.5v1h-2.5a.75.75 0 0 0 0 1.5h2.5v1.25a.75.75 0 0 0 1.5 0V14h2.5a.75.75 0 1 0 0-1.5h-2.5v-1h2.5a.75.75 0 1 0 0-1.5h-2.306l2.902-3.794a.75.75 0 1 0-1.192-.912L10 8.765l-2.654-3.47Z","clip-rule":"evenodd"})])}function Ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 1a.75.75 0 0 1 .75.75v1.5a.75.75 0 0 1-1.5 0v-1.5A.75.75 0 0 1 10 1ZM5.05 3.05a.75.75 0 0 1 1.06 0l1.062 1.06A.75.75 0 1 1 6.11 5.173L5.05 4.11a.75.75 0 0 1 0-1.06ZM14.95 3.05a.75.75 0 0 1 0 1.06l-1.06 1.062a.75.75 0 0 1-1.062-1.061l1.061-1.06a.75.75 0 0 1 1.06 0ZM3 8a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 0 1.5h-1.5A.75.75 0 0 1 3 8ZM14 8a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 0 1.5h-1.5A.75.75 0 0 1 14 8ZM7.172 10.828a.75.75 0 0 1 0 1.061L6.11 12.95a.75.75 0 0 1-1.06-1.06l1.06-1.06a.75.75 0 0 1 1.06 0ZM10.766 7.51a.75.75 0 0 0-1.37.365l-.492 6.861a.75.75 0 0 0 1.204.65l1.043-.799.985 3.678a.75.75 0 0 0 1.45-.388l-.978-3.646 1.292.204a.75.75 0 0 0 .74-1.16l-3.874-5.764Z"})])}function zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.111 11.89A5.5 5.5 0 1 1 15.501 8 .75.75 0 0 0 17 8a7 7 0 1 0-11.95 4.95.75.75 0 0 0 1.06-1.06Z"}),(0,r.createElementVNode)("path",{d:"M8.232 6.232a2.5 2.5 0 0 0 0 3.536.75.75 0 1 1-1.06 1.06A4 4 0 1 1 14 8a.75.75 0 0 1-1.5 0 2.5 2.5 0 0 0-4.268-1.768Z"}),(0,r.createElementVNode)("path",{d:"M10.766 7.51a.75.75 0 0 0-1.37.365l-.492 6.861a.75.75 0 0 0 1.204.65l1.043-.799.985 3.678a.75.75 0 0 0 1.45-.388l-.978-3.646 1.292.204a.75.75 0 0 0 .74-1.16l-3.874-5.764Z"})])}function qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 16.25a.75.75 0 0 1 .75-.75h2.5a.75.75 0 0 1 0 1.5h-2.5a.75.75 0 0 1-.75-.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 4a3 3 0 0 1 3-3h6a3 3 0 0 1 3 3v12a3 3 0 0 1-3 3H7a3 3 0 0 1-3-3V4Zm4-1.5v.75c0 .414.336.75.75.75h2.5a.75.75 0 0 0 .75-.75V2.5h1A1.5 1.5 0 0 1 14.5 4v12a1.5 1.5 0 0 1-1.5 1.5H7A1.5 1.5 0 0 1 5.5 16V4A1.5 1.5 0 0 1 7 2.5h1Z","clip-rule":"evenodd"})])}function Ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 1a3 3 0 0 0-3 3v12a3 3 0 0 0 3 3h10a3 3 0 0 0 3-3V4a3 3 0 0 0-3-3H5ZM3.5 4A1.5 1.5 0 0 1 5 2.5h10A1.5 1.5 0 0 1 16.5 4v12a1.5 1.5 0 0 1-1.5 1.5H5A1.5 1.5 0 0 1 3.5 16V4Zm5.25 11.5a.75.75 0 0 0 0 1.5h2.5a.75.75 0 0 0 0-1.5h-2.5Z","clip-rule":"evenodd"})])}function $t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.25 4a1.25 1.25 0 1 1-2.5 0 1.25 1.25 0 0 1 2.5 0ZM3 10a.75.75 0 0 1 .75-.75h12.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 10ZM10 17.25a1.25 1.25 0 1 0 0-2.5 1.25 1.25 0 0 0 0 2.5Z"})])}function Wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm4.75 6.75a.75.75 0 0 1 1.5 0v2.546l.943-1.048a.75.75 0 0 1 1.114 1.004l-2.25 2.5a.75.75 0 0 1-1.114 0l-2.25-2.5a.75.75 0 1 1 1.114-1.004l.943 1.048V8.75Z","clip-rule":"evenodd"})])}function Gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm4.75 11.25a.75.75 0 0 0 1.5 0v-2.546l.943 1.048a.75.75 0 1 0 1.114-1.004l-2.25-2.5a.75.75 0 0 0-1.114 0l-2.25 2.5a.75.75 0 1 0 1.114 1.004l.943-1.048v2.546Z","clip-rule":"evenodd"})])}function Kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3.5A1.5 1.5 0 0 1 4.5 2h6.879a1.5 1.5 0 0 1 1.06.44l4.122 4.12A1.5 1.5 0 0 1 17 7.622V16.5a1.5 1.5 0 0 1-1.5 1.5h-11A1.5 1.5 0 0 1 3 16.5v-13ZM13.25 9a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0v-4.5a.75.75 0 0 1 .75-.75Zm-6.5 4a.75.75 0 0 1 .75.75v.5a.75.75 0 0 1-1.5 0v-.5a.75.75 0 0 1 .75-.75Zm4-1.25a.75.75 0 0 0-1.5 0v2.5a.75.75 0 0 0 1.5 0v-2.5Z","clip-rule":"evenodd"})])}function Yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3.5A1.5 1.5 0 0 1 4.5 2h6.879a1.5 1.5 0 0 1 1.06.44l4.122 4.12A1.5 1.5 0 0 1 17 7.622V16.5a1.5 1.5 0 0 1-1.5 1.5h-11A1.5 1.5 0 0 1 3 16.5v-13Zm10.857 5.691a.75.75 0 0 0-1.214-.882l-3.483 4.79-1.88-1.88a.75.75 0 0 0-1.06 1.061l2.5 2.5a.75.75 0 0 0 1.137-.089l4-5.5Z","clip-rule":"evenodd"})])}function Xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm1.97 4.53a.75.75 0 0 0 .78.178V8h-1.5a.75.75 0 1 0 0 1.5h1.5v3.098c0 .98.571 2.18 1.837 2.356a4.751 4.751 0 0 0 5.066-2.92.75.75 0 0 0-.695-1.031H11.75a.75.75 0 0 0 0 1.5h.343a3.241 3.241 0 0 1-2.798.966c-.25-.035-.545-.322-.545-.87V9.5h5.5a.75.75 0 0 0 0-1.5h-5.5V6.415c0-1.19-1.439-1.786-2.28-.945a.75.75 0 0 0 0 1.06Z","clip-rule":"evenodd"})])}function Jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm6.25 3.75a.75.75 0 0 0-1.5 0v.272c-.418.024-.831.069-1.238.132-.962.15-1.807.882-1.95 1.928-.04.3-.062.607-.062.918 0 1.044.83 1.759 1.708 1.898l1.542.243v2.334a11.214 11.214 0 0 1-2.297-.392.75.75 0 0 0-.405 1.444c.867.243 1.772.397 2.702.451v.272a.75.75 0 0 0 1.5 0v-.272c.419-.024.832-.069 1.239-.132.961-.15 1.807-.882 1.95-1.928.04-.3.061-.607.061-.918 0-1.044-.83-1.759-1.708-1.898L10.75 9.86V7.525c.792.052 1.56.185 2.297.392a.75.75 0 0 0 .406-1.444 12.723 12.723 0 0 0-2.703-.451V5.75ZM8.244 7.636c.33-.052.666-.09 1.006-.111v2.097l-1.308-.206C7.635 9.367 7.5 9.156 7.5 9c0-.243.017-.482.049-.716.042-.309.305-.587.695-.648Zm2.506 5.84v-2.098l1.308.206c.307.049.442.26.442.416 0 .243-.016.482-.048.716-.042.309-.306.587-.695.648-.331.052-.667.09-1.007.111Z","clip-rule":"evenodd"})])}function Qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm4.298 6.45c.512-.67 1.135-.95 1.702-.95s1.19.28 1.702.95a.75.75 0 0 0 1.192-.91C12.637 6.55 11.596 6 10.5 6s-2.137.55-2.894 1.54A5.205 5.205 0 0 0 6.83 9H5.75a.75.75 0 0 0 0 1.5h.77a6.333 6.333 0 0 0 0 1h-.77a.75.75 0 0 0 0 1.5h1.08c.183.528.442 1.023.776 1.46.757.99 1.798 1.54 2.894 1.54s2.137-.55 2.894-1.54a.75.75 0 0 0-1.192-.91c-.512.67-1.135.95-1.702.95s-1.19-.28-1.702-.95a3.505 3.505 0 0 1-.343-.55h1.795a.75.75 0 0 0 0-1.5H8.026a4.835 4.835 0 0 1 0-1h2.224a.75.75 0 0 0 0-1.5H8.455c.098-.195.212-.38.343-.55Z","clip-rule":"evenodd"})])}function en(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm5 7a1.5 1.5 0 0 1 2.56-1.06.75.75 0 1 0 1.062-1.061A3 3 0 0 0 8 9v1.25H6.75a.75.75 0 0 0 0 1.5H8v1a.75.75 0 0 1-.75.75h-.5a.75.75 0 0 0 0 1.5h6.5a.75.75 0 1 0 0-1.5H9.372c.083-.235.128-.487.128-.75v-1h1.25a.75.75 0 0 0 0-1.5H9.5V9Z","clip-rule":"evenodd"})])}function tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5ZM6 5.75A.75.75 0 0 1 6.75 5h6.5a.75.75 0 0 1 0 1.5h-2.127c.4.5.683 1.096.807 1.75h1.32a.75.75 0 0 1 0 1.5h-1.32a4.003 4.003 0 0 1-3.404 3.216l1.754 1.754a.75.75 0 0 1-1.06 1.06l-3-3a.75.75 0 0 1 .53-1.28H8c1.12 0 2.067-.736 2.386-1.75H6.75a.75.75 0 0 1 0-1.5h3.636A2.501 2.501 0 0 0 8 6.5H6.75A.75.75 0 0 1 6 5.75Z","clip-rule":"evenodd"})])}function nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm3.846 4.294a.75.75 0 0 0-1.192.912L9.056 10H6.75a.75.75 0 0 0 0 1.5h2.5v1h-2.5a.75.75 0 0 0 0 1.5h2.5v1.25a.75.75 0 1 0 1.5 0V14h2.5a.75.75 0 1 0 0-1.5h-2.5v-1h2.5a.75.75 0 1 0 0-1.5h-2.306l1.902-2.794a.75.75 0 0 0-1.192-.912L10 8.765l-1.654-2.47Z","clip-rule":"evenodd"})])}function rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7 3.5A1.5 1.5 0 0 1 8.5 2h3.879a1.5 1.5 0 0 1 1.06.44l3.122 3.12A1.5 1.5 0 0 1 17 6.622V12.5a1.5 1.5 0 0 1-1.5 1.5h-1v-3.379a3 3 0 0 0-.879-2.121L10.5 5.379A3 3 0 0 0 8.379 4.5H7v-1Z"}),(0,r.createElementVNode)("path",{d:"M4.5 6A1.5 1.5 0 0 0 3 7.5v9A1.5 1.5 0 0 0 4.5 18h7a1.5 1.5 0 0 0 1.5-1.5v-5.879a1.5 1.5 0 0 0-.44-1.06L9.44 6.439A1.5 1.5 0 0 0 8.378 6H4.5Z"})])}function on(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8 10a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm5 5a3 3 0 1 0 1.524 5.585l1.196 1.195a.75.75 0 1 0 1.06-1.06l-1.195-1.196A3 3 0 0 0 9.5 7Z","clip-rule":"evenodd"})])}function an(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm7.75 9.75a.75.75 0 0 0 0-1.5h-4.5a.75.75 0 0 0 0 1.5h4.5Z","clip-rule":"evenodd"})])}function ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5ZM10 8a.75.75 0 0 1 .75.75v1.5h1.5a.75.75 0 0 1 0 1.5h-1.5v1.5a.75.75 0 0 1-1.5 0v-1.5h-1.5a.75.75 0 0 1 0-1.5h1.5v-1.5A.75.75 0 0 1 10 8Z","clip-rule":"evenodd"})])}function sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A1.5 1.5 0 0 0 3 3.5v13A1.5 1.5 0 0 0 4.5 18h11a1.5 1.5 0 0 0 1.5-1.5V7.621a1.5 1.5 0 0 0-.44-1.06l-4.12-4.122A1.5 1.5 0 0 0 11.378 2H4.5Zm2.25 8.5a.75.75 0 0 0 0 1.5h6.5a.75.75 0 0 0 0-1.5h-6.5Zm0 3a.75.75 0 0 0 0 1.5h6.5a.75.75 0 0 0 0-1.5h-6.5Z","clip-rule":"evenodd"})])}function cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 3.5A1.5 1.5 0 0 1 4.5 2h6.879a1.5 1.5 0 0 1 1.06.44l4.122 4.12A1.5 1.5 0 0 1 17 7.622V16.5a1.5 1.5 0 0 1-1.5 1.5h-11A1.5 1.5 0 0 1 3 16.5v-13Z"})])}function un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 10a8 8 0 1 1 16 0 8 8 0 0 1-16 0Zm8 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2Zm-3-1a1 1 0 1 1-2 0 1 1 0 0 1 2 0Zm7 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 10a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0ZM8.5 10a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0ZM15.5 8.5a1.5 1.5 0 1 0 0 3 1.5 1.5 0 0 0 0-3Z"})])}function hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 3a1.5 1.5 0 1 1 0 3 1.5 1.5 0 0 1 0-3ZM10 8.5a1.5 1.5 0 1 1 0 3 1.5 1.5 0 0 1 0-3ZM11.5 15.5a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0Z"})])}function pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.106 6.447A2 2 0 0 0 1 8.237V16a2 2 0 0 0 2 2h14a2 2 0 0 0 2-2V8.236a2 2 0 0 0-1.106-1.789l-7-3.5a2 2 0 0 0-1.788 0l-7 3.5Zm1.48 4.007a.75.75 0 0 0-.671 1.342l5.855 2.928a2.75 2.75 0 0 0 2.46 0l5.852-2.927a.75.75 0 1 0-.67-1.341l-5.853 2.926a1.25 1.25 0 0 1-1.118 0l-5.856-2.928Z","clip-rule":"evenodd"})])}function fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3 4a2 2 0 0 0-2 2v1.161l8.441 4.221a1.25 1.25 0 0 0 1.118 0L19 7.162V6a2 2 0 0 0-2-2H3Z"}),(0,r.createElementVNode)("path",{d:"m19 8.839-7.77 3.885a2.75 2.75 0 0 1-2.46 0L1 8.839V14a2 2 0 0 0 2 2h14a2 2 0 0 0 2-2V8.839Z"})])}function mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.75 6a.75.75 0 0 0 0 1.5h12.5a.75.75 0 0 0 0-1.5H3.75ZM3.75 13.5a.75.75 0 0 0 0 1.5h12.5a.75.75 0 0 0 0-1.5H3.75Z"})])}function vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0Zm-8-5a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0v-4.5A.75.75 0 0 1 10 5Zm0 10a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.485 2.495c.673-1.167 2.357-1.167 3.03 0l6.28 10.875c.673 1.167-.17 2.625-1.516 2.625H3.72c-1.347 0-2.189-1.458-1.515-2.625L8.485 2.495ZM10 5a.75.75 0 0 1 .75.75v3.5a.75.75 0 0 1-1.5 0v-3.5A.75.75 0 0 1 10 5Zm0 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.1 3.667a3.502 3.502 0 1 1 6.782 1.738 3.487 3.487 0 0 1-.907 1.57 3.495 3.495 0 0 1-1.617.919L16 7.99V10a.75.75 0 0 1-.22.53l-.25.25a.75.75 0 0 1-1.06 0l-.845-.844L7.22 16.34A2.25 2.25 0 0 1 5.629 17H5.12a.75.75 0 0 0-.53.22l-1.56 1.56a.75.75 0 0 1-1.061 0l-.75-.75a.75.75 0 0 1 0-1.06l1.56-1.561a.75.75 0 0 0 .22-.53v-.508c0-.596.237-1.169.659-1.59l6.405-6.406-.844-.845a.75.75 0 0 1 0-1.06l.25-.25A.75.75 0 0 1 10 4h2.01l.09-.333ZM4.72 13.84l6.405-6.405 1.44 1.439-6.406 6.405a.75.75 0 0 1-.53.22H5.12c-.258 0-.511.044-.75.129a2.25 2.25 0 0 0 .129-.75v-.508a.75.75 0 0 1 .22-.53Z","clip-rule":"evenodd"})])}function yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.28 2.22a.75.75 0 0 0-1.06 1.06l14.5 14.5a.75.75 0 1 0 1.06-1.06l-1.745-1.745a10.029 10.029 0 0 0 3.3-4.38 1.651 1.651 0 0 0 0-1.185A10.004 10.004 0 0 0 9.999 3a9.956 9.956 0 0 0-4.744 1.194L3.28 2.22ZM7.752 6.69l1.092 1.092a2.5 2.5 0 0 1 3.374 3.373l1.091 1.092a4 4 0 0 0-5.557-5.557Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"m10.748 13.93 2.523 2.523a9.987 9.987 0 0 1-3.27.547c-4.258 0-7.894-2.66-9.337-6.41a1.651 1.651 0 0 1 0-1.186A10.007 10.007 0 0 1 2.839 6.02L6.07 9.252a4 4 0 0 0 4.678 4.678Z"})])}function bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 12.5a2.5 2.5 0 1 0 0-5 2.5 2.5 0 0 0 0 5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M.664 10.59a1.651 1.651 0 0 1 0-1.186A10.004 10.004 0 0 1 10 3c4.257 0 7.893 2.66 9.336 6.41.147.381.146.804 0 1.186A10.004 10.004 0 0 1 10 17c-4.257 0-7.893-2.66-9.336-6.41ZM14 10a4 4 0 1 1-8 0 4 4 0 0 1 8 0Z","clip-rule":"evenodd"})])}function xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm-3.536-3.475a.75.75 0 0 0 1.061 0 3.5 3.5 0 0 1 4.95 0 .75.75 0 1 0 1.06-1.06 5 5 0 0 0-7.07 0 .75.75 0 0 0 0 1.06ZM9 8.5c0 .828-.448 1.5-1 1.5s-1-.672-1-1.5S7.448 7 8 7s1 .672 1 1.5Zm3 1.5c.552 0 1-.672 1-1.5S12.552 7 12 7s-1 .672-1 1.5.448 1.5 1 1.5Z","clip-rule":"evenodd"})])}function kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm3.536-4.464a.75.75 0 1 0-1.061-1.061 3.5 3.5 0 0 1-4.95 0 .75.75 0 0 0-1.06 1.06 5 5 0 0 0 7.07 0ZM9 8.5c0 .828-.448 1.5-1 1.5s-1-.672-1-1.5S7.448 7 8 7s1 .672 1 1.5Zm3 1.5c.552 0 1-.672 1-1.5S12.552 7 12 7s-1 .672-1 1.5.448 1.5 1 1.5Z","clip-rule":"evenodd"})])}function En(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 4.75C1 3.784 1.784 3 2.75 3h14.5c.966 0 1.75.784 1.75 1.75v10.515a1.75 1.75 0 0 1-1.75 1.75h-1.5c-.078 0-.155-.005-.23-.015H4.48c-.075.01-.152.015-.23.015h-1.5A1.75 1.75 0 0 1 1 15.265V4.75Zm16.5 7.385V11.01a.25.25 0 0 0-.25-.25h-1.5a.25.25 0 0 0-.25.25v1.125c0 .138.112.25.25.25h1.5a.25.25 0 0 0 .25-.25Zm0 2.005a.25.25 0 0 0-.25-.25h-1.5a.25.25 0 0 0-.25.25v1.125c0 .108.069.2.165.235h1.585a.25.25 0 0 0 .25-.25v-1.11Zm-15 1.11v-1.11a.25.25 0 0 1 .25-.25h1.5a.25.25 0 0 1 .25.25v1.125a.25.25 0 0 1-.164.235H2.75a.25.25 0 0 1-.25-.25Zm2-4.24v1.125a.25.25 0 0 1-.25.25h-1.5a.25.25 0 0 1-.25-.25V11.01a.25.25 0 0 1 .25-.25h1.5a.25.25 0 0 1 .25.25Zm13-2.005V7.88a.25.25 0 0 0-.25-.25h-1.5a.25.25 0 0 0-.25.25v1.125c0 .138.112.25.25.25h1.5a.25.25 0 0 0 .25-.25ZM4.25 7.63a.25.25 0 0 1 .25.25v1.125a.25.25 0 0 1-.25.25h-1.5a.25.25 0 0 1-.25-.25V7.88a.25.25 0 0 1 .25-.25h1.5Zm0-3.13a.25.25 0 0 1 .25.25v1.125a.25.25 0 0 1-.25.25h-1.5a.25.25 0 0 1-.25-.25V4.75a.25.25 0 0 1 .25-.25h1.5Zm11.5 1.625a.25.25 0 0 1-.25-.25V4.75a.25.25 0 0 1 .25-.25h1.5a.25.25 0 0 1 .25.25v1.125a.25.25 0 0 1-.25.25h-1.5Zm-9 3.125a.75.75 0 0 0 0 1.5h6.5a.75.75 0 0 0 0-1.5h-6.5Z","clip-rule":"evenodd"})])}function An(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2.5c-1.31 0-2.526.386-3.546 1.051a.75.75 0 0 1-.82-1.256A8 8 0 0 1 18 9a22.47 22.47 0 0 1-1.228 7.351.75.75 0 1 1-1.417-.49A20.97 20.97 0 0 0 16.5 9 6.5 6.5 0 0 0 10 2.5ZM4.333 4.416a.75.75 0 0 1 .218 1.038A6.466 6.466 0 0 0 3.5 9a7.966 7.966 0 0 1-1.293 4.362.75.75 0 0 1-1.257-.819A6.466 6.466 0 0 0 2 9c0-1.61.476-3.11 1.295-4.365a.75.75 0 0 1 1.038-.219ZM10 6.12a3 3 0 0 0-3.001 3.041 11.455 11.455 0 0 1-2.697 7.24.75.75 0 0 1-1.148-.965A9.957 9.957 0 0 0 5.5 9c0-.028.002-.055.004-.082a4.5 4.5 0 0 1 8.996.084V9.15l-.005.297a.75.75 0 1 1-1.5-.034c.003-.11.004-.219.005-.328a3 3 0 0 0-3-2.965Zm0 2.13a.75.75 0 0 1 .75.75c0 3.51-1.187 6.745-3.181 9.323a.75.75 0 1 1-1.186-.918A13.687 13.687 0 0 0 9.25 9a.75.75 0 0 1 .75-.75Zm3.529 3.698a.75.75 0 0 1 .584.885 18.883 18.883 0 0 1-2.257 5.84.75.75 0 1 1-1.29-.764 17.386 17.386 0 0 0 2.078-5.377.75.75 0 0 1 .885-.584Z","clip-rule":"evenodd"})])}function Cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.5 4.938a7 7 0 1 1-9.006 1.737c.202-.257.59-.218.793.039.278.352.594.672.943.954.332.269.786-.049.773-.476a5.977 5.977 0 0 1 .572-2.759 6.026 6.026 0 0 1 2.486-2.665c.247-.14.55-.016.677.238A6.967 6.967 0 0 0 13.5 4.938ZM14 12a4 4 0 0 1-4 4c-1.913 0-3.52-1.398-3.91-3.182-.093-.429.44-.643.814-.413a4.043 4.043 0 0 0 1.601.564c.303.038.531-.24.51-.544a5.975 5.975 0 0 1 1.315-4.192.447.447 0 0 1 .431-.16A4.001 4.001 0 0 1 14 12Z","clip-rule":"evenodd"})])}function Bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.5 2.75a.75.75 0 0 0-1.5 0v14.5a.75.75 0 0 0 1.5 0v-4.392l1.657-.348a6.449 6.449 0 0 1 4.271.572 7.948 7.948 0 0 0 5.965.524l2.078-.64A.75.75 0 0 0 18 12.25v-8.5a.75.75 0 0 0-.904-.734l-2.38.501a7.25 7.25 0 0 1-4.186-.363l-.502-.2a8.75 8.75 0 0 0-5.053-.439l-1.475.31V2.75Z"})])}function Mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75C2 3.784 2.784 3 3.75 3h4.836c.464 0 .909.184 1.237.513l1.414 1.414a.25.25 0 0 0 .177.073h4.836c.966 0 1.75.784 1.75 1.75v8.5A1.75 1.75 0 0 1 16.25 17H3.75A1.75 1.75 0 0 1 2 15.25V4.75Zm8.75 4a.75.75 0 0 0-1.5 0v2.546l-.943-1.048a.75.75 0 1 0-1.114 1.004l2.25 2.5a.75.75 0 0 0 1.114 0l2.25-2.5a.75.75 0 1 0-1.114-1.004l-.943 1.048V8.75Z","clip-rule":"evenodd"})])}function _n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 4.75C2 3.784 2.784 3 3.75 3h4.836c.464 0 .909.184 1.237.513l1.414 1.414a.25.25 0 0 0 .177.073h4.836c.966 0 1.75.784 1.75 1.75v8.5A1.75 1.75 0 0 1 16.25 17H3.75A1.75 1.75 0 0 1 2 15.25V4.75Zm10.25 7a.75.75 0 0 0 0-1.5h-4.5a.75.75 0 0 0 0 1.5h4.5Z","clip-rule":"evenodd"})])}function Sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.75 3A1.75 1.75 0 0 0 3 4.75v2.752l.104-.002h13.792c.035 0 .07 0 .104.002V6.75A1.75 1.75 0 0 0 15.25 5h-3.836a.25.25 0 0 1-.177-.073L9.823 3.513A1.75 1.75 0 0 0 8.586 3H4.75ZM3.104 9a1.75 1.75 0 0 0-1.673 2.265l1.385 4.5A1.75 1.75 0 0 0 4.488 17h11.023a1.75 1.75 0 0 0 1.673-1.235l1.384-4.5A1.75 1.75 0 0 0 16.896 9H3.104Z"})])}function Nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3A1.75 1.75 0 0 0 2 4.75v10.5c0 .966.784 1.75 1.75 1.75h12.5A1.75 1.75 0 0 0 18 15.25v-8.5A1.75 1.75 0 0 0 16.25 5h-4.836a.25.25 0 0 1-.177-.073L9.823 3.513A1.75 1.75 0 0 0 8.586 3H3.75ZM10 8a.75.75 0 0 1 .75.75v1.5h1.5a.75.75 0 0 1 0 1.5h-1.5v1.5a.75.75 0 0 1-1.5 0v-1.5h-1.5a.75.75 0 0 1 0-1.5h1.5v-1.5A.75.75 0 0 1 10 8Z","clip-rule":"evenodd"})])}function Vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.75 3A1.75 1.75 0 0 0 2 4.75v3.26a3.235 3.235 0 0 1 1.75-.51h12.5c.644 0 1.245.188 1.75.51V6.75A1.75 1.75 0 0 0 16.25 5h-4.836a.25.25 0 0 1-.177-.073L9.823 3.513A1.75 1.75 0 0 0 8.586 3H3.75ZM3.75 9A1.75 1.75 0 0 0 2 10.75v4.5c0 .966.784 1.75 1.75 1.75h12.5A1.75 1.75 0 0 0 18 15.25v-4.5A1.75 1.75 0 0 0 16.25 9H3.75Z"})])}function Ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.288 4.818A1.5 1.5 0 0 0 1 6.095v7.81a1.5 1.5 0 0 0 2.288 1.276l6.323-3.905c.155-.096.285-.213.389-.344v2.973a1.5 1.5 0 0 0 2.288 1.276l6.323-3.905a1.5 1.5 0 0 0 0-2.552l-6.323-3.906A1.5 1.5 0 0 0 10 6.095v2.972a1.506 1.506 0 0 0-.389-.343L3.288 4.818Z"})])}function Tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.628 1.601C5.028 1.206 7.49 1 10 1s4.973.206 7.372.601a.75.75 0 0 1 .628.74v2.288a2.25 2.25 0 0 1-.659 1.59l-4.682 4.683a2.25 2.25 0 0 0-.659 1.59v3.037c0 .684-.31 1.33-.844 1.757l-1.937 1.55A.75.75 0 0 1 8 18.25v-5.757a2.25 2.25 0 0 0-.659-1.591L2.659 6.22A2.25 2.25 0 0 1 2 4.629V2.34a.75.75 0 0 1 .628-.74Z","clip-rule":"evenodd"})])}function In(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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.5Zm4.026 2.879C5.356 7.65 5.72 7.5 6 7.5s.643.15.974.629a.75.75 0 0 0 1.234-.854C7.66 6.484 6.873 6 6 6c-.873 0-1.66.484-2.208 1.275C3.25 8.059 3 9.048 3 10c0 .952.25 1.941.792 2.725C4.34 13.516 5.127 14 6 14c.873 0 1.66-.484 2.208-1.275a.75.75 0 0 0 .133-.427V10a.75.75 0 0 0-.75-.75H6.25a.75.75 0 0 0 0 1.5h.591v1.295c-.293.342-.6.455-.841.455-.279 0-.643-.15-.974-.629C4.69 11.386 4.5 10.711 4.5 10c0-.711.19-1.386.526-1.871ZM10.75 6a.75.75 0 0 1 .75.75v6.5a.75.75 0 0 1-1.5 0v-6.5a.75.75 0 0 1 .75-.75Zm3 0h2.5a.75.75 0 0 1 0 1.5H14.5v1.75h.75a.75.75 0 0 1 0 1.5h-.75v2.5a.75.75 0 0 1-1.5 0v-6.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function Zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.25 3H3.5A1.5 1.5 0 0 0 2 4.5v4.75h3.365A2.75 2.75 0 0 1 9.25 5.362V3ZM2 10.75v4.75A1.5 1.5 0 0 0 3.5 17h5.75v-4.876A4.75 4.75 0 0 1 5 14.75a.75.75 0 0 1 0-1.5 3.251 3.251 0 0 0 3.163-2.5H2ZM10.75 17h5.75a1.5 1.5 0 0 0 1.5-1.5v-4.75h-6.163A3.251 3.251 0 0 0 15 13.25a.75.75 0 0 1 0 1.5 4.75 4.75 0 0 1-4.25-2.626V17ZM18 9.25V4.5A1.5 1.5 0 0 0 16.5 3h-5.75v2.362a2.75 2.75 0 0 1 3.885 3.888H18Zm-4.496-2.755a1.25 1.25 0 0 0-1.768 0c-.36.359-.526.999-.559 1.697-.01.228-.006.443.004.626.183.01.398.014.626.003.698-.033 1.338-.2 1.697-.559a1.25 1.25 0 0 0 0-1.767Zm-5.24 0a1.25 1.25 0 0 0-1.768 1.767c.36.36 1 .526 1.697.56.228.01.443.006.626-.004.01-.183.015-.398.004-.626-.033-.698-.2-1.338-.56-1.697Z","clip-rule":"evenodd"})])}function On(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14 6a2.5 2.5 0 0 0-4-3 2.5 2.5 0 0 0-4 3H3.25C2.56 6 2 6.56 2 7.25v.5C2 8.44 2.56 9 3.25 9h6V6h1.5v3h6C17.44 9 18 8.44 18 7.75v-.5C18 6.56 17.44 6 16.75 6H14Zm-1-1.5a1 1 0 0 1-1 1h-1v-1a1 1 0 1 1 2 0Zm-6 0a1 1 0 0 0 1 1h1v-1a1 1 0 0 0-2 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M9.25 10.5H3v4.75A2.75 2.75 0 0 0 5.75 18h3.5v-7.5ZM10.75 18v-7.5H17v4.75A2.75 2.75 0 0 1 14.25 18h-3.5Z"})])}function Dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M16.555 5.412a8.028 8.028 0 0 0-3.503-2.81 14.899 14.899 0 0 1 1.663 4.472 8.547 8.547 0 0 0 1.84-1.662ZM13.326 7.825a13.43 13.43 0 0 0-2.413-5.773 8.087 8.087 0 0 0-1.826 0 13.43 13.43 0 0 0-2.413 5.773A8.473 8.473 0 0 0 10 8.5c1.18 0 2.304-.24 3.326-.675ZM6.514 9.376A9.98 9.98 0 0 0 10 10c1.226 0 2.4-.22 3.486-.624a13.54 13.54 0 0 1-.351 3.759A13.54 13.54 0 0 1 10 13.5c-1.079 0-2.128-.127-3.134-.366a13.538 13.538 0 0 1-.352-3.758ZM5.285 7.074a14.9 14.9 0 0 1 1.663-4.471 8.028 8.028 0 0 0-3.503 2.81c.529.638 1.149 1.199 1.84 1.66ZM17.334 6.798a7.973 7.973 0 0 1 .614 4.115 13.47 13.47 0 0 1-3.178 1.72 15.093 15.093 0 0 0 .174-3.939 10.043 10.043 0 0 0 2.39-1.896ZM2.666 6.798a10.042 10.042 0 0 0 2.39 1.896 15.196 15.196 0 0 0 .174 3.94 13.472 13.472 0 0 1-3.178-1.72 7.973 7.973 0 0 1 .615-4.115ZM10 15c.898 0 1.778-.079 2.633-.23a13.473 13.473 0 0 1-1.72 3.178 8.099 8.099 0 0 1-1.826 0 13.47 13.47 0 0 1-1.72-3.178c.855.151 1.735.23 2.633.23ZM14.357 14.357a14.912 14.912 0 0 1-1.305 3.04 8.027 8.027 0 0 0 4.345-4.345c-.953.542-1.971.981-3.04 1.305ZM6.948 17.397a8.027 8.027 0 0 1-4.345-4.345c.953.542 1.971.981 3.04 1.305a14.912 14.912 0 0 0 1.305 3.04Z"})])}function Rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0Zm-1.5 0a6.5 6.5 0 1 1-11-4.69v.447a3.5 3.5 0 0 0 1.025 2.475L8.293 10 8 10.293a1 1 0 0 0 0 1.414l1.06 1.06a1.5 1.5 0 0 1 .44 1.061v.363a1 1 0 0 0 .553.894l.276.139a1 1 0 0 0 1.342-.448l1.454-2.908a1.5 1.5 0 0 0-.281-1.731l-.772-.772a1 1 0 0 0-1.023-.242l-.384.128a.5.5 0 0 1-.606-.25l-.296-.592a.481.481 0 0 1 .646-.646l.262.131a1 1 0 0 0 .447.106h.188a1 1 0 0 0 .949-1.316l-.068-.204a.5.5 0 0 1 .149-.538l1.44-1.234A6.492 6.492 0 0 1 16.5 10Z","clip-rule":"evenodd"})])}function Hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0Zm-6.5 6.326a6.52 6.52 0 0 1-1.5.174 6.487 6.487 0 0 1-5.011-2.36l.49-.98a.423.423 0 0 1 .614-.164l.294.196a.992.992 0 0 0 1.491-1.139l-.197-.593a.252.252 0 0 1 .126-.304l1.973-.987a.938.938 0 0 0 .361-1.359.375.375 0 0 1 .239-.576l.125-.025A2.421 2.421 0 0 0 12.327 6.6l.05-.149a1 1 0 0 0-.242-1.023l-1.489-1.489a.5.5 0 0 1-.146-.353v-.067a6.5 6.5 0 0 1 5.392 9.23 1.398 1.398 0 0 0-.68-.244l-.566-.566a1.5 1.5 0 0 0-1.06-.439h-.172a1.5 1.5 0 0 0-1.06.44l-.593.592a.501.501 0 0 1-.13.093l-1.578.79a1 1 0 0 0-.553.894v.191a1 1 0 0 0 1 1h.5a.5.5 0 0 1 .5.5v.326Z","clip-rule":"evenodd"})])}function Pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0Zm-1.503.204A6.5 6.5 0 1 1 7.95 3.83L6.927 5.62a1.453 1.453 0 0 0 1.91 2.02l.175-.087a.5.5 0 0 1 .224-.053h.146a.5.5 0 0 1 .447.724l-.028.055a.4.4 0 0 1-.357.221h-.502a2.26 2.26 0 0 0-1.88 1.006l-.044.066a2.099 2.099 0 0 0 1.085 3.156.58.58 0 0 1 .397.547v1.05a1.175 1.175 0 0 0 2.093.734l1.611-2.014c.192-.24.296-.536.296-.842 0-.316.128-.624.353-.85a1.363 1.363 0 0 0 .173-1.716l-.464-.696a.369.369 0 0 1 .527-.499l.343.257c.316.237.738.275 1.091.098a.586.586 0 0 1 .677.11l1.297 1.297Z","clip-rule":"evenodd"})])}function jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function Fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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 4ZM15 9.5c-.729 0-1.445.051-2.146.15a.75.75 0 0 1-.208-1.486 16.887 16.887 0 0 1 3.824-.1c.855.074 1.512.78 1.527 1.637a17.476 17.476 0 0 1-.009.931 1.713 1.713 0 0 1-1.18 1.556l-2.453.818a1.25 1.25 0 0 0-.855 1.185v.309h3.75a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75v-1.059a2.75 2.75 0 0 1 1.88-2.608l2.454-.818c.102-.034.153-.117.155-.188a15.556 15.556 0 0 0 .009-.85.171.171 0 0 0-.158-.169A15.458 15.458 0 0 0 15 9.5Z","clip-rule":"evenodd"})])}function zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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 4ZM15 9.5c-.73 0-1.448.051-2.15.15a.75.75 0 1 1-.209-1.485 16.886 16.886 0 0 1 3.476-.128c.985.065 1.878.837 1.883 1.932V10a6.75 6.75 0 0 1-.301 2A6.75 6.75 0 0 1 18 14v.031c-.005 1.095-.898 1.867-1.883 1.932a17.018 17.018 0 0 1-3.467-.127.75.75 0 0 1 .209-1.485 15.377 15.377 0 0 0 3.16.115c.308-.02.48-.24.48-.441L16.5 14c0-.431-.052-.85-.15-1.25h-2.6a.75.75 0 0 1 0-1.5h2.6c.098-.4.15-.818.15-1.25v-.024c-.001-.201-.173-.422-.481-.443A15.485 15.485 0 0 0 15 9.5Z","clip-rule":"evenodd"})])}function qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11 2a1 1 0 1 0-2 0v6.5a.5.5 0 0 1-1 0V3a1 1 0 1 0-2 0v5.5a.5.5 0 0 1-1 0V5a1 1 0 1 0-2 0v7a7 7 0 1 0 14 0V8a1 1 0 1 0-2 0v3.5a.5.5 0 0 1-1 0V3a1 1 0 1 0-2 0v5.5a.5.5 0 0 1-1 0V2Z","clip-rule":"evenodd"})])}function Un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M18.905 12.75a1.25 1.25 0 1 1-2.5 0v-7.5a1.25 1.25 0 0 1 2.5 0v7.5ZM8.905 17v1.3c0 .268-.14.526-.395.607A2 2 0 0 1 5.905 17c0-.995.182-1.948.514-2.826.204-.54-.166-1.174-.744-1.174h-2.52c-1.243 0-2.261-1.01-2.146-2.247.193-2.08.651-4.082 1.341-5.974C2.752 3.678 3.833 3 5.005 3h3.192a3 3 0 0 1 1.341.317l2.734 1.366A3 3 0 0 0 13.613 5h1.292v7h-.963c-.685 0-1.258.482-1.612 1.068a4.01 4.01 0 0 1-2.166 1.73c-.432.143-.853.386-1.011.814-.16.432-.248.9-.248 1.388Z"})])}function $n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 8.25a1.25 1.25 0 1 1 2.5 0v7.5a1.25 1.25 0 1 1-2.5 0v-7.5ZM11 3V1.7c0-.268.14-.526.395-.607A2 2 0 0 1 14 3c0 .995-.182 1.948-.514 2.826-.204.54.166 1.174.744 1.174h2.52c1.243 0 2.261 1.01 2.146 2.247a23.864 23.864 0 0 1-1.341 5.974C17.153 16.323 16.072 17 14.9 17h-3.192a3 3 0 0 1-1.341-.317l-2.734-1.366A3 3 0 0 0 6.292 15H5V8h.963c.685 0 1.258-.483 1.612-1.068a4.011 4.011 0 0 1 2.166-1.73c.432-.143.853-.386 1.011-.814.16-.432.248-.9.248-1.388Z"})])}function Wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.493 2.852a.75.75 0 0 0-1.486-.204L7.545 6H4.198a.75.75 0 0 0 0 1.5h3.14l-.69 5H3.302a.75.75 0 0 0 0 1.5h3.14l-.435 3.148a.75.75 0 0 0 1.486.204L7.955 14h2.986l-.434 3.148a.75.75 0 0 0 1.486.204L12.456 14h3.346a.75.75 0 0 0 0-1.5h-3.14l.69-5h3.346a.75.75 0 0 0 0-1.5h-3.14l.435-3.148a.75.75 0 0 0-1.486-.204L12.045 6H9.059l.434-3.148ZM8.852 7.5l-.69 5h2.986l.69-5H8.852Z","clip-rule":"evenodd"})])}function Gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m9.653 16.915-.005-.003-.019-.01a20.759 20.759 0 0 1-1.162-.682 22.045 22.045 0 0 1-2.582-1.9C4.045 12.733 2 10.352 2 7.5a4.5 4.5 0 0 1 8-2.828A4.5 4.5 0 0 1 18 7.5c0 2.852-2.044 5.233-3.885 6.82a22.049 22.049 0 0 1-3.744 2.582l-.019.01-.005.003h-.002a.739.739 0 0 1-.69.001l-.002-.001Z"})])}function Kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M14.916 2.404a.75.75 0 0 1-.32 1.011l-.596.31V17a1 1 0 0 1-1 1h-2.26a.75.75 0 0 1-.75-.75v-3.5a.75.75 0 0 0-.75-.75H6.75a.75.75 0 0 0-.75.75v3.5a.75.75 0 0 1-.75.75h-3.5a.75.75 0 0 1 0-1.5H2V9.957a.75.75 0 0 1-.596-1.372L2 8.275V5.75a.75.75 0 0 1 1.5 0v1.745l10.404-5.41a.75.75 0 0 1 1.012.319ZM15.861 8.57a.75.75 0 0 1 .736-.025l1.999 1.04A.75.75 0 0 1 18 10.957V16.5h.25a.75.75 0 0 1 0 1.5h-2a.75.75 0 0 1-.75-.75V9.21a.75.75 0 0 1 .361-.64Z"})])}function Yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.293 2.293a1 1 0 0 1 1.414 0l7 7A1 1 0 0 1 17 11h-1v6a1 1 0 0 1-1 1h-2a1 1 0 0 1-1-1v-3a1 1 0 0 0-1-1H9a1 1 0 0 0-1 1v3a1 1 0 0 1-1 1H5a1 1 0 0 1-1-1v-6H3a1 1 0 0 1-.707-1.707l7-7Z","clip-rule":"evenodd"})])}function Xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 6a3 3 0 0 1 3-3h12a3 3 0 0 1 3 3v8a3 3 0 0 1-3 3H4a3 3 0 0 1-3-3V6Zm4 1.5a2 2 0 1 1 4 0 2 2 0 0 1-4 0Zm2 3a4 4 0 0 0-3.665 2.395.75.75 0 0 0 .416 1A8.98 8.98 0 0 0 7 14.5a8.98 8.98 0 0 0 3.249-.604.75.75 0 0 0 .416-1.001A4.001 4.001 0 0 0 7 10.5Zm5-3.75a.75.75 0 0 1 .75-.75h2.5a.75.75 0 0 1 0 1.5h-2.5a.75.75 0 0 1-.75-.75Zm0 6.5a.75.75 0 0 1 .75-.75h2.5a.75.75 0 0 1 0 1.5h-2.5a.75.75 0 0 1-.75-.75Zm.75-4a.75.75 0 0 0 0 1.5h2.5a.75.75 0 0 0 0-1.5h-2.5Z","clip-rule":"evenodd"})])}function Jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 2a.75.75 0 0 1 .75.75v5.59l1.95-2.1a.75.75 0 1 1 1.1 1.02l-3.25 3.5a.75.75 0 0 1-1.1 0L6.2 7.26a.75.75 0 1 1 1.1-1.02l1.95 2.1V2.75A.75.75 0 0 1 10 2Z"}),(0,r.createElementVNode)("path",{d:"M5.273 4.5a1.25 1.25 0 0 0-1.205.918l-1.523 5.52c-.006.02-.01.041-.015.062H6a1 1 0 0 1 .894.553l.448.894a1 1 0 0 0 .894.553h3.438a1 1 0 0 0 .86-.49l.606-1.02A1 1 0 0 1 14 11h3.47a1.318 1.318 0 0 0-.015-.062l-1.523-5.52a1.25 1.25 0 0 0-1.205-.918h-.977a.75.75 0 0 1 0-1.5h.977a2.75 2.75 0 0 1 2.651 2.019l1.523 5.52c.066.239.099.485.099.732V15a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-3.73c0-.246.033-.492.099-.73l1.523-5.521A2.75 2.75 0 0 1 5.273 3h.977a.75.75 0 0 1 0 1.5h-.977Z"})])}function Qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.045 6.954a2.75 2.75 0 0 1 .217-.678L2.53 3.58A2.75 2.75 0 0 1 5.019 2h9.962a2.75 2.75 0 0 1 2.488 1.58l1.27 2.696c.101.216.174.444.216.678A1 1 0 0 1 19 7.25v1.5a2.75 2.75 0 0 1-2.75 2.75H3.75A2.75 2.75 0 0 1 1 8.75v-1.5a1 1 0 0 1 .045-.296Zm2.843-2.736A1.25 1.25 0 0 1 5.02 3.5h9.962c.484 0 .925.28 1.13.718l.957 2.032H14a1 1 0 0 0-.86.49l-.606 1.02a1 1 0 0 1-.86.49H8.236a1 1 0 0 1-.894-.553l-.448-.894A1 1 0 0 0 6 6.25H2.932l.956-2.032Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M1 14a1 1 0 0 1 1-1h4a1 1 0 0 1 .894.553l.448.894a1 1 0 0 0 .894.553h3.438a1 1 0 0 0 .86-.49l.606-1.02A1 1 0 0 1 14 13h4a1 1 0 0 1 1 1v2a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-2Z"})])}function er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 11.27c0-.246.033-.492.099-.73l1.523-5.521A2.75 2.75 0 0 1 5.273 3h9.454a2.75 2.75 0 0 1 2.651 2.019l1.523 5.52c.066.239.099.485.099.732V15a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-3.73Zm3.068-5.852A1.25 1.25 0 0 1 5.273 4.5h9.454a1.25 1.25 0 0 1 1.205.918l1.523 5.52c.006.02.01.041.015.062H14a1 1 0 0 0-.86.49l-.606 1.02a1 1 0 0 1-.86.49H8.236a1 1 0 0 1-.894-.553l-.448-.894A1 1 0 0 0 6 11H2.53l.015-.062 1.523-5.52Z","clip-rule":"evenodd"})])}function tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0Zm-7-4a1 1 0 1 1-2 0 1 1 0 0 1 2 0ZM9 9a.75.75 0 0 0 0 1.5h.253a.25.25 0 0 1 .244.304l-.459 2.066A1.75 1.75 0 0 0 10.747 15H11a.75.75 0 0 0 0-1.5h-.253a.25.25 0 0 1-.244-.304l.459-2.066A1.75 1.75 0 0 0 9.253 9H9Z","clip-rule":"evenodd"})])}function nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 7a5 5 0 1 1 3.61 4.804l-1.903 1.903A1 1 0 0 1 9 14H8v1a1 1 0 0 1-1 1H6v1a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1v-2a1 1 0 0 1 .293-.707L8.196 8.39A5.002 5.002 0 0 1 8 7Zm5-3a.75.75 0 0 0 0 1.5A1.5 1.5 0 0 1 14.5 7 .75.75 0 0 0 16 7a3 3 0 0 0-3-3Z","clip-rule":"evenodd"})])}function or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.75 2.75a.75.75 0 0 0-1.5 0v1.258a32.987 32.987 0 0 0-3.599.278.75.75 0 1 0 .198 1.487A31.545 31.545 0 0 1 8.7 5.545 19.381 19.381 0 0 1 7 9.56a19.418 19.418 0 0 1-1.002-2.05.75.75 0 0 0-1.384.577 20.935 20.935 0 0 0 1.492 2.91 19.613 19.613 0 0 1-3.828 4.154.75.75 0 1 0 .945 1.164A21.116 21.116 0 0 0 7 12.331c.095.132.192.262.29.391a.75.75 0 0 0 1.194-.91c-.204-.266-.4-.538-.59-.815a20.888 20.888 0 0 0 2.333-5.332c.31.031.618.068.924.108a.75.75 0 0 0 .198-1.487 32.832 32.832 0 0 0-3.599-.278V2.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13 8a.75.75 0 0 1 .671.415l4.25 8.5a.75.75 0 1 1-1.342.67L15.787 16h-5.573l-.793 1.585a.75.75 0 1 1-1.342-.67l4.25-8.5A.75.75 0 0 1 13 8Zm2.037 6.5L13 10.427 10.964 14.5h4.073Z","clip-rule":"evenodd"})])}function ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m7.171 4.146 1.947 2.466a3.514 3.514 0 0 1 1.764 0l1.947-2.466a6.52 6.52 0 0 0-5.658 0Zm8.683 3.025-2.466 1.947c.15.578.15 1.186 0 1.764l2.466 1.947a6.52 6.52 0 0 0 0-5.658Zm-3.025 8.683-1.947-2.466c-.578.15-1.186.15-1.764 0l-1.947 2.466a6.52 6.52 0 0 0 5.658 0ZM4.146 12.83l2.466-1.947a3.514 3.514 0 0 1 0-1.764L4.146 7.171a6.52 6.52 0 0 0 0 5.658ZM5.63 3.297a8.01 8.01 0 0 1 8.738 0 8.031 8.031 0 0 1 2.334 2.334 8.01 8.01 0 0 1 0 8.738 8.033 8.033 0 0 1-2.334 2.334 8.01 8.01 0 0 1-8.738 0 8.032 8.032 0 0 1-2.334-2.334 8.01 8.01 0 0 1 0-8.738A8.03 8.03 0 0 1 5.63 3.297Zm5.198 4.882a2.008 2.008 0 0 0-2.243.407 1.994 1.994 0 0 0-.407 2.243 1.993 1.993 0 0 0 .992.992 2.008 2.008 0 0 0 2.243-.407c.176-.175.31-.374.407-.585a2.008 2.008 0 0 0-.407-2.243 1.993 1.993 0 0 0-.585-.407Z","clip-rule":"evenodd"})])}function ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 1a6 6 0 0 0-3.815 10.631C7.237 12.5 8 13.443 8 14.456v.644a.75.75 0 0 0 .572.729 6.016 6.016 0 0 0 2.856 0A.75.75 0 0 0 12 15.1v-.644c0-1.013.762-1.957 1.815-2.825A6 6 0 0 0 10 1ZM8.863 17.414a.75.75 0 0 0-.226 1.483 9.066 9.066 0 0 0 2.726 0 .75.75 0 0 0-.226-1.483 7.553 7.553 0 0 1-2.274 0Z"})])}function lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.22 2.22a.75.75 0 0 1 1.06 0l4.46 4.46c.128-.178.272-.349.432-.508l3-3a4 4 0 0 1 5.657 5.656l-1.225 1.225a.75.75 0 1 1-1.06-1.06l1.224-1.225a2.5 2.5 0 0 0-3.536-3.536l-3 3a2.504 2.504 0 0 0-.406.533l2.59 2.59a2.49 2.49 0 0 0-.79-1.254.75.75 0 1 1 .977-1.138 3.997 3.997 0 0 1 1.306 3.886l4.871 4.87a.75.75 0 1 1-1.06 1.061l-5.177-5.177-.006-.005-4.134-4.134a.65.65 0 0 1-.005-.006L2.22 3.28a.75.75 0 0 1 0-1.06Zm3.237 7.727a.75.75 0 0 1 0 1.06l-1.225 1.225a2.5 2.5 0 0 0 3.536 3.536l1.879-1.879a.75.75 0 1 1 1.06 1.06L8.83 16.83a4 4 0 0 1-5.657-5.657l1.224-1.225a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{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"}),(0,r.createElementVNode)("path",{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"})])}function cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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-.01ZM1.99 15.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-1v-.01ZM1.99 10a1 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"})])}function ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 1a4.5 4.5 0 0 0-4.5 4.5V9H5a2 2 0 0 0-2 2v6a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2v-6a2 2 0 0 0-2-2h-.5V5.5A4.5 4.5 0 0 0 10 1Zm3 8V5.5a3 3 0 1 0-6 0V9h6Z","clip-rule":"evenodd"})])}function dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.5 1A4.5 4.5 0 0 0 10 5.5V9H3a2 2 0 0 0-2 2v6a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2v-6a2 2 0 0 0-2-2h-1.5V5.5a3 3 0 1 1 6 0v2.75a.75.75 0 0 0 1.5 0V5.5A4.5 4.5 0 0 0 14.5 1Z","clip-rule":"evenodd"})])}function hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.5 9a2.5 2.5 0 1 1 5 0 2.5 2.5 0 0 1-5 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM9 5a4 4 0 1 0 2.248 7.309l1.472 1.471a.75.75 0 1 0 1.06-1.06l-1.471-1.472A4 4 0 0 0 9 5Z","clip-rule":"evenodd"})])}function pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.75 8.25a.75.75 0 0 0 0 1.5h4.5a.75.75 0 0 0 0-1.5h-4.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9 2a7 7 0 1 0 4.391 12.452l3.329 3.328a.75.75 0 1 0 1.06-1.06l-3.328-3.329A7 7 0 0 0 9 2ZM3.5 9a5.5 5.5 0 1 1 11 0 5.5 5.5 0 0 1-11 0Z","clip-rule":"evenodd"})])}function fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9 6a.75.75 0 0 1 .75.75v1.5h1.5a.75.75 0 0 1 0 1.5h-1.5v1.5a.75.75 0 0 1-1.5 0v-1.5h-1.5a.75.75 0 0 1 0-1.5h1.5v-1.5A.75.75 0 0 1 9 6Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 9a7 7 0 1 1 12.452 4.391l3.328 3.329a.75.75 0 1 1-1.06 1.06l-3.329-3.328A7 7 0 0 1 2 9Zm7-5.5a5.5 5.5 0 1 0 0 11 5.5 5.5 0 0 0 0-11Z","clip-rule":"evenodd"})])}function mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9 3.5a5.5 5.5 0 1 0 0 11 5.5 5.5 0 0 0 0-11ZM2 9a7 7 0 1 1 12.452 4.391l3.328 3.329a.75.75 0 1 1-1.06 1.06l-3.329-3.328A7 7 0 0 1 2 9Z","clip-rule":"evenodd"})])}function vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m9.69 18.933.003.001C9.89 19.02 10 19 10 19s.11.02.308-.066l.002-.001.006-.003.018-.008a5.741 5.741 0 0 0 .281-.14c.186-.096.446-.24.757-.433.62-.384 1.445-.966 2.274-1.765C15.302 14.988 17 12.493 17 9A7 7 0 1 0 3 9c0 3.492 1.698 5.988 3.355 7.584a13.731 13.731 0 0 0 2.273 1.765 11.842 11.842 0 0 0 .976.544l.062.029.018.008.006.003ZM10 11.25a2.25 2.25 0 1 0 0-4.5 2.25 2.25 0 0 0 0 4.5Z","clip-rule":"evenodd"})])}function gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.157 2.176a1.5 1.5 0 0 0-1.147 0l-4.084 1.69A1.5 1.5 0 0 0 2 5.25v10.877a1.5 1.5 0 0 0 2.074 1.386l3.51-1.452 4.26 1.762a1.5 1.5 0 0 0 1.146 0l4.083-1.69A1.5 1.5 0 0 0 18 14.75V3.872a1.5 1.5 0 0 0-2.073-1.386l-3.51 1.452-4.26-1.762ZM7.58 5a.75.75 0 0 1 .75.75v6.5a.75.75 0 0 1-1.5 0v-6.5A.75.75 0 0 1 7.58 5Zm5.59 2.75a.75.75 0 0 0-1.5 0v6.5a.75.75 0 0 0 1.5 0v-6.5Z","clip-rule":"evenodd"})])}function wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.92 3.845a19.362 19.362 0 0 1-6.3 1.98C6.765 5.942 5.89 6 5 6a4 4 0 0 0-.504 7.969 15.97 15.97 0 0 0 1.271 3.34c.397.771 1.342 1 2.05.59l.867-.5c.726-.419.94-1.32.588-2.02-.166-.331-.315-.666-.448-1.004 1.8.357 3.511.963 5.096 1.78A17.964 17.964 0 0 0 15 10c0-2.162-.381-4.235-1.08-6.155ZM15.243 3.097A19.456 19.456 0 0 1 16.5 10c0 2.43-.445 4.758-1.257 6.904l-.03.077a.75.75 0 0 0 1.401.537 20.903 20.903 0 0 0 1.312-5.745 2 2 0 0 0 0-3.546 20.902 20.902 0 0 0-1.312-5.745.75.75 0 0 0-1.4.537l.029.078Z"})])}function yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7 4a3 3 0 0 1 6 0v6a3 3 0 1 1-6 0V4Z"}),(0,r.createElementVNode)("path",{d:"M5.5 9.643a.75.75 0 0 0-1.5 0V10c0 3.06 2.29 5.585 5.25 5.954V17.5h-1.5a.75.75 0 0 0 0 1.5h4.5a.75.75 0 0 0 0-1.5h-1.5v-1.546A6.001 6.001 0 0 0 16 10v-.357a.75.75 0 0 0-1.5 0V10a4.5 4.5 0 0 1-9 0v-.357Z"})])}function br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM6.75 9.25a.75.75 0 0 0 0 1.5h6.5a.75.75 0 0 0 0-1.5h-6.5Z","clip-rule":"evenodd"})])}function xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.75 9.25a.75.75 0 0 0 0 1.5h6.5a.75.75 0 0 0 0-1.5h-6.5Z"})])}function kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 10a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H4.75A.75.75 0 0 1 4 10Z","clip-rule":"evenodd"})])}function Er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.455 2.004a.75.75 0 0 1 .26.77 7 7 0 0 0 9.958 7.967.75.75 0 0 1 1.067.853A8.5 8.5 0 1 1 6.647 1.921a.75.75 0 0 1 .808.083Z","clip-rule":"evenodd"})])}function Ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.721 1.599a.75.75 0 0 1 .279.583v11.29a2.25 2.25 0 0 1-1.774 2.2l-2.041.44a2.216 2.216 0 0 1-.938-4.332l2.662-.577a.75.75 0 0 0 .591-.733V6.112l-8 1.73v7.684a2.25 2.25 0 0 1-1.774 2.2l-2.042.44a2.216 2.216 0 1 1-.935-4.331l2.659-.573A.75.75 0 0 0 7 12.529V4.236a.75.75 0 0 1 .591-.733l9.5-2.054a.75.75 0 0 1 .63.15Z","clip-rule":"evenodd"})])}function Cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.5A1.5 1.5 0 0 1 3.5 2h9A1.5 1.5 0 0 1 14 3.5v11.75A2.75 2.75 0 0 0 16.75 18h-12A2.75 2.75 0 0 1 2 15.25V3.5Zm3.75 7a.75.75 0 0 0 0 1.5h4.5a.75.75 0 0 0 0-1.5h-4.5Zm0 3a.75.75 0 0 0 0 1.5h4.5a.75.75 0 0 0 0-1.5h-4.5ZM5 5.75A.75.75 0 0 1 5.75 5h4.5a.75.75 0 0 1 .75.75v2.5a.75.75 0 0 1-.75.75h-4.5A.75.75 0 0 1 5 8.25v-2.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M16.5 6.5h-1v8.75a1.25 1.25 0 1 0 2.5 0V8a1.5 1.5 0 0 0-1.5-1.5Z"})])}function Br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m5.965 4.904 9.131 9.131a6.5 6.5 0 0 0-9.131-9.131Zm8.07 10.192L4.904 5.965a6.5 6.5 0 0 0 9.131 9.131ZM4.343 4.343a8 8 0 1 1 11.314 11.314A8 8 0 0 1 4.343 4.343Z","clip-rule":"evenodd"})])}function Mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{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.25H3ZM2.97 8.654a3.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.5ZM7.75 9.25a.75.75 0 0 0 0 1.5h9.5a.75.75 0 0 0 0-1.5h-9.5ZM7.75 15.5a.75.75 0 0 0 0 1.5h9.5a.75.75 0 0 0 0-1.5h-9.5ZM2.625 13.875a.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"})])}function _r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M15.993 1.385a1.87 1.87 0 0 1 2.623 2.622l-4.03 5.27a12.749 12.749 0 0 1-4.237 3.562 4.508 4.508 0 0 0-3.188-3.188 12.75 12.75 0 0 1 3.562-4.236l5.27-4.03ZM6 11a3 3 0 0 0-3 3 .5.5 0 0 1-.72.45.75.75 0 0 0-1.035.931A4.001 4.001 0 0 0 9 14.004V14a3.01 3.01 0 0 0-1.66-2.685A2.99 2.99 0 0 0 6 11Z"})])}function Sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.105 2.288a.75.75 0 0 0-.826.95l1.414 4.926A1.5 1.5 0 0 0 5.135 9.25h6.115a.75.75 0 0 1 0 1.5H5.135a1.5 1.5 0 0 0-1.442 1.086l-1.414 4.926a.75.75 0 0 0 .826.95 28.897 28.897 0 0 0 15.293-7.155.75.75 0 0 0 0-1.114A28.897 28.897 0 0 0 3.105 2.288Z"})])}function Nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.621 4.379a3 3 0 0 0-4.242 0l-7 7a3 3 0 0 0 4.241 4.243h.001l.497-.5a.75.75 0 0 1 1.064 1.057l-.498.501-.002.002a4.5 4.5 0 0 1-6.364-6.364l7-7a4.5 4.5 0 0 1 6.368 6.36l-3.455 3.553A2.625 2.625 0 1 1 9.52 9.52l3.45-3.451a.75.75 0 1 1 1.061 1.06l-3.45 3.451a1.125 1.125 0 0 0 1.587 1.595l3.454-3.553a3 3 0 0 0 0-4.242Z","clip-rule":"evenodd"})])}function Vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 10a8 8 0 1 1 16 0 8 8 0 0 1-16 0Zm5-2.25A.75.75 0 0 1 7.75 7h.5a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-.75.75h-.5a.75.75 0 0 1-.75-.75v-4.5Zm4 0a.75.75 0 0 1 .75-.75h.5a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-.75.75h-.5a.75.75 0 0 1-.75-.75v-4.5Z","clip-rule":"evenodd"})])}function Lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.75 3a.75.75 0 0 0-.75.75v12.5c0 .414.336.75.75.75h1.5a.75.75 0 0 0 .75-.75V3.75A.75.75 0 0 0 7.25 3h-1.5ZM12.75 3a.75.75 0 0 0-.75.75v12.5c0 .414.336.75.75.75h1.5a.75.75 0 0 0 .75-.75V3.75a.75.75 0 0 0-.75-.75h-1.5Z"})])}function Tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m5.433 13.917 1.262-3.155A4 4 0 0 1 7.58 9.42l6.92-6.918a2.121 2.121 0 0 1 3 3l-6.92 6.918c-.383.383-.84.685-1.343.886l-3.154 1.262a.5.5 0 0 1-.65-.65Z"}),(0,r.createElementVNode)("path",{d:"M3.5 5.75c0-.69.56-1.25 1.25-1.25H10A.75.75 0 0 0 10 3H4.75A2.75 2.75 0 0 0 2 5.75v9.5A2.75 2.75 0 0 0 4.75 18h9.5A2.75 2.75 0 0 0 17 15.25V10a.75.75 0 0 0-1.5 0v5.25c0 .69-.56 1.25-1.25 1.25h-9.5c-.69 0-1.25-.56-1.25-1.25v-9.5Z"})])}function Ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m2.695 14.762-1.262 3.155a.5.5 0 0 0 .65.65l3.155-1.262a4 4 0 0 0 1.343-.886L17.5 5.501a2.121 2.121 0 0 0-3-3L3.58 13.419a4 4 0 0 0-.885 1.343Z"})])}function Zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.597 7.348a3 3 0 0 0 0 5.304 3 3 0 0 0 3.75 3.751 3 3 0 0 0 5.305 0 3 3 0 0 0 3.751-3.75 3 3 0 0 0 0-5.305 3 3 0 0 0-3.75-3.751 3 3 0 0 0-5.305 0 3 3 0 0 0-3.751 3.75Zm9.933.182a.75.75 0 0 0-1.06-1.06l-6 6a.75.75 0 1 0 1.06 1.06l6-6Zm.47 5.22a1.25 1.25 0 1 1-2.5 0 1.25 1.25 0 0 1 2.5 0ZM7.25 8.5a1.25 1.25 0 1 0 0-2.5 1.25 1.25 0 0 0 0 2.5Z","clip-rule":"evenodd"})])}function Or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.5 2A1.5 1.5 0 0 0 2 3.5V5c0 1.149.15 2.263.43 3.326a13.022 13.022 0 0 0 9.244 9.244c1.063.28 2.177.43 3.326.43h1.5a1.5 1.5 0 0 0 1.5-1.5v-1.148a1.5 1.5 0 0 0-1.175-1.465l-3.223-.716a1.5 1.5 0 0 0-1.767 1.052l-.267.933c-.117.41-.555.643-.95.48a11.542 11.542 0 0 1-6.254-6.254c-.163-.395.07-.833.48-.95l.933-.267a1.5 1.5 0 0 0 1.052-1.767l-.716-3.223A1.5 1.5 0 0 0 4.648 2H3.5ZM16.72 2.22a.75.75 0 1 1 1.06 1.06L14.56 6.5h2.69a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75v-4.5a.75.75 0 0 1 1.5 0v2.69l3.22-3.22Z"})])}function Dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.5 2A1.5 1.5 0 0 0 2 3.5V5c0 1.149.15 2.263.43 3.326a13.022 13.022 0 0 0 9.244 9.244c1.063.28 2.177.43 3.326.43h1.5a1.5 1.5 0 0 0 1.5-1.5v-1.148a1.5 1.5 0 0 0-1.175-1.465l-3.223-.716a1.5 1.5 0 0 0-1.767 1.052l-.267.933c-.117.41-.555.643-.95.48a11.542 11.542 0 0 1-6.254-6.254c-.163-.395.07-.833.48-.95l.933-.267a1.5 1.5 0 0 0 1.052-1.767l-.716-3.223A1.5 1.5 0 0 0 4.648 2H3.5ZM16.5 4.56l-3.22 3.22a.75.75 0 1 1-1.06-1.06l3.22-3.22h-2.69a.75.75 0 0 1 0-1.5h4.5a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0V4.56Z"})])}function Rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.5 2A1.5 1.5 0 0 0 2 3.5V5c0 1.149.15 2.263.43 3.326a13.022 13.022 0 0 0 9.244 9.244c1.063.28 2.177.43 3.326.43h1.5a1.5 1.5 0 0 0 1.5-1.5v-1.148a1.5 1.5 0 0 0-1.175-1.465l-3.223-.716a1.5 1.5 0 0 0-1.767 1.052l-.267.933c-.117.41-.555.643-.95.48a11.542 11.542 0 0 1-6.254-6.254c-.163-.395.07-.833.48-.95l.933-.267a1.5 1.5 0 0 0 1.052-1.767l-.716-3.223A1.5 1.5 0 0 0 4.648 2H3.5Zm9.78.22a.75.75 0 1 0-1.06 1.06L13.94 5l-1.72 1.72a.75.75 0 0 0 1.06 1.06L15 6.06l1.72 1.72a.75.75 0 1 0 1.06-1.06L16.06 5l1.72-1.72a.75.75 0 0 0-1.06-1.06L15 3.94l-1.72-1.72Z","clip-rule":"evenodd"})])}function Hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 3.5A1.5 1.5 0 0 1 3.5 2h1.148a1.5 1.5 0 0 1 1.465 1.175l.716 3.223a1.5 1.5 0 0 1-1.052 1.767l-.933.267c-.41.117-.643.555-.48.95a11.542 11.542 0 0 0 6.254 6.254c.395.163.833-.07.95-.48l.267-.933a1.5 1.5 0 0 1 1.767-1.052l3.223.716A1.5 1.5 0 0 1 18 15.352V16.5a1.5 1.5 0 0 1-1.5 1.5H15c-1.149 0-2.263-.15-3.326-.43A13.022 13.022 0 0 1 2.43 8.326 13.019 13.019 0 0 1 2 5V3.5Z","clip-rule":"evenodd"})])}function Pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 10a8 8 0 1 1 16 0 8 8 0 0 1-16 0Zm6.39-2.908a.75.75 0 0 1 .766.027l3.5 2.25a.75.75 0 0 1 0 1.262l-3.5 2.25A.75.75 0 0 1 8 12.25v-4.5a.75.75 0 0 1 .39-.658Z","clip-rule":"evenodd"})])}function Fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12.75 4a.75.75 0 0 0-.75.75v10.5c0 .414.336.75.75.75h.5a.75.75 0 0 0 .75-.75V4.75a.75.75 0 0 0-.75-.75h-.5ZM17.75 4a.75.75 0 0 0-.75.75v10.5c0 .414.336.75.75.75h.5a.75.75 0 0 0 .75-.75V4.75a.75.75 0 0 0-.75-.75h-.5ZM3.288 4.819A1.5 1.5 0 0 0 1 6.095v7.81a1.5 1.5 0 0 0 2.288 1.277l6.323-3.906a1.5 1.5 0 0 0 0-2.552L3.288 4.819Z"})])}function zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.3 2.84A1.5 1.5 0 0 0 4 4.11v11.78a1.5 1.5 0 0 0 2.3 1.27l9.344-5.891a1.5 1.5 0 0 0 0-2.538L6.3 2.841Z"})])}function qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16Zm.75-11.25a.75.75 0 0 0-1.5 0v2.5h-2.5a.75.75 0 0 0 0 1.5h2.5v2.5a.75.75 0 0 0 1.5 0v-2.5h2.5a.75.75 0 0 0 0-1.5h-2.5v-2.5Z","clip-rule":"evenodd"})])}function Ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.75 6.75a.75.75 0 0 0-1.5 0v2.5h-2.5a.75.75 0 0 0 0 1.5h2.5v2.5a.75.75 0 0 0 1.5 0v-2.5h2.5a.75.75 0 0 0 0-1.5h-2.5v-2.5Z"})])}function $r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.75 4.75a.75.75 0 0 0-1.5 0v4.5h-4.5a.75.75 0 0 0 0 1.5h4.5v4.5a.75.75 0 0 0 1.5 0v-4.5h4.5a.75.75 0 0 0 0-1.5h-4.5v-4.5Z"})])}function Wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a.75.75 0 0 1 .75.75v7.5a.75.75 0 0 1-1.5 0v-7.5A.75.75 0 0 1 10 2ZM5.404 4.343a.75.75 0 0 1 0 1.06 6.5 6.5 0 1 0 9.192 0 .75.75 0 1 1 1.06-1.06 8 8 0 1 1-11.313 0 .75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function Gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 2.75A.75.75 0 0 1 1.75 2h16.5a.75.75 0 0 1 0 1.5H18v8.75A2.75 2.75 0 0 1 15.25 15h-1.072l.798 3.06a.75.75 0 0 1-1.452.38L13.41 18H6.59l-.114.44a.75.75 0 0 1-1.452-.38L5.823 15H4.75A2.75 2.75 0 0 1 2 12.25V3.5h-.25A.75.75 0 0 1 1 2.75ZM7.373 15l-.391 1.5h6.037l-.392-1.5H7.373ZM13.25 5a.75.75 0 0 1 .75.75v5.5a.75.75 0 0 1-1.5 0v-5.5a.75.75 0 0 1 .75-.75Zm-6.5 4a.75.75 0 0 1 .75.75v1.5a.75.75 0 0 1-1.5 0v-1.5A.75.75 0 0 1 6.75 9Zm4-1.25a.75.75 0 0 0-1.5 0v3.5a.75.75 0 0 0 1.5 0v-3.5Z","clip-rule":"evenodd"})])}function Kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 2.75A.75.75 0 0 1 1.75 2h16.5a.75.75 0 0 1 0 1.5H18v8.75A2.75 2.75 0 0 1 15.25 15h-1.072l.798 3.06a.75.75 0 0 1-1.452.38L13.41 18H6.59l-.114.44a.75.75 0 0 1-1.452-.38L5.823 15H4.75A2.75 2.75 0 0 1 2 12.25V3.5h-.25A.75.75 0 0 1 1 2.75ZM7.373 15l-.391 1.5h6.037l-.392-1.5H7.373Zm7.49-8.931a.75.75 0 0 1-.175 1.046 19.326 19.326 0 0 0-3.398 3.098.75.75 0 0 1-1.097.04L8.5 8.561l-2.22 2.22A.75.75 0 1 1 5.22 9.72l2.75-2.75a.75.75 0 0 1 1.06 0l1.664 1.663a20.786 20.786 0 0 1 3.122-2.74.75.75 0 0 1 1.046.176Z","clip-rule":"evenodd"})])}function Yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 2.75C5 1.784 5.784 1 6.75 1h6.5c.966 0 1.75.784 1.75 1.75v3.552c.377.046.752.097 1.126.153A2.212 2.212 0 0 1 18 8.653v4.097A2.25 2.25 0 0 1 15.75 15h-.241l.305 1.984A1.75 1.75 0 0 1 14.084 19H5.915a1.75 1.75 0 0 1-1.73-2.016L4.492 15H4.25A2.25 2.25 0 0 1 2 12.75V8.653c0-1.082.775-2.034 1.874-2.198.374-.056.75-.107 1.127-.153L5 6.25v-3.5Zm8.5 3.397a41.533 41.533 0 0 0-7 0V2.75a.25.25 0 0 1 .25-.25h6.5a.25.25 0 0 1 .25.25v3.397ZM6.608 12.5a.25.25 0 0 0-.247.212l-.693 4.5a.25.25 0 0 0 .247.288h8.17a.25.25 0 0 0 .246-.288l-.692-4.5a.25.25 0 0 0-.247-.212H6.608Z","clip-rule":"evenodd"})])}function Xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 4.467c0-.405.262-.75.559-1.027.276-.257.441-.584.441-.94 0-.828-.895-1.5-2-1.5s-2 .672-2 1.5c0 .362.171.694.456.953.29.265.544.6.544.994a.968.968 0 0 1-1.024.974 39.655 39.655 0 0 1-3.014-.306.75.75 0 0 0-.847.847c.14.993.242 1.999.306 3.014A.968.968 0 0 1 4.447 10c-.393 0-.729-.253-.994-.544C3.194 9.17 2.862 9 2.5 9 1.672 9 1 9.895 1 11s.672 2 1.5 2c.356 0 .683-.165.94-.441.276-.297.622-.559 1.027-.559a.997.997 0 0 1 1.004 1.03 39.747 39.747 0 0 1-.319 3.734.75.75 0 0 0 .64.842c1.05.146 2.111.252 3.184.318A.97.97 0 0 0 10 16.948c0-.394-.254-.73-.545-.995C9.171 15.693 9 15.362 9 15c0-.828.895-1.5 2-1.5s2 .672 2 1.5c0 .356-.165.683-.441.94-.297.276-.559.622-.559 1.027a.998.998 0 0 0 1.03 1.005c1.337-.05 2.659-.162 3.961-.337a.75.75 0 0 0 .644-.644c.175-1.302.288-2.624.337-3.961A.998.998 0 0 0 16.967 12c-.405 0-.75.262-1.027.559-.257.276-.584.441-.94.441-.828 0-1.5-.895-1.5-2s.672-2 1.5-2c.362 0 .694.17.953.455.265.291.601.545.995.545a.97.97 0 0 0 .976-1.024 41.159 41.159 0 0 0-.318-3.184.75.75 0 0 0-.842-.64c-1.228.164-2.473.271-3.734.319A.997.997 0 0 1 12 4.467Z"})])}function Jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 2A1.75 1.75 0 0 0 2 3.75v3.5C2 8.216 2.784 9 3.75 9h3.5A1.75 1.75 0 0 0 9 7.25v-3.5A1.75 1.75 0 0 0 7.25 2h-3.5ZM3.5 3.75a.25.25 0 0 1 .25-.25h3.5a.25.25 0 0 1 .25.25v3.5a.25.25 0 0 1-.25.25h-3.5a.25.25 0 0 1-.25-.25v-3.5ZM3.75 11A1.75 1.75 0 0 0 2 12.75v3.5c0 .966.784 1.75 1.75 1.75h3.5A1.75 1.75 0 0 0 9 16.25v-3.5A1.75 1.75 0 0 0 7.25 11h-3.5Zm-.25 1.75a.25.25 0 0 1 .25-.25h3.5a.25.25 0 0 1 .25.25v3.5a.25.25 0 0 1-.25.25h-3.5a.25.25 0 0 1-.25-.25v-3.5Zm7.5-9c0-.966.784-1.75 1.75-1.75h3.5c.966 0 1.75.784 1.75 1.75v3.5A1.75 1.75 0 0 1 16.25 9h-3.5A1.75 1.75 0 0 1 11 7.25v-3.5Zm1.75-.25a.25.25 0 0 0-.25.25v3.5c0 .138.112.25.25.25h3.5a.25.25 0 0 0 .25-.25v-3.5a.25.25 0 0 0-.25-.25h-3.5Zm-7.26 1a1 1 0 0 0-1 1v.01a1 1 0 0 0 1 1h.01a1 1 0 0 0 1-1V5.5a1 1 0 0 0-1-1h-.01Zm9 0a1 1 0 0 0-1 1v.01a1 1 0 0 0 1 1h.01a1 1 0 0 0 1-1V5.5a1 1 0 0 0-1-1h-.01Zm-9 9a1 1 0 0 0-1 1v.01a1 1 0 0 0 1 1h.01a1 1 0 0 0 1-1v-.01a1 1 0 0 0-1-1h-.01Zm9 0a1 1 0 0 0-1 1v.01a1 1 0 0 0 1 1h.01a1 1 0 0 0 1-1v-.01a1 1 0 0 0-1-1h-.01Zm-3.5-1.5a1 1 0 0 1 1-1H12a1 1 0 0 1 1 1v.01a1 1 0 0 1-1 1h-.01a1 1 0 0 1-1-1V12Zm6-1a1 1 0 0 0-1 1v.01a1 1 0 0 0 1 1H17a1 1 0 0 0 1-1V12a1 1 0 0 0-1-1h-.01Zm-1 6a1 1 0 0 1 1-1H17a1 1 0 0 1 1 1v.01a1 1 0 0 1-1 1h-.01a1 1 0 0 1-1-1V17Zm-4-1a1 1 0 0 0-1 1v.01a1 1 0 0 0 1 1H12a1 1 0 0 0 1-1V17a1 1 0 0 0-1-1h-.01Z","clip-rule":"evenodd"})])}function Qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0ZM8.94 6.94a.75.75 0 1 1-1.061-1.061 3 3 0 1 1 2.871 5.026v.345a.75.75 0 0 1-1.5 0v-.5c0-.72.57-1.172 1.081-1.287A1.5 1.5 0 1 0 8.94 6.94ZM10 15a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 4.5A2.5 2.5 0 0 1 4.5 2h11a2.5 2.5 0 0 1 0 5h-11A2.5 2.5 0 0 1 2 4.5ZM2.75 9.083a.75.75 0 0 0 0 1.5h14.5a.75.75 0 0 0 0-1.5H2.75ZM2.75 12.663a.75.75 0 0 0 0 1.5h14.5a.75.75 0 0 0 0-1.5H2.75ZM2.75 16.25a.75.75 0 0 0 0 1.5h14.5a.75.75 0 1 0 0-1.5H2.75Z"})])}function to(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.45 3.473a.75.75 0 1 0-.4-1.446L5.313 5.265c-.84.096-1.671.217-2.495.362A2.212 2.212 0 0 0 1 7.816v7.934A2.25 2.25 0 0 0 3.25 18h13.5A2.25 2.25 0 0 0 19 15.75V7.816c0-1.06-.745-2-1.817-2.189a41.12 41.12 0 0 0-5.406-.59l5.673-1.564ZM16 9.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0ZM14.5 16a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3Zm-9.26-5a.75.75 0 0 1 .75-.75H6a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75V11Zm2.75-.75a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75H8a.75.75 0 0 0 .75-.75V11a.75.75 0 0 0-.75-.75h-.01Zm-1.75-1.5A.75.75 0 0 1 6.99 8H7a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm3.583.42a.75.75 0 0 0-1.06 0l-.007.007a.75.75 0 0 0 0 1.06l.007.007a.75.75 0 0 0 1.06 0l.007-.007a.75.75 0 0 0 0-1.06l-.007-.008Zm.427 2.08A.75.75 0 0 1 11 12v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75V12a.75.75 0 0 1 .75-.75h.01Zm-.42 3.583a.75.75 0 0 0 0-1.06l-.007-.007a.75.75 0 0 0-1.06 0l-.007.007a.75.75 0 0 0 0 1.06l.007.008a.75.75 0 0 0 1.06 0l.008-.008Zm-3.59.417a.75.75 0 0 1 .75-.75H7a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75v-.01Zm-1.013-1.484a.75.75 0 0 0-1.06 0l-.008.007a.75.75 0 0 0 0 1.06l.007.008a.75.75 0 0 0 1.061 0l.007-.008a.75.75 0 0 0 0-1.06l-.007-.007ZM3.75 11.25a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75V12a.75.75 0 0 1 .75-.75h.01Zm1.484-1.013a.75.75 0 0 0 0-1.06l-.007-.007a.75.75 0 0 0-1.06 0l-.007.007a.75.75 0 0 0 0 1.06l.007.007a.75.75 0 0 0 1.06 0l.007-.007ZM7.24 13a.75.75 0 0 1 .75-.75H8a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75V13Zm-1.25-.75a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75H6a.75.75 0 0 0 .75-.75V13a.75.75 0 0 0-.75-.75h-.01Z","clip-rule":"evenodd"})])}function no(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.93 2.31a41.401 41.401 0 0 1 10.14 0C16.194 2.45 17 3.414 17 4.517V17.25a.75.75 0 0 1-1.075.676l-2.8-1.344-2.8 1.344a.75.75 0 0 1-.65 0l-2.8-1.344-2.8 1.344A.75.75 0 0 1 3 17.25V4.517c0-1.103.806-2.068 1.93-2.207Zm8.85 4.97a.75.75 0 0 0-1.06-1.06l-6.5 6.5a.75.75 0 1 0 1.06 1.06l6.5-6.5ZM9 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0Zm3 5a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.93 2.31a41.401 41.401 0 0 1 10.14 0C16.194 2.45 17 3.414 17 4.517V17.25a.75.75 0 0 1-1.075.676l-2.8-1.344-2.8 1.344a.75.75 0 0 1-.65 0l-2.8-1.344-2.8 1.344A.75.75 0 0 1 3 17.25V4.517c0-1.103.806-2.068 1.93-2.207Zm4.822 3.997a.75.75 0 1 0-1.004-1.114l-2.5 2.25a.75.75 0 0 0 0 1.114l2.5 2.25a.75.75 0 0 0 1.004-1.114L8.704 8.75h1.921a1.875 1.875 0 0 1 0 3.75.75.75 0 0 0 0 1.5 3.375 3.375 0 1 0 0-6.75h-1.92l1.047-.943Z","clip-rule":"evenodd"})])}function oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.5 3A1.5 1.5 0 0 0 1 4.5v4A1.5 1.5 0 0 0 2.5 10h6A1.5 1.5 0 0 0 10 8.5v-4A1.5 1.5 0 0 0 8.5 3h-6Zm11 2A1.5 1.5 0 0 0 12 6.5v7a1.5 1.5 0 0 0 1.5 1.5h4a1.5 1.5 0 0 0 1.5-1.5v-7A1.5 1.5 0 0 0 17.5 5h-4Zm-10 7A1.5 1.5 0 0 0 2 13.5v2A1.5 1.5 0 0 0 3.5 17h6a1.5 1.5 0 0 0 1.5-1.5v-2A1.5 1.5 0 0 0 9.5 12h-6Z","clip-rule":"evenodd"})])}function io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.127 3.502 5.25 3.5h9.5c.041 0 .082 0 .123.002A2.251 2.251 0 0 0 12.75 2h-5.5a2.25 2.25 0 0 0-2.123 1.502ZM1 10.25A2.25 2.25 0 0 1 3.25 8h13.5A2.25 2.25 0 0 1 19 10.25v5.5A2.25 2.25 0 0 1 16.75 18H3.25A2.25 2.25 0 0 1 1 15.75v-5.5ZM3.25 6.5c-.04 0-.082 0-.123.002A2.25 2.25 0 0 1 5.25 5h9.5c.98 0 1.814.627 2.123 1.502a3.819 3.819 0 0 0-.123-.002H3.25Z"})])}function ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.606 12.97a.75.75 0 0 1-.134 1.051 2.494 2.494 0 0 0-.93 2.437 2.494 2.494 0 0 0 2.437-.93.75.75 0 1 1 1.186.918 3.995 3.995 0 0 1-4.482 1.332.75.75 0 0 1-.461-.461 3.994 3.994 0 0 1 1.332-4.482.75.75 0 0 1 1.052.134Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.752 12A13.07 13.07 0 0 0 8 14.248v4.002c0 .414.336.75.75.75a5 5 0 0 0 4.797-6.414 12.984 12.984 0 0 0 5.45-10.848.75.75 0 0 0-.735-.735 12.984 12.984 0 0 0-10.849 5.45A5 5 0 0 0 1 11.25c.001.414.337.75.751.75h4.002ZM13 9a2 2 0 1 0 0-4 2 2 0 0 0 0 4Z","clip-rule":"evenodd"})])}function lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.75 3a.75.75 0 0 0-.75.75v.5c0 .414.336.75.75.75H4c6.075 0 11 4.925 11 11v.25c0 .414.336.75.75.75h.5a.75.75 0 0 0 .75-.75V16C17 8.82 11.18 3 4 3h-.25Z"}),(0,r.createElementVNode)("path",{d:"M3 8.75A.75.75 0 0 1 3.75 8H4a8 8 0 0 1 8 8v.25a.75.75 0 0 1-.75.75h-.5a.75.75 0 0 1-.75-.75V16a6 6 0 0 0-6-6h-.25A.75.75 0 0 1 3 9.25v-.5ZM7 15a2 2 0 1 1-4 0 2 2 0 0 1 4 0Z"})])}function so(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a.75.75 0 0 1 .75.75v.258a33.186 33.186 0 0 1 6.668.83.75.75 0 0 1-.336 1.461 31.28 31.28 0 0 0-1.103-.232l1.702 7.545a.75.75 0 0 1-.387.832A4.981 4.981 0 0 1 15 14c-.825 0-1.606-.2-2.294-.556a.75.75 0 0 1-.387-.832l1.77-7.849a31.743 31.743 0 0 0-3.339-.254v11.505a20.01 20.01 0 0 1 3.78.501.75.75 0 1 1-.339 1.462A18.558 18.558 0 0 0 10 17.5c-1.442 0-2.845.165-4.191.477a.75.75 0 0 1-.338-1.462 20.01 20.01 0 0 1 3.779-.501V4.509c-1.129.026-2.243.112-3.34.254l1.771 7.85a.75.75 0 0 1-.387.83A4.98 4.98 0 0 1 5 14a4.98 4.98 0 0 1-2.294-.556.75.75 0 0 1-.387-.832L4.02 5.067c-.37.07-.738.148-1.103.232a.75.75 0 0 1-.336-1.462 32.845 32.845 0 0 1 6.668-.829V2.75A.75.75 0 0 1 10 2ZM5 7.543 3.92 12.33a3.499 3.499 0 0 0 2.16 0L5 7.543Zm10 0-1.08 4.787a3.498 3.498 0 0 0 2.16 0L15 7.543Z","clip-rule":"evenodd"})])}function co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.469 3.75a3.5 3.5 0 0 0 5.617 4.11l.883.51c.025.092.147.116.21.043.15-.176.318-.338.5-.484.286-.23.3-.709-.018-.892l-.825-.477A3.501 3.501 0 0 0 1.47 3.75Zm2.03 3.482a2 2 0 1 1 2-3.464 2 2 0 0 1-2 3.464ZM9.956 8.322a2.75 2.75 0 0 0-1.588 1.822L7.97 11.63l-.884.51A3.501 3.501 0 0 0 1.47 16.25a3.5 3.5 0 0 0 6.367-2.81l10.68-6.166a.75.75 0 0 0-.182-1.373l-.703-.189a2.75 2.75 0 0 0-1.78.123L9.955 8.322ZM2.768 15.5a2 2 0 1 1 3.464-2 2 2 0 0 1-3.464 2Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M12.52 11.89a.5.5 0 0 0 .056.894l3.274 1.381a2.75 2.75 0 0 0 1.78.123l.704-.189a.75.75 0 0 0 .18-1.373l-3.47-2.004a.5.5 0 0 0-.5 0L12.52 11.89Z"})])}function uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.464 3.162A2 2 0 0 1 6.28 2h7.44a2 2 0 0 1 1.816 1.162l1.154 2.5c.067.145.115.291.145.438A3.508 3.508 0 0 0 16 6H4c-.288 0-.568.035-.835.1.03-.147.078-.293.145-.438l1.154-2.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 9.5a2 2 0 0 1 2-2h12a2 2 0 1 1 0 4H4a2 2 0 0 1-2-2Zm13.24 0a.75.75 0 0 1 .75-.75H16a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75V9.5Zm-2.25-.75a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75H13a.75.75 0 0 0 .75-.75V9.5a.75.75 0 0 0-.75-.75h-.01ZM2 15a2 2 0 0 1 2-2h12a2 2 0 1 1 0 4H4a2 2 0 0 1-2-2Zm13.24 0a.75.75 0 0 1 .75-.75H16a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75V15Zm-2.25-.75a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75H13a.75.75 0 0 0 .75-.75V15a.75.75 0 0 0-.75-.75h-.01Z","clip-rule":"evenodd"})])}function ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.632 3.533A2 2 0 0 1 6.577 2h6.846a2 2 0 0 1 1.945 1.533l1.976 8.234A3.489 3.489 0 0 0 16 11.5H4c-.476 0-.93.095-1.344.267l1.976-8.234Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 13a2 2 0 1 0 0 4h12a2 2 0 1 0 0-4H4Zm11.24 2a.75.75 0 0 1 .75-.75H16a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75h-.01a.75.75 0 0 1-.75-.75V15Zm-2.25-.75a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75H13a.75.75 0 0 0 .75-.75V15a.75.75 0 0 0-.75-.75h-.01Z","clip-rule":"evenodd"})])}function po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13 4.5a2.5 2.5 0 1 1 .702 1.737L6.97 9.604a2.518 2.518 0 0 1 0 .792l6.733 3.367a2.5 2.5 0 1 1-.671 1.341l-6.733-3.367a2.5 2.5 0 1 1 0-3.475l6.733-3.366A2.52 2.52 0 0 1 13 4.5Z"})])}function fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.661 2.237a.531.531 0 0 1 .678 0 11.947 11.947 0 0 0 7.078 2.749.5.5 0 0 1 .479.425c.069.52.104 1.05.104 1.59 0 5.162-3.26 9.563-7.834 11.256a.48.48 0 0 1-.332 0C5.26 16.564 2 12.163 2 7c0-.538.035-1.069.104-1.589a.5.5 0 0 1 .48-.425 11.947 11.947 0 0 0 7.077-2.75Zm4.196 5.954a.75.75 0 0 0-1.214-.882l-3.483 4.79-1.88-1.88a.75.75 0 1 0-1.06 1.061l2.5 2.5a.75.75 0 0 0 1.137-.089l4-5.5Z","clip-rule":"evenodd"})])}function mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.339 2.237a.531.531 0 0 0-.678 0 11.947 11.947 0 0 1-7.078 2.75.5.5 0 0 0-.479.425A12.11 12.11 0 0 0 2 7c0 5.163 3.26 9.564 7.834 11.257a.48.48 0 0 0 .332 0C14.74 16.564 18 12.163 18 7c0-.538-.035-1.069-.104-1.589a.5.5 0 0 0-.48-.425 11.947 11.947 0 0 1-7.077-2.75ZM10 6a.75.75 0 0 1 .75.75v3.5a.75.75 0 0 1-1.5 0v-3.5A.75.75 0 0 1 10 6Zm0 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 5v1H4.667a1.75 1.75 0 0 0-1.743 1.598l-.826 9.5A1.75 1.75 0 0 0 3.84 19H16.16a1.75 1.75 0 0 0 1.743-1.902l-.826-9.5A1.75 1.75 0 0 0 15.333 6H14V5a4 4 0 0 0-8 0Zm4-2.5A2.5 2.5 0 0 0 7.5 5v1h5V5A2.5 2.5 0 0 0 10 2.5ZM7.5 10a2.5 2.5 0 0 0 5 0V8.75a.75.75 0 0 1 1.5 0V10a4 4 0 0 1-8 0V8.75a.75.75 0 0 1 1.5 0V10Z","clip-rule":"evenodd"})])}function go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 1.75A.75.75 0 0 1 1.75 1h1.628a1.75 1.75 0 0 1 1.734 1.51L5.18 3a65.25 65.25 0 0 1 13.36 1.412.75.75 0 0 1 .58.875 48.645 48.645 0 0 1-1.618 6.2.75.75 0 0 1-.712.513H6a2.503 2.503 0 0 0-2.292 1.5H17.25a.75.75 0 0 1 0 1.5H2.76a.75.75 0 0 1-.748-.807 4.002 4.002 0 0 1 2.716-3.486L3.626 2.716a.25.25 0 0 0-.248-.216H1.75A.75.75 0 0 1 1 1.75ZM6 17.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0ZM15.5 19a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3Z"})])}function wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.22 2.22a.75.75 0 0 1 1.06 0l6.783 6.782a1 1 0 0 1 .935.935l6.782 6.783a.75.75 0 1 1-1.06 1.06l-6.783-6.782a1 1 0 0 1-.935-.935L2.22 3.28a.75.75 0 0 1 0-1.06ZM3.636 16.364a9.004 9.004 0 0 1-1.39-10.936L3.349 6.53a7.503 7.503 0 0 0 1.348 8.773.75.75 0 0 1-1.061 1.061ZM6.464 13.536a5 5 0 0 1-1.213-5.103l1.262 1.262a3.493 3.493 0 0 0 1.012 2.78.75.75 0 0 1-1.06 1.06ZM16.364 3.636a9.004 9.004 0 0 1 1.39 10.937l-1.103-1.104a7.503 7.503 0 0 0-1.348-8.772.75.75 0 1 1 1.061-1.061ZM13.536 6.464a5 5 0 0 1 1.213 5.103l-1.262-1.262a3.493 3.493 0 0 0-1.012-2.78.75.75 0 0 1 1.06-1.06Z"})])}function yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M16.364 3.636a.75.75 0 0 0-1.06 1.06 7.5 7.5 0 0 1 0 10.607.75.75 0 0 0 1.06 1.061 9 9 0 0 0 0-12.728ZM4.697 4.697a.75.75 0 0 0-1.061-1.061 9 9 0 0 0 0 12.728.75.75 0 1 0 1.06-1.06 7.5 7.5 0 0 1 0-10.607Z"}),(0,r.createElementVNode)("path",{d:"M12.475 6.464a.75.75 0 0 1 1.06 0 5 5 0 0 1 0 7.072.75.75 0 0 1-1.06-1.061 3.5 3.5 0 0 0 0-4.95.75.75 0 0 1 0-1.06ZM7.525 6.464a.75.75 0 0 1 0 1.061 3.5 3.5 0 0 0 0 4.95.75.75 0 0 1-1.06 1.06 5 5 0 0 1 0-7.07.75.75 0 0 1 1.06 0ZM11 10a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z"})])}function bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.528 3.047a.75.75 0 0 1 .449.961L8.433 16.504a.75.75 0 1 1-1.41-.512l4.544-12.496a.75.75 0 0 1 .961-.449Z","clip-rule":"evenodd"})])}function xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M15.98 1.804a1 1 0 0 0-1.96 0l-.24 1.192a1 1 0 0 1-.784.785l-1.192.238a1 1 0 0 0 0 1.962l1.192.238a1 1 0 0 1 .785.785l.238 1.192a1 1 0 0 0 1.962 0l.238-1.192a1 1 0 0 1 .785-.785l1.192-.238a1 1 0 0 0 0-1.962l-1.192-.238a1 1 0 0 1-.785-.785l-.238-1.192ZM6.949 5.684a1 1 0 0 0-1.898 0l-.683 2.051a1 1 0 0 1-.633.633l-2.051.683a1 1 0 0 0 0 1.898l2.051.684a1 1 0 0 1 .633.632l.683 2.051a1 1 0 0 0 1.898 0l.683-2.051a1 1 0 0 1 .633-.633l2.051-.683a1 1 0 0 0 0-1.898l-2.051-.683a1 1 0 0 1-.633-.633L6.95 5.684ZM13.949 13.684a1 1 0 0 0-1.898 0l-.184.551a1 1 0 0 1-.632.633l-.551.183a1 1 0 0 0 0 1.898l.551.183a1 1 0 0 1 .633.633l.183.551a1 1 0 0 0 1.898 0l.184-.551a1 1 0 0 1 .632-.633l.551-.183a1 1 0 0 0 0-1.898l-.551-.184a1 1 0 0 1-.633-.632l-.183-.551Z"})])}function ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.5 3.75a.75.75 0 0 0-1.264-.546L5.203 7H2.667a.75.75 0 0 0-.7.48A6.985 6.985 0 0 0 1.5 10c0 .887.165 1.737.468 2.52.111.29.39.48.7.48h2.535l4.033 3.796a.75.75 0 0 0 1.264-.546V3.75ZM16.45 5.05a.75.75 0 0 0-1.06 1.061 5.5 5.5 0 0 1 0 7.778.75.75 0 0 0 1.06 1.06 7 7 0 0 0 0-9.899Z"}),(0,r.createElementVNode)("path",{d:"M14.329 7.172a.75.75 0 0 0-1.061 1.06 2.5 2.5 0 0 1 0 3.536.75.75 0 0 0 1.06 1.06 4 4 0 0 0 0-5.656Z"})])}function Eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.047 3.062a.75.75 0 0 1 .453.688v12.5a.75.75 0 0 1-1.264.546L5.203 13H2.667a.75.75 0 0 1-.7-.48A6.985 6.985 0 0 1 1.5 10c0-.887.165-1.737.468-2.52a.75.75 0 0 1 .7-.48h2.535l4.033-3.796a.75.75 0 0 1 .811-.142ZM13.78 7.22a.75.75 0 1 0-1.06 1.06L14.44 10l-1.72 1.72a.75.75 0 0 0 1.06 1.06l1.72-1.72 1.72 1.72a.75.75 0 1 0 1.06-1.06L16.56 10l1.72-1.72a.75.75 0 0 0-1.06-1.06L15.5 8.94l-1.72-1.72Z"})])}function Ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 4.25A2.25 2.25 0 0 1 4.25 2h6.5A2.25 2.25 0 0 1 13 4.25V5.5H9.25A3.75 3.75 0 0 0 5.5 9.25V13H4.25A2.25 2.25 0 0 1 2 10.75v-6.5Z"}),(0,r.createElementVNode)("path",{d:"M9.25 7A2.25 2.25 0 0 0 7 9.25v6.5A2.25 2.25 0 0 0 9.25 18h6.5A2.25 2.25 0 0 0 18 15.75v-6.5A2.25 2.25 0 0 0 15.75 7h-6.5Z"})])}function Co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m3.196 12.87-.825.483a.75.75 0 0 0 0 1.294l7.25 4.25a.75.75 0 0 0 .758 0l7.25-4.25a.75.75 0 0 0 0-1.294l-.825-.484-5.666 3.322a2.25 2.25 0 0 1-2.276 0L3.196 12.87Z"}),(0,r.createElementVNode)("path",{d:"m3.196 8.87-.825.483a.75.75 0 0 0 0 1.294l7.25 4.25a.75.75 0 0 0 .758 0l7.25-4.25a.75.75 0 0 0 0-1.294l-.825-.484-5.666 3.322a2.25 2.25 0 0 1-2.276 0L3.196 8.87Z"}),(0,r.createElementVNode)("path",{d:"M10.38 1.103a.75.75 0 0 0-.76 0l-7.25 4.25a.75.75 0 0 0 0 1.294l7.25 4.25a.75.75 0 0 0 .76 0l7.25-4.25a.75.75 0 0 0 0-1.294l-7.25-4.25Z"})])}function Bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.25 2A2.25 2.25 0 0 0 2 4.25v2.5A2.25 2.25 0 0 0 4.25 9h2.5A2.25 2.25 0 0 0 9 6.75v-2.5A2.25 2.25 0 0 0 6.75 2h-2.5Zm0 9A2.25 2.25 0 0 0 2 13.25v2.5A2.25 2.25 0 0 0 4.25 18h2.5A2.25 2.25 0 0 0 9 15.75v-2.5A2.25 2.25 0 0 0 6.75 11h-2.5Zm9-9A2.25 2.25 0 0 0 11 4.25v2.5A2.25 2.25 0 0 0 13.25 9h2.5A2.25 2.25 0 0 0 18 6.75v-2.5A2.25 2.25 0 0 0 15.75 2h-2.5Zm0 9A2.25 2.25 0 0 0 11 13.25v2.5A2.25 2.25 0 0 0 13.25 18h2.5A2.25 2.25 0 0 0 18 15.75v-2.5A2.25 2.25 0 0 0 15.75 11h-2.5Z","clip-rule":"evenodd"})])}function Mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2 4.25A2.25 2.25 0 0 1 4.25 2h2.5A2.25 2.25 0 0 1 9 4.25v2.5A2.25 2.25 0 0 1 6.75 9h-2.5A2.25 2.25 0 0 1 2 6.75v-2.5ZM2 13.25A2.25 2.25 0 0 1 4.25 11h2.5A2.25 2.25 0 0 1 9 13.25v2.5A2.25 2.25 0 0 1 6.75 18h-2.5A2.25 2.25 0 0 1 2 15.75v-2.5ZM11 4.25A2.25 2.25 0 0 1 13.25 2h2.5A2.25 2.25 0 0 1 18 4.25v2.5A2.25 2.25 0 0 1 15.75 9h-2.5A2.25 2.25 0 0 1 11 6.75v-2.5ZM15.25 11.75a.75.75 0 0 0-1.5 0v2h-2a.75.75 0 0 0 0 1.5h2v2a.75.75 0 0 0 1.5 0v-2h2a.75.75 0 0 0 0-1.5h-2v-2Z"})])}function _o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.868 2.884c-.321-.772-1.415-.772-1.736 0l-1.83 4.401-4.753.381c-.833.067-1.171 1.107-.536 1.651l3.62 3.102-1.106 4.637c-.194.813.691 1.456 1.405 1.02L10 15.591l4.069 2.485c.713.436 1.598-.207 1.404-1.02l-1.106-4.637 3.62-3.102c.635-.544.297-1.584-.536-1.65l-4.752-.382-1.831-4.401Z","clip-rule":"evenodd"})])}function So(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 10a8 8 0 1 1 16 0 8 8 0 0 1-16 0Zm5-2.25A.75.75 0 0 1 7.75 7h4.5a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-.75.75h-4.5a.75.75 0 0 1-.75-.75v-4.5Z","clip-rule":"evenodd"})])}function No(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.25 3A2.25 2.25 0 0 0 3 5.25v9.5A2.25 2.25 0 0 0 5.25 17h9.5A2.25 2.25 0 0 0 17 14.75v-9.5A2.25 2.25 0 0 0 14.75 3h-9.5Z"})])}function Vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function Lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 2a.75.75 0 0 1 .75.75v1.5a.75.75 0 0 1-1.5 0v-1.5A.75.75 0 0 1 10 2ZM10 15a.75.75 0 0 1 .75.75v1.5a.75.75 0 0 1-1.5 0v-1.5A.75.75 0 0 1 10 15ZM10 7a3 3 0 1 0 0 6 3 3 0 0 0 0-6ZM15.657 5.404a.75.75 0 1 0-1.06-1.06l-1.061 1.06a.75.75 0 0 0 1.06 1.06l1.06-1.06ZM6.464 14.596a.75.75 0 1 0-1.06-1.06l-1.06 1.06a.75.75 0 0 0 1.06 1.06l1.06-1.06ZM18 10a.75.75 0 0 1-.75.75h-1.5a.75.75 0 0 1 0-1.5h1.5A.75.75 0 0 1 18 10ZM5 10a.75.75 0 0 1-.75.75h-1.5a.75.75 0 0 1 0-1.5h1.5A.75.75 0 0 1 5 10ZM14.596 15.657a.75.75 0 0 0 1.06-1.06l-1.06-1.061a.75.75 0 1 0-1.06 1.06l1.06 1.06ZM5.404 6.464a.75.75 0 0 0 1.06-1.06l-1.06-1.06a.75.75 0 1 0-1.061 1.06l1.06 1.06Z"})])}function To(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.5 2A1.5 1.5 0 0 0 2 3.5V15a3 3 0 1 0 6 0V3.5A1.5 1.5 0 0 0 6.5 2h-3Zm11.753 6.99L9.5 14.743V6.257l1.51-1.51a1.5 1.5 0 0 1 2.122 0l2.121 2.121a1.5 1.5 0 0 1 0 2.122ZM8.364 18H16.5a1.5 1.5 0 0 0 1.5-1.5v-3a1.5 1.5 0 0 0-1.5-1.5h-2.136l-6 6ZM5 16a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function Io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"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"})])}function Zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2A2.5 2.5 0 0 0 2 4.5v3.879a2.5 2.5 0 0 0 .732 1.767l7.5 7.5a2.5 2.5 0 0 0 3.536 0l3.878-3.878a2.5 2.5 0 0 0 0-3.536l-7.5-7.5A2.5 2.5 0 0 0 8.38 2H4.5ZM5 6a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function Oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.75 3A2.25 2.25 0 0 1 18 5.25v1.214c0 .423-.277.788-.633 1.019A2.997 2.997 0 0 0 16 10c0 1.055.544 1.982 1.367 2.517.356.231.633.596.633 1.02v1.213A2.25 2.25 0 0 1 15.75 17H4.25A2.25 2.25 0 0 1 2 14.75v-1.213c0-.424.277-.789.633-1.02A2.998 2.998 0 0 0 4 10a2.997 2.997 0 0 0-1.367-2.517C2.277 7.252 2 6.887 2 6.463V5.25A2.25 2.25 0 0 1 4.25 3h11.5ZM13.5 7.396a.75.75 0 0 0-1.5 0v1.042a.75.75 0 0 0 1.5 0V7.396Zm0 4.167a.75.75 0 0 0-1.5 0v1.041a.75.75 0 0 0 1.5 0v-1.041Z","clip-rule":"evenodd"})])}function Do(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.75 1A2.75 2.75 0 0 0 6 3.75v.443c-.795.077-1.584.176-2.365.298a.75.75 0 1 0 .23 1.482l.149-.022.841 10.518A2.75 2.75 0 0 0 7.596 19h4.807a2.75 2.75 0 0 0 2.742-2.53l.841-10.52.149.023a.75.75 0 0 0 .23-1.482A41.03 41.03 0 0 0 14 4.193V3.75A2.75 2.75 0 0 0 11.25 1h-2.5ZM10 4c.84 0 1.673.025 2.5.075V3.75c0-.69-.56-1.25-1.25-1.25h-2.5c-.69 0-1.25.56-1.25 1.25v.325C8.327 4.025 9.16 4 10 4ZM8.58 7.72a.75.75 0 0 0-1.5.06l.3 7.5a.75.75 0 1 0 1.5-.06l-.3-7.5Zm4.34.06a.75.75 0 1 0-1.5-.06l-.3 7.5a.75.75 0 1 0 1.5.06l.3-7.5Z","clip-rule":"evenodd"})])}function Ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 1c-1.828 0-3.623.149-5.371.435a.75.75 0 0 0-.629.74v.387c-.827.157-1.642.345-2.445.564a.75.75 0 0 0-.552.698 5 5 0 0 0 4.503 5.152 6 6 0 0 0 2.946 1.822A6.451 6.451 0 0 1 7.768 13H7.5A1.5 1.5 0 0 0 6 14.5V17h-.75C4.56 17 4 17.56 4 18.25c0 .414.336.75.75.75h10.5a.75.75 0 0 0 .75-.75c0-.69-.56-1.25-1.25-1.25H14v-2.5a1.5 1.5 0 0 0-1.5-1.5h-.268a6.453 6.453 0 0 1-.684-2.202 6 6 0 0 0 2.946-1.822 5 5 0 0 0 4.503-5.152.75.75 0 0 0-.552-.698A31.804 31.804 0 0 0 16 2.562v-.387a.75.75 0 0 0-.629-.74A33.227 33.227 0 0 0 10 1ZM2.525 4.422C3.012 4.3 3.504 4.19 4 4.09V5c0 .74.134 1.448.38 2.103a3.503 3.503 0 0 1-1.855-2.68Zm14.95 0a3.503 3.503 0 0 1-1.854 2.68C15.866 6.449 16 5.74 16 5v-.91c.496.099.988.21 1.475.332Z","clip-rule":"evenodd"})])}function Ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.5 3c-1.051 0-2.093.04-3.125.117A1.49 1.49 0 0 0 2 4.607V10.5h9V4.606c0-.771-.59-1.43-1.375-1.489A41.568 41.568 0 0 0 6.5 3ZM2 12v2.5A1.5 1.5 0 0 0 3.5 16h.041a3 3 0 0 1 5.918 0h.791a.75.75 0 0 0 .75-.75V12H2Z"}),(0,r.createElementVNode)("path",{d:"M6.5 18a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3ZM13.25 5a.75.75 0 0 0-.75.75v8.514a3.001 3.001 0 0 1 4.893 1.44c.37-.275.61-.719.595-1.227a24.905 24.905 0 0 0-1.784-8.549A1.486 1.486 0 0 0 14.823 5H13.25ZM14.5 18a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3Z"})])}function Po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4 5h12v7H4V5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1 3.5A1.5 1.5 0 0 1 2.5 2h15A1.5 1.5 0 0 1 19 3.5v10a1.5 1.5 0 0 1-1.5 1.5H12v1.5h3.25a.75.75 0 0 1 0 1.5H4.75a.75.75 0 0 1 0-1.5H8V15H2.5A1.5 1.5 0 0 1 1 13.5v-10Zm16.5 0h-15v10h15v-10Z","clip-rule":"evenodd"})])}function jo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.75 2a.75.75 0 0 1 .75.75V9a4.5 4.5 0 1 0 9 0V2.75a.75.75 0 0 1 1.5 0V9A6 6 0 0 1 4 9V2.75A.75.75 0 0 1 4.75 2ZM2 17.25a.75.75 0 0 1 .75-.75h14.5a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function Fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 1 1-16 0 8 8 0 0 1 16 0Zm-5.5-2.5a2.5 2.5 0 1 1-5 0 2.5 2.5 0 0 1 5 0ZM10 12a5.99 5.99 0 0 0-4.793 2.39A6.483 6.483 0 0 0 10 16.5a6.483 6.483 0 0 0 4.793-2.11A5.99 5.99 0 0 0 10 12Z","clip-rule":"evenodd"})])}function zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 9a3 3 0 1 0 0-6 3 3 0 0 0 0 6ZM6 8a2 2 0 1 1-4 0 2 2 0 0 1 4 0ZM1.49 15.326a.78.78 0 0 1-.358-.442 3 3 0 0 1 4.308-3.516 6.484 6.484 0 0 0-1.905 3.959c-.023.222-.014.442.025.654a4.97 4.97 0 0 1-2.07-.655ZM16.44 15.98a4.97 4.97 0 0 0 2.07-.654.78.78 0 0 0 .357-.442 3 3 0 0 0-4.308-3.517 6.484 6.484 0 0 1 1.907 3.96 2.32 2.32 0 0 1-.026.654ZM18 8a2 2 0 1 1-4 0 2 2 0 0 1 4 0ZM5.304 16.19a.844.844 0 0 1-.277-.71 5 5 0 0 1 9.947 0 .843.843 0 0 1-.277.71A6.975 6.975 0 0 1 10 18a6.974 6.974 0 0 1-4.696-1.81Z"})])}function qo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11 5a3 3 0 1 1-6 0 3 3 0 0 1 6 0ZM2.046 15.253c-.058.468.172.92.57 1.175A9.953 9.953 0 0 0 8 18c1.982 0 3.83-.578 5.384-1.573.398-.254.628-.707.57-1.175a6.001 6.001 0 0 0-11.908 0ZM12.75 7.75a.75.75 0 0 0 0 1.5h5.5a.75.75 0 0 0 0-1.5h-5.5Z"})])}function Uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 5a3 3 0 1 1-6 0 3 3 0 0 1 6 0ZM1.615 16.428a1.224 1.224 0 0 1-.569-1.175 6.002 6.002 0 0 1 11.908 0c.058.467-.172.92-.57 1.174A9.953 9.953 0 0 1 7 18a9.953 9.953 0 0 1-5.385-1.572ZM16.25 5.75a.75.75 0 0 0-1.5 0v2h-2a.75.75 0 0 0 0 1.5h2v2a.75.75 0 0 0 1.5 0v-2h2a.75.75 0 0 0 0-1.5h-2v-2Z"})])}function $o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10 8a3 3 0 1 0 0-6 3 3 0 0 0 0 6ZM3.465 14.493a1.23 1.23 0 0 0 .41 1.412A9.957 9.957 0 0 0 10 18c2.31 0 4.438-.784 6.131-2.1.43-.333.604-.903.408-1.41a7.002 7.002 0 0 0-13.074.003Z"})])}function Wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7 8a3 3 0 1 0 0-6 3 3 0 0 0 0 6ZM14.5 9a2.5 2.5 0 1 0 0-5 2.5 2.5 0 0 0 0 5ZM1.615 16.428a1.224 1.224 0 0 1-.569-1.175 6.002 6.002 0 0 1 11.908 0c.058.467-.172.92-.57 1.174A9.953 9.953 0 0 1 7 18a9.953 9.953 0 0 1-5.385-1.572ZM14.5 16h-.106c.07-.297.088-.611.048-.933a7.47 7.47 0 0 0-1.588-3.755 4.502 4.502 0 0 1 5.874 2.636.818.818 0 0 1-.36.98A7.465 7.465 0 0 1 14.5 16Z"})])}function Go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.212 2.079a.75.75 0 0 1 1.006.336A16.932 16.932 0 0 1 18 10c0 2.724-.641 5.3-1.782 7.585a.75.75 0 1 1-1.342-.67A15.432 15.432 0 0 0 16.5 10c0-2.486-.585-4.834-1.624-6.915a.75.75 0 0 1 .336-1.006Zm-10.424 0a.75.75 0 0 1 .336 1.006A15.433 15.433 0 0 0 3.5 10c0 2.486.585 4.834 1.624 6.915a.75.75 0 1 1-1.342.67A16.933 16.933 0 0 1 2 10c0-2.724.641-5.3 1.782-7.585a.75.75 0 0 1 1.006-.336Zm2.285 3.554a1.5 1.5 0 0 1 2.219.677l.856 2.08 1.146-1.77a2.25 2.25 0 0 1 3.137-.65l.235.156a.75.75 0 1 1-.832 1.248l-.235-.156a.75.75 0 0 0-1.045.216l-1.71 2.644 1.251 3.04.739-.492a.75.75 0 1 1 .832 1.248l-.739.493a1.5 1.5 0 0 1-2.219-.677l-.856-2.08-1.146 1.77a2.25 2.25 0 0 1-3.137.65l-.235-.156a.75.75 0 0 1 .832-1.248l.235.157a.75.75 0 0 0 1.045-.217l1.71-2.644-1.251-3.04-.739.492a.75.75 0 0 1-.832-1.248l.739-.493Z","clip-rule":"evenodd"})])}function Ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 13.75V7.182L9.818 16H3.25A2.25 2.25 0 0 1 1 13.75ZM13 6.25v6.568L4.182 4h6.568A2.25 2.25 0 0 1 13 6.25ZM19 4.75a.75.75 0 0 0-1.28-.53l-3 3a.75.75 0 0 0-.22.53v4.5c0 .199.079.39.22.53l3 3a.75.75 0 0 0 1.28-.53V4.75ZM2.28 4.22a.75.75 0 0 0-1.06 1.06l10.5 10.5a.75.75 0 1 0 1.06-1.06L2.28 4.22Z"})])}function Yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.25 4A2.25 2.25 0 0 0 1 6.25v7.5A2.25 2.25 0 0 0 3.25 16h7.5A2.25 2.25 0 0 0 13 13.75v-7.5A2.25 2.25 0 0 0 10.75 4h-7.5ZM19 4.75a.75.75 0 0 0-1.28-.53l-3 3a.75.75 0 0 0-.22.53v4.5c0 .199.079.39.22.53l3 3a.75.75 0 0 0 1.28-.53V4.75Z"})])}function Xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M14 17h2.75A2.25 2.25 0 0 0 19 14.75v-9.5A2.25 2.25 0 0 0 16.75 3H14v14ZM12.5 3h-5v14h5V3ZM3.25 3H6v14H3.25A2.25 2.25 0 0 1 1 14.75v-9.5A2.25 2.25 0 0 1 3.25 3Z"})])}function Jo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.25 2A2.25 2.25 0 0 0 2 4.25v2a.75.75 0 0 0 1.5 0v-2a.75.75 0 0 1 .75-.75h2a.75.75 0 0 0 0-1.5h-2ZM13.75 2a.75.75 0 0 0 0 1.5h2a.75.75 0 0 1 .75.75v2a.75.75 0 0 0 1.5 0v-2A2.25 2.25 0 0 0 15.75 2h-2ZM3.5 13.75a.75.75 0 0 0-1.5 0v2A2.25 2.25 0 0 0 4.25 18h2a.75.75 0 0 0 0-1.5h-2a.75.75 0 0 1-.75-.75v-2ZM18 13.75a.75.75 0 0 0-1.5 0v2a.75.75 0 0 1-.75.75h-2a.75.75 0 0 0 0 1.5h2A2.25 2.25 0 0 0 18 15.75v-2ZM7 10a3 3 0 1 1 6 0 3 3 0 0 1-6 0Z"})])}function Qo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1 4.25a3.733 3.733 0 0 1 2.25-.75h13.5c.844 0 1.623.279 2.25.75A2.25 2.25 0 0 0 16.75 2H3.25A2.25 2.25 0 0 0 1 4.25ZM1 7.25a3.733 3.733 0 0 1 2.25-.75h13.5c.844 0 1.623.279 2.25.75A2.25 2.25 0 0 0 16.75 5H3.25A2.25 2.25 0 0 0 1 7.25ZM7 8a1 1 0 0 1 1 1 2 2 0 1 0 4 0 1 1 0 0 1 1-1h3.75A2.25 2.25 0 0 1 19 10.25v5.5A2.25 2.25 0 0 1 16.75 18H3.25A2.25 2.25 0 0 1 1 15.75v-5.5A2.25 2.25 0 0 1 3.25 8H7Z"})])}function ei(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M.676 6.941A12.964 12.964 0 0 1 10 3c3.657 0 6.963 1.511 9.324 3.941a.75.75 0 0 1-.008 1.053l-.353.354a.75.75 0 0 1-1.069-.008C15.894 6.28 13.097 5 10 5 6.903 5 4.106 6.28 2.106 8.34a.75.75 0 0 1-1.069.008l-.353-.354a.75.75 0 0 1-.008-1.053Zm2.825 2.833A8.976 8.976 0 0 1 10 7a8.976 8.976 0 0 1 6.499 2.774.75.75 0 0 1-.011 1.049l-.354.354a.75.75 0 0 1-1.072-.012A6.978 6.978 0 0 0 10 9c-1.99 0-3.786.83-5.061 2.165a.75.75 0 0 1-1.073.012l-.354-.354a.75.75 0 0 1-.01-1.05Zm2.82 2.84A4.989 4.989 0 0 1 10 11c1.456 0 2.767.623 3.68 1.614a.75.75 0 0 1-.022 1.039l-.354.354a.75.75 0 0 1-1.085-.026A2.99 2.99 0 0 0 10 13c-.88 0-1.67.377-2.22.981a.75.75 0 0 1-1.084.026l-.354-.354a.75.75 0 0 1-.021-1.039Zm2.795 2.752a1.248 1.248 0 0 1 1.768 0 .75.75 0 0 1 0 1.06l-.354.354a.75.75 0 0 1-1.06 0l-.354-.353a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function ti(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.25 2A2.25 2.25 0 0 0 2 4.25v11.5A2.25 2.25 0 0 0 4.25 18h11.5A2.25 2.25 0 0 0 18 15.75V4.25A2.25 2.25 0 0 0 15.75 2H4.25ZM3.5 8v7.75c0 .414.336.75.75.75h11.5a.75.75 0 0 0 .75-.75V8h-13ZM5 4.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V5a.75.75 0 0 0-.75-.75H5ZM7.25 5A.75.75 0 0 1 8 4.25h.01a.75.75 0 0 1 .75.75v.01a.75.75 0 0 1-.75.75H8a.75.75 0 0 1-.75-.75V5ZM11 4.25a.75.75 0 0 0-.75.75v.01c0 .414.336.75.75.75h.01a.75.75 0 0 0 .75-.75V5a.75.75 0 0 0-.75-.75H11Z","clip-rule":"evenodd"})])}function ni(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.5 10a4.5 4.5 0 0 0 4.284-5.882c-.105-.324-.51-.391-.752-.15L15.34 6.66a.454.454 0 0 1-.493.11 3.01 3.01 0 0 1-1.618-1.616.455.455 0 0 1 .11-.494l2.694-2.692c.24-.241.174-.647-.15-.752a4.5 4.5 0 0 0-5.873 4.575c.055.873-.128 1.808-.8 2.368l-7.23 6.024a2.724 2.724 0 1 0 3.837 3.837l6.024-7.23c.56-.672 1.495-.855 2.368-.8.096.007.193.01.291.01ZM5 16a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.5 11.5c.173 0 .345-.007.514-.022l3.754 3.754a2.5 2.5 0 0 1-3.536 3.536l-4.41-4.41 2.172-2.607c.052-.063.147-.138.342-.196.202-.06.469-.087.777-.067.128.008.257.012.387.012ZM6 4.586l2.33 2.33a.452.452 0 0 1-.08.09L6.8 8.214 4.586 6H3.309a.5.5 0 0 1-.447-.276l-1.7-3.402a.5.5 0 0 1 .093-.577l.49-.49a.5.5 0 0 1 .577-.094l3.402 1.7A.5.5 0 0 1 6 3.31v1.277Z"})])}function ri(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19 5.5a4.5 4.5 0 0 1-4.791 4.49c-.873-.055-1.808.128-2.368.8l-6.024 7.23a2.724 2.724 0 1 1-3.837-3.837L9.21 8.16c.672-.56.855-1.495.8-2.368a4.5 4.5 0 0 1 5.873-4.575c.324.105.39.51.15.752L13.34 4.66a.455.455 0 0 0-.11.494 3.01 3.01 0 0 0 1.617 1.617c.17.07.363.02.493-.111l2.692-2.692c.241-.241.647-.174.752.15.14.435.216.9.216 1.382ZM4 17a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z","clip-rule":"evenodd"})])}function oi(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 1 0 0-16 8 8 0 0 0 0 16ZM8.28 7.22a.75.75 0 0 0-1.06 1.06L8.94 10l-1.72 1.72a.75.75 0 1 0 1.06 1.06L10 11.06l1.72 1.72a.75.75 0 1 0 1.06-1.06L11.06 10l1.72-1.72a.75.75 0 0 0-1.06-1.06L10 8.94 8.28 7.22Z","clip-rule":"evenodd"})])}function ii(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6.28 5.22a.75.75 0 0 0-1.06 1.06L8.94 10l-3.72 3.72a.75.75 0 1 0 1.06 1.06L10 11.06l3.72 3.72a.75.75 0 1 0 1.06-1.06L11.06 10l3.72-3.72a.75.75 0 0 0-1.06-1.06L10 8.94 6.28 5.22Z"})])}},11982:(e,t,n)=>{"use strict";n.r(t),n.d(t,{AcademicCapIcon:()=>o,AdjustmentsHorizontalIcon:()=>i,AdjustmentsVerticalIcon:()=>a,ArchiveBoxArrowDownIcon:()=>l,ArchiveBoxIcon:()=>c,ArchiveBoxXMarkIcon:()=>s,ArrowDownCircleIcon:()=>u,ArrowDownIcon:()=>v,ArrowDownLeftIcon:()=>d,ArrowDownOnSquareIcon:()=>p,ArrowDownOnSquareStackIcon:()=>h,ArrowDownRightIcon:()=>f,ArrowDownTrayIcon:()=>m,ArrowLeftCircleIcon:()=>g,ArrowLeftEndOnRectangleIcon:()=>w,ArrowLeftIcon:()=>x,ArrowLeftOnRectangleIcon:()=>y,ArrowLeftStartOnRectangleIcon:()=>b,ArrowLongDownIcon:()=>k,ArrowLongLeftIcon:()=>E,ArrowLongRightIcon:()=>A,ArrowLongUpIcon:()=>C,ArrowPathIcon:()=>M,ArrowPathRoundedSquareIcon:()=>B,ArrowRightCircleIcon:()=>_,ArrowRightEndOnRectangleIcon:()=>S,ArrowRightIcon:()=>L,ArrowRightOnRectangleIcon:()=>N,ArrowRightStartOnRectangleIcon:()=>V,ArrowSmallDownIcon:()=>T,ArrowSmallLeftIcon:()=>I,ArrowSmallRightIcon:()=>Z,ArrowSmallUpIcon:()=>O,ArrowTopRightOnSquareIcon:()=>D,ArrowTrendingDownIcon:()=>R,ArrowTrendingUpIcon:()=>H,ArrowTurnDownLeftIcon:()=>P,ArrowTurnDownRightIcon:()=>j,ArrowTurnLeftDownIcon:()=>F,ArrowTurnLeftUpIcon:()=>z,ArrowTurnRightDownIcon:()=>q,ArrowTurnRightUpIcon:()=>U,ArrowTurnUpLeftIcon:()=>$,ArrowTurnUpRightIcon:()=>W,ArrowUpCircleIcon:()=>G,ArrowUpIcon:()=>ee,ArrowUpLeftIcon:()=>K,ArrowUpOnSquareIcon:()=>X,ArrowUpOnSquareStackIcon:()=>Y,ArrowUpRightIcon:()=>J,ArrowUpTrayIcon:()=>Q,ArrowUturnDownIcon:()=>te,ArrowUturnLeftIcon:()=>ne,ArrowUturnRightIcon:()=>re,ArrowUturnUpIcon:()=>oe,ArrowsPointingInIcon:()=>ie,ArrowsPointingOutIcon:()=>ae,ArrowsRightLeftIcon:()=>le,ArrowsUpDownIcon:()=>se,AtSymbolIcon:()=>ce,BackspaceIcon:()=>ue,BackwardIcon:()=>de,BanknotesIcon:()=>he,Bars2Icon:()=>pe,Bars3BottomLeftIcon:()=>fe,Bars3BottomRightIcon:()=>me,Bars3CenterLeftIcon:()=>ve,Bars3Icon:()=>ge,Bars4Icon:()=>we,BarsArrowDownIcon:()=>ye,BarsArrowUpIcon:()=>be,Battery0Icon:()=>xe,Battery100Icon:()=>ke,Battery50Icon:()=>Ee,BeakerIcon:()=>Ae,BellAlertIcon:()=>Ce,BellIcon:()=>_e,BellSlashIcon:()=>Be,BellSnoozeIcon:()=>Me,BoldIcon:()=>Se,BoltIcon:()=>Ve,BoltSlashIcon:()=>Ne,BookOpenIcon:()=>Le,BookmarkIcon:()=>Ze,BookmarkSlashIcon:()=>Te,BookmarkSquareIcon:()=>Ie,BriefcaseIcon:()=>Oe,BugAntIcon:()=>De,BuildingLibraryIcon:()=>Re,BuildingOffice2Icon:()=>He,BuildingOfficeIcon:()=>Pe,BuildingStorefrontIcon:()=>je,CakeIcon:()=>Fe,CalculatorIcon:()=>ze,CalendarDateRangeIcon:()=>qe,CalendarDaysIcon:()=>Ue,CalendarIcon:()=>$e,CameraIcon:()=>We,ChartBarIcon:()=>Ke,ChartBarSquareIcon:()=>Ge,ChartPieIcon:()=>Ye,ChatBubbleBottomCenterIcon:()=>Je,ChatBubbleBottomCenterTextIcon:()=>Xe,ChatBubbleLeftEllipsisIcon:()=>Qe,ChatBubbleLeftIcon:()=>tt,ChatBubbleLeftRightIcon:()=>et,ChatBubbleOvalLeftEllipsisIcon:()=>nt,ChatBubbleOvalLeftIcon:()=>rt,CheckBadgeIcon:()=>ot,CheckCircleIcon:()=>it,CheckIcon:()=>at,ChevronDoubleDownIcon:()=>lt,ChevronDoubleLeftIcon:()=>st,ChevronDoubleRightIcon:()=>ct,ChevronDoubleUpIcon:()=>ut,ChevronDownIcon:()=>dt,ChevronLeftIcon:()=>ht,ChevronRightIcon:()=>pt,ChevronUpDownIcon:()=>ft,ChevronUpIcon:()=>mt,CircleStackIcon:()=>vt,ClipboardDocumentCheckIcon:()=>gt,ClipboardDocumentIcon:()=>yt,ClipboardDocumentListIcon:()=>wt,ClipboardIcon:()=>bt,ClockIcon:()=>xt,CloudArrowDownIcon:()=>kt,CloudArrowUpIcon:()=>Et,CloudIcon:()=>At,CodeBracketIcon:()=>Bt,CodeBracketSquareIcon:()=>Ct,Cog6ToothIcon:()=>Mt,Cog8ToothIcon:()=>_t,CogIcon:()=>St,CommandLineIcon:()=>Nt,ComputerDesktopIcon:()=>Vt,CpuChipIcon:()=>Lt,CreditCardIcon:()=>Tt,CubeIcon:()=>Zt,CubeTransparentIcon:()=>It,CurrencyBangladeshiIcon:()=>Ot,CurrencyDollarIcon:()=>Dt,CurrencyEuroIcon:()=>Rt,CurrencyPoundIcon:()=>Ht,CurrencyRupeeIcon:()=>Pt,CurrencyYenIcon:()=>jt,CursorArrowRaysIcon:()=>Ft,CursorArrowRippleIcon:()=>zt,DevicePhoneMobileIcon:()=>qt,DeviceTabletIcon:()=>Ut,DivideIcon:()=>$t,DocumentArrowDownIcon:()=>Wt,DocumentArrowUpIcon:()=>Gt,DocumentChartBarIcon:()=>Kt,DocumentCheckIcon:()=>Yt,DocumentCurrencyBangladeshiIcon:()=>Xt,DocumentCurrencyDollarIcon:()=>Jt,DocumentCurrencyEuroIcon:()=>Qt,DocumentCurrencyPoundIcon:()=>en,DocumentCurrencyRupeeIcon:()=>tn,DocumentCurrencyYenIcon:()=>nn,DocumentDuplicateIcon:()=>rn,DocumentIcon:()=>cn,DocumentMagnifyingGlassIcon:()=>on,DocumentMinusIcon:()=>an,DocumentPlusIcon:()=>ln,DocumentTextIcon:()=>sn,EllipsisHorizontalCircleIcon:()=>un,EllipsisHorizontalIcon:()=>dn,EllipsisVerticalIcon:()=>hn,EnvelopeIcon:()=>fn,EnvelopeOpenIcon:()=>pn,EqualsIcon:()=>mn,ExclamationCircleIcon:()=>vn,ExclamationTriangleIcon:()=>gn,EyeDropperIcon:()=>wn,EyeIcon:()=>bn,EyeSlashIcon:()=>yn,FaceFrownIcon:()=>xn,FaceSmileIcon:()=>kn,FilmIcon:()=>En,FingerPrintIcon:()=>An,FireIcon:()=>Cn,FlagIcon:()=>Bn,FolderArrowDownIcon:()=>Mn,FolderIcon:()=>Vn,FolderMinusIcon:()=>_n,FolderOpenIcon:()=>Sn,FolderPlusIcon:()=>Nn,ForwardIcon:()=>Ln,FunnelIcon:()=>Tn,GifIcon:()=>In,GiftIcon:()=>On,GiftTopIcon:()=>Zn,GlobeAltIcon:()=>Dn,GlobeAmericasIcon:()=>Rn,GlobeAsiaAustraliaIcon:()=>Hn,GlobeEuropeAfricaIcon:()=>Pn,H1Icon:()=>jn,H2Icon:()=>Fn,H3Icon:()=>zn,HandRaisedIcon:()=>qn,HandThumbDownIcon:()=>Un,HandThumbUpIcon:()=>$n,HashtagIcon:()=>Wn,HeartIcon:()=>Gn,HomeIcon:()=>Yn,HomeModernIcon:()=>Kn,IdentificationIcon:()=>Xn,InboxArrowDownIcon:()=>Jn,InboxIcon:()=>er,InboxStackIcon:()=>Qn,InformationCircleIcon:()=>tr,ItalicIcon:()=>nr,KeyIcon:()=>rr,LanguageIcon:()=>or,LifebuoyIcon:()=>ir,LightBulbIcon:()=>ar,LinkIcon:()=>sr,LinkSlashIcon:()=>lr,ListBulletIcon:()=>cr,LockClosedIcon:()=>ur,LockOpenIcon:()=>dr,MagnifyingGlassCircleIcon:()=>hr,MagnifyingGlassIcon:()=>mr,MagnifyingGlassMinusIcon:()=>pr,MagnifyingGlassPlusIcon:()=>fr,MapIcon:()=>gr,MapPinIcon:()=>vr,MegaphoneIcon:()=>wr,MicrophoneIcon:()=>yr,MinusCircleIcon:()=>br,MinusIcon:()=>kr,MinusSmallIcon:()=>xr,MoonIcon:()=>Er,MusicalNoteIcon:()=>Ar,NewspaperIcon:()=>Cr,NoSymbolIcon:()=>Br,NumberedListIcon:()=>Mr,PaintBrushIcon:()=>_r,PaperAirplaneIcon:()=>Sr,PaperClipIcon:()=>Nr,PauseCircleIcon:()=>Vr,PauseIcon:()=>Lr,PencilIcon:()=>Ir,PencilSquareIcon:()=>Tr,PercentBadgeIcon:()=>Zr,PhoneArrowDownLeftIcon:()=>Or,PhoneArrowUpRightIcon:()=>Dr,PhoneIcon:()=>Hr,PhoneXMarkIcon:()=>Rr,PhotoIcon:()=>Pr,PlayCircleIcon:()=>jr,PlayIcon:()=>zr,PlayPauseIcon:()=>Fr,PlusCircleIcon:()=>qr,PlusIcon:()=>$r,PlusSmallIcon:()=>Ur,PowerIcon:()=>Wr,PresentationChartBarIcon:()=>Gr,PresentationChartLineIcon:()=>Kr,PrinterIcon:()=>Yr,PuzzlePieceIcon:()=>Xr,QrCodeIcon:()=>Jr,QuestionMarkCircleIcon:()=>Qr,QueueListIcon:()=>eo,RadioIcon:()=>to,ReceiptPercentIcon:()=>no,ReceiptRefundIcon:()=>ro,RectangleGroupIcon:()=>oo,RectangleStackIcon:()=>io,RocketLaunchIcon:()=>ao,RssIcon:()=>lo,ScaleIcon:()=>so,ScissorsIcon:()=>co,ServerIcon:()=>ho,ServerStackIcon:()=>uo,ShareIcon:()=>po,ShieldCheckIcon:()=>fo,ShieldExclamationIcon:()=>mo,ShoppingBagIcon:()=>vo,ShoppingCartIcon:()=>go,SignalIcon:()=>yo,SignalSlashIcon:()=>wo,SlashIcon:()=>bo,SparklesIcon:()=>xo,SpeakerWaveIcon:()=>ko,SpeakerXMarkIcon:()=>Eo,Square2StackIcon:()=>Ao,Square3Stack3DIcon:()=>Co,Squares2X2Icon:()=>Bo,SquaresPlusIcon:()=>Mo,StarIcon:()=>_o,StopCircleIcon:()=>So,StopIcon:()=>No,StrikethroughIcon:()=>Vo,SunIcon:()=>Lo,SwatchIcon:()=>To,TableCellsIcon:()=>Io,TagIcon:()=>Zo,TicketIcon:()=>Oo,TrashIcon:()=>Do,TrophyIcon:()=>Ro,TruckIcon:()=>Ho,TvIcon:()=>Po,UnderlineIcon:()=>jo,UserCircleIcon:()=>Fo,UserGroupIcon:()=>zo,UserIcon:()=>$o,UserMinusIcon:()=>qo,UserPlusIcon:()=>Uo,UsersIcon:()=>Wo,VariableIcon:()=>Go,VideoCameraIcon:()=>Yo,VideoCameraSlashIcon:()=>Ko,ViewColumnsIcon:()=>Xo,ViewfinderCircleIcon:()=>Jo,WalletIcon:()=>Qo,WifiIcon:()=>ei,WindowIcon:()=>ti,WrenchIcon:()=>ri,WrenchScrewdriverIcon:()=>ni,XCircleIcon:()=>oi,XMarkIcon:()=>ii});var r=n(29726);function o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.26 10.147a60.438 60.438 0 0 0-.491 6.347A48.62 48.62 0 0 1 12 20.904a48.62 48.62 0 0 1 8.232-4.41 60.46 60.46 0 0 0-.491-6.347m-15.482 0a50.636 50.636 0 0 0-2.658-.813A59.906 59.906 0 0 1 12 3.493a59.903 59.903 0 0 1 10.399 5.84c-.896.248-1.783.52-2.658.814m-15.482 0A50.717 50.717 0 0 1 12 13.489a50.702 50.702 0 0 1 7.74-3.342M6.75 15a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm0 0v-3.675A55.378 55.378 0 0 1 12 8.443m-7.007 11.55A5.981 5.981 0 0 0 6.75 15.75v-1.5"})])}function i(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.5 6h9.75M10.5 6a1.5 1.5 0 1 1-3 0m3 0a1.5 1.5 0 1 0-3 0M3.75 6H7.5m3 12h9.75m-9.75 0a1.5 1.5 0 0 1-3 0m3 0a1.5 1.5 0 0 0-3 0m-3.75 0H7.5m9-6h3.75m-3.75 0a1.5 1.5 0 0 1-3 0m3 0a1.5 1.5 0 0 0-3 0m-9.75 0h9.75"})])}function a(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6 13.5V3.75m0 9.75a1.5 1.5 0 0 1 0 3m0-3a1.5 1.5 0 0 0 0 3m0 3.75V16.5m12-3V3.75m0 9.75a1.5 1.5 0 0 1 0 3m0-3a1.5 1.5 0 0 0 0 3m0 3.75V16.5m-6-9V3.75m0 3.75a1.5 1.5 0 0 1 0 3m0-3a1.5 1.5 0 0 0 0 3m0 9.75V10.5"})])}function l(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m20.25 7.5-.625 10.632a2.25 2.25 0 0 1-2.247 2.118H6.622a2.25 2.25 0 0 1-2.247-2.118L3.75 7.5m8.25 3v6.75m0 0-3-3m3 3 3-3M3.375 7.5h17.25c.621 0 1.125-.504 1.125-1.125v-1.5c0-.621-.504-1.125-1.125-1.125H3.375c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125Z"})])}function s(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m20.25 7.5-.625 10.632a2.25 2.25 0 0 1-2.247 2.118H6.622a2.25 2.25 0 0 1-2.247-2.118L3.75 7.5m6 4.125 2.25 2.25m0 0 2.25 2.25M12 13.875l2.25-2.25M12 13.875l-2.25 2.25M3.375 7.5h17.25c.621 0 1.125-.504 1.125-1.125v-1.5c0-.621-.504-1.125-1.125-1.125H3.375c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125Z"})])}function c(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m20.25 7.5-.625 10.632a2.25 2.25 0 0 1-2.247 2.118H6.622a2.25 2.25 0 0 1-2.247-2.118L3.75 7.5M10 11.25h4M3.375 7.5h17.25c.621 0 1.125-.504 1.125-1.125v-1.5c0-.621-.504-1.125-1.125-1.125H3.375c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125Z"})])}function u(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9 12.75 3 3m0 0 3-3m-3 3v-7.5M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function d(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m19.5 4.5-15 15m0 0h11.25m-11.25 0V8.25"})])}function h(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.5 7.5h-.75A2.25 2.25 0 0 0 4.5 9.75v7.5a2.25 2.25 0 0 0 2.25 2.25h7.5a2.25 2.25 0 0 0 2.25-2.25v-7.5a2.25 2.25 0 0 0-2.25-2.25h-.75m-6 3.75 3 3m0 0 3-3m-3 3V1.5m6 9h.75a2.25 2.25 0 0 1 2.25 2.25v7.5a2.25 2.25 0 0 1-2.25 2.25h-7.5a2.25 2.25 0 0 1-2.25-2.25v-.75"})])}function p(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 8.25H7.5a2.25 2.25 0 0 0-2.25 2.25v9a2.25 2.25 0 0 0 2.25 2.25h9a2.25 2.25 0 0 0 2.25-2.25v-9a2.25 2.25 0 0 0-2.25-2.25H15M9 12l3 3m0 0 3-3m-3 3V2.25"})])}function f(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m4.5 4.5 15 15m0 0V8.25m0 11.25H8.25"})])}function m(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 16.5v2.25A2.25 2.25 0 0 0 5.25 21h13.5A2.25 2.25 0 0 0 21 18.75V16.5M16.5 12 12 16.5m0 0L7.5 12m4.5 4.5V3"})])}function v(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 13.5 12 21m0 0-7.5-7.5M12 21V3"})])}function g(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m11.25 9-3 3m0 0 3 3m-3-3h7.5M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function w(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 9V5.25A2.25 2.25 0 0 0 13.5 3h-6a2.25 2.25 0 0 0-2.25 2.25v13.5A2.25 2.25 0 0 0 7.5 21h6a2.25 2.25 0 0 0 2.25-2.25V15M12 9l-3 3m0 0 3 3m-3-3h12.75"})])}function y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 9V5.25A2.25 2.25 0 0 0 13.5 3h-6a2.25 2.25 0 0 0-2.25 2.25v13.5A2.25 2.25 0 0 0 7.5 21h6a2.25 2.25 0 0 0 2.25-2.25V15M12 9l-3 3m0 0 3 3m-3-3h12.75"})])}function b(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 9V5.25A2.25 2.25 0 0 1 10.5 3h6a2.25 2.25 0 0 1 2.25 2.25v13.5A2.25 2.25 0 0 1 16.5 21h-6a2.25 2.25 0 0 1-2.25-2.25V15m-3 0-3-3m0 0 3-3m-3 3H15"})])}function x(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.5 19.5 3 12m0 0 7.5-7.5M3 12h18"})])}function k(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 17.25 12 21m0 0-3.75-3.75M12 21V3"})])}function E(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.75 15.75 3 12m0 0 3.75-3.75M3 12h18"})])}function A(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M17.25 8.25 21 12m0 0-3.75 3.75M21 12H3"})])}function C(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 6.75 12 3m0 0 3.75 3.75M12 3v18"})])}function B(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 12c0-1.232-.046-2.453-.138-3.662a4.006 4.006 0 0 0-3.7-3.7 48.678 48.678 0 0 0-7.324 0 4.006 4.006 0 0 0-3.7 3.7c-.017.22-.032.441-.046.662M19.5 12l3-3m-3 3-3-3m-12 3c0 1.232.046 2.453.138 3.662a4.006 4.006 0 0 0 3.7 3.7 48.656 48.656 0 0 0 7.324 0 4.006 4.006 0 0 0 3.7-3.7c.017-.22.032-.441.046-.662M4.5 12l3 3m-3-3-3 3"})])}function M(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.023 9.348h4.992v-.001M2.985 19.644v-4.992m0 0h4.992m-4.993 0 3.181 3.183a8.25 8.25 0 0 0 13.803-3.7M4.031 9.865a8.25 8.25 0 0 1 13.803-3.7l3.181 3.182m0-4.991v4.99"})])}function _(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m12.75 15 3-3m0 0-3-3m3 3h-7.5M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function S(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 9V5.25A2.25 2.25 0 0 1 10.5 3h6a2.25 2.25 0 0 1 2.25 2.25v13.5A2.25 2.25 0 0 1 16.5 21h-6a2.25 2.25 0 0 1-2.25-2.25V15M12 9l3 3m0 0-3 3m3-3H2.25"})])}function N(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 9V5.25A2.25 2.25 0 0 0 13.5 3h-6a2.25 2.25 0 0 0-2.25 2.25v13.5A2.25 2.25 0 0 0 7.5 21h6a2.25 2.25 0 0 0 2.25-2.25V15m3 0 3-3m0 0-3-3m3 3H9"})])}function V(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 9V5.25A2.25 2.25 0 0 0 13.5 3h-6a2.25 2.25 0 0 0-2.25 2.25v13.5A2.25 2.25 0 0 0 7.5 21h6a2.25 2.25 0 0 0 2.25-2.25V15m3 0 3-3m0 0-3-3m3 3H9"})])}function L(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.5 4.5 21 12m0 0-7.5 7.5M21 12H3"})])}function T(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 4.5v15m0 0 6.75-6.75M12 19.5l-6.75-6.75"})])}function I(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 12h-15m0 0 6.75 6.75M4.5 12l6.75-6.75"})])}function Z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.5 12h15m0 0-6.75-6.75M19.5 12l-6.75 6.75"})])}function O(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 19.5v-15m0 0-6.75 6.75M12 4.5l6.75 6.75"})])}function D(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.5 6H5.25A2.25 2.25 0 0 0 3 8.25v10.5A2.25 2.25 0 0 0 5.25 21h10.5A2.25 2.25 0 0 0 18 18.75V10.5m-10.5 6L21 3m0 0h-5.25M21 3v5.25"})])}function R(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 6 9 12.75l4.286-4.286a11.948 11.948 0 0 1 4.306 6.43l.776 2.898m0 0 3.182-5.511m-3.182 5.51-5.511-3.181"})])}function H(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 18 9 11.25l4.306 4.306a11.95 11.95 0 0 1 5.814-5.518l2.74-1.22m0 0-5.94-2.281m5.94 2.28-2.28 5.941"})])}function P(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m7.49 12-3.75 3.75m0 0 3.75 3.75m-3.75-3.75h16.5V4.499"})])}function j(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m16.49 12 3.75 3.75m0 0-3.75 3.75m3.75-3.75H3.74V4.499"})])}function F(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m11.99 16.5-3.75 3.75m0 0L4.49 16.5m3.75 3.75V3.75h11.25"})])}function z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M11.99 7.5 8.24 3.75m0 0L4.49 7.5m3.75-3.75v16.499h11.25"})])}function q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m11.99 16.5 3.75 3.75m0 0 3.75-3.75m-3.75 3.75V3.75H4.49"})])}function U(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m11.99 7.5 3.75-3.75m0 0 3.75 3.75m-3.75-3.75v16.499H4.49"})])}function $(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.49 12 3.74 8.248m0 0 3.75-3.75m-3.75 3.75h16.5V19.5"})])}function W(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m16.49 12 3.75-3.751m0 0-3.75-3.75m3.75 3.75H3.74V19.5"})])}function G(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m15 11.25-3-3m0 0-3 3m3-3v7.5M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function K(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m19.5 19.5-15-15m0 0v11.25m0-11.25h11.25"})])}function Y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.5 7.5h-.75A2.25 2.25 0 0 0 4.5 9.75v7.5a2.25 2.25 0 0 0 2.25 2.25h7.5a2.25 2.25 0 0 0 2.25-2.25v-7.5a2.25 2.25 0 0 0-2.25-2.25h-.75m0-3-3-3m0 0-3 3m3-3v11.25m6-2.25h.75a2.25 2.25 0 0 1 2.25 2.25v7.5a2.25 2.25 0 0 1-2.25 2.25h-7.5a2.25 2.25 0 0 1-2.25-2.25v-.75"})])}function X(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 8.25H7.5a2.25 2.25 0 0 0-2.25 2.25v9a2.25 2.25 0 0 0 2.25 2.25h9a2.25 2.25 0 0 0 2.25-2.25v-9a2.25 2.25 0 0 0-2.25-2.25H15m0-3-3-3m0 0-3 3m3-3V15"})])}function J(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m4.5 19.5 15-15m0 0H8.25m11.25 0v11.25"})])}function Q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 16.5v2.25A2.25 2.25 0 0 0 5.25 21h13.5A2.25 2.25 0 0 0 21 18.75V16.5m-13.5-9L12 3m0 0 4.5 4.5M12 3v13.5"})])}function ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.5 10.5 12 3m0 0 7.5 7.5M12 3v18"})])}function te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m15 15-6 6m0 0-6-6m6 6V9a6 6 0 0 1 12 0v3"})])}function ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 15 3 9m0 0 6-6M3 9h12a6 6 0 0 1 0 12h-3"})])}function re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m15 15 6-6m0 0-6-6m6 6H9a6 6 0 0 0 0 12h3"})])}function oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9 9 6-6m0 0 6 6m-6-6v12a6 6 0 0 1-12 0v-3"})])}function ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 9V4.5M9 9H4.5M9 9 3.75 3.75M9 15v4.5M9 15H4.5M9 15l-5.25 5.25M15 9h4.5M15 9V4.5M15 9l5.25-5.25M15 15h4.5M15 15v4.5m0-4.5 5.25 5.25"})])}function ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 3.75v4.5m0-4.5h4.5m-4.5 0L9 9M3.75 20.25v-4.5m0 4.5h4.5m-4.5 0L9 15M20.25 3.75h-4.5m4.5 0v4.5m0-4.5L15 9m5.25 11.25h-4.5m4.5 0v-4.5m0 4.5L15 15"})])}function le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.5 21 3 16.5m0 0L7.5 12M3 16.5h13.5m0-13.5L21 7.5m0 0L16.5 12M21 7.5H7.5"})])}function se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 7.5 7.5 3m0 0L12 7.5M7.5 3v13.5m13.5 0L16.5 21m0 0L12 16.5m4.5 4.5V7.5"})])}function ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.5 12a4.5 4.5 0 1 1-9 0 4.5 4.5 0 0 1 9 0Zm0 0c0 1.657 1.007 3 2.25 3S21 13.657 21 12a9 9 0 1 0-2.636 6.364M16.5 12V8.25"})])}function ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 9.75 14.25 12m0 0 2.25 2.25M14.25 12l2.25-2.25M14.25 12 12 14.25m-2.58 4.92-6.374-6.375a1.125 1.125 0 0 1 0-1.59L9.42 4.83c.21-.211.497-.33.795-.33H19.5a2.25 2.25 0 0 1 2.25 2.25v10.5a2.25 2.25 0 0 1-2.25 2.25h-9.284c-.298 0-.585-.119-.795-.33Z"})])}function de(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 16.811c0 .864-.933 1.406-1.683.977l-7.108-4.061a1.125 1.125 0 0 1 0-1.954l7.108-4.061A1.125 1.125 0 0 1 21 8.689v8.122ZM11.25 16.811c0 .864-.933 1.406-1.683.977l-7.108-4.061a1.125 1.125 0 0 1 0-1.954l7.108-4.061a1.125 1.125 0 0 1 1.683.977v8.122Z"})])}function he(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 18.75a60.07 60.07 0 0 1 15.797 2.101c.727.198 1.453-.342 1.453-1.096V18.75M3.75 4.5v.75A.75.75 0 0 1 3 6h-.75m0 0v-.375c0-.621.504-1.125 1.125-1.125H20.25M2.25 6v9m18-10.5v.75c0 .414.336.75.75.75h.75m-1.5-1.5h.375c.621 0 1.125.504 1.125 1.125v9.75c0 .621-.504 1.125-1.125 1.125h-.375m1.5-1.5H21a.75.75 0 0 0-.75.75v.75m0 0H3.75m0 0h-.375a1.125 1.125 0 0 1-1.125-1.125V15m1.5 1.5v-.75A.75.75 0 0 0 3 15h-.75M15 10.5a3 3 0 1 1-6 0 3 3 0 0 1 6 0Zm3 0h.008v.008H18V10.5Zm-12 0h.008v.008H6V10.5Z"})])}function pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 9h16.5m-16.5 6.75h16.5"})])}function fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 6.75h16.5M3.75 12h16.5m-16.5 5.25H12"})])}function me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 6.75h16.5M3.75 12h16.5M12 17.25h8.25"})])}function ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 6.75h16.5M3.75 12H12m-8.25 5.25h16.5"})])}function ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 6.75h16.5M3.75 12h16.5m-16.5 5.25h16.5"})])}function we(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 5.25h16.5m-16.5 4.5h16.5m-16.5 4.5h16.5m-16.5 4.5h16.5"})])}function ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 4.5h14.25M3 9h9.75M3 13.5h9.75m4.5-4.5v12m0 0-3.75-3.75M17.25 21 21 17.25"})])}function be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 4.5h14.25M3 9h9.75M3 13.5h5.25m5.25-.75L17.25 9m0 0L21 12.75M17.25 9v12"})])}function xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 10.5h.375c.621 0 1.125.504 1.125 1.125v2.25c0 .621-.504 1.125-1.125 1.125H21M3.75 18h15A2.25 2.25 0 0 0 21 15.75v-6a2.25 2.25 0 0 0-2.25-2.25h-15A2.25 2.25 0 0 0 1.5 9.75v6A2.25 2.25 0 0 0 3.75 18Z"})])}function ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 10.5h.375c.621 0 1.125.504 1.125 1.125v2.25c0 .621-.504 1.125-1.125 1.125H21M4.5 10.5H18V15H4.5v-4.5ZM3.75 18h15A2.25 2.25 0 0 0 21 15.75v-6a2.25 2.25 0 0 0-2.25-2.25h-15A2.25 2.25 0 0 0 1.5 9.75v6A2.25 2.25 0 0 0 3.75 18Z"})])}function Ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 10.5h.375c.621 0 1.125.504 1.125 1.125v2.25c0 .621-.504 1.125-1.125 1.125H21M4.5 10.5h6.75V15H4.5v-4.5ZM3.75 18h15A2.25 2.25 0 0 0 21 15.75v-6a2.25 2.25 0 0 0-2.25-2.25h-15A2.25 2.25 0 0 0 1.5 9.75v6A2.25 2.25 0 0 0 3.75 18Z"})])}function Ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.75 3.104v5.714a2.25 2.25 0 0 1-.659 1.591L5 14.5M9.75 3.104c-.251.023-.501.05-.75.082m.75-.082a24.301 24.301 0 0 1 4.5 0m0 0v5.714c0 .597.237 1.17.659 1.591L19.8 15.3M14.25 3.104c.251.023.501.05.75.082M19.8 15.3l-1.57.393A9.065 9.065 0 0 1 12 15a9.065 9.065 0 0 0-6.23-.693L5 14.5m14.8.8 1.402 1.402c1.232 1.232.65 3.318-1.067 3.611A48.309 48.309 0 0 1 12 21c-2.773 0-5.491-.235-8.135-.687-1.718-.293-2.3-2.379-1.067-3.61L5 14.5"})])}function Ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.857 17.082a23.848 23.848 0 0 0 5.454-1.31A8.967 8.967 0 0 1 18 9.75V9A6 6 0 0 0 6 9v.75a8.967 8.967 0 0 1-2.312 6.022c1.733.64 3.56 1.085 5.455 1.31m5.714 0a24.255 24.255 0 0 1-5.714 0m5.714 0a3 3 0 1 1-5.714 0M3.124 7.5A8.969 8.969 0 0 1 5.292 3m13.416 0a8.969 8.969 0 0 1 2.168 4.5"})])}function Be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.143 17.082a24.248 24.248 0 0 0 3.844.148m-3.844-.148a23.856 23.856 0 0 1-5.455-1.31 8.964 8.964 0 0 0 2.3-5.542m3.155 6.852a3 3 0 0 0 5.667 1.97m1.965-2.277L21 21m-4.225-4.225a23.81 23.81 0 0 0 3.536-1.003A8.967 8.967 0 0 1 18 9.75V9A6 6 0 0 0 6.53 6.53m10.245 10.245L6.53 6.53M3 3l3.53 3.53"})])}function Me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.857 17.082a23.848 23.848 0 0 0 5.454-1.31A8.967 8.967 0 0 1 18 9.75V9A6 6 0 0 0 6 9v.75a8.967 8.967 0 0 1-2.312 6.022c1.733.64 3.56 1.085 5.455 1.31m5.714 0a24.255 24.255 0 0 1-5.714 0m5.714 0a3 3 0 1 1-5.714 0M10.5 8.25h3l-3 4.5h3"})])}function _e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.857 17.082a23.848 23.848 0 0 0 5.454-1.31A8.967 8.967 0 0 1 18 9.75V9A6 6 0 0 0 6 9v.75a8.967 8.967 0 0 1-2.312 6.022c1.733.64 3.56 1.085 5.455 1.31m5.714 0a24.255 24.255 0 0 1-5.714 0m5.714 0a3 3 0 1 1-5.714 0"})])}function Se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linejoin":"round",d:"M6.75 3.744h-.753v8.25h7.125a4.125 4.125 0 0 0 0-8.25H6.75Zm0 0v.38m0 16.122h6.747a4.5 4.5 0 0 0 0-9.001h-7.5v9h.753Zm0 0v-.37m0-15.751h6a3.75 3.75 0 1 1 0 7.5h-6m0-7.5v7.5m0 0v8.25m0-8.25h6.375a4.125 4.125 0 0 1 0 8.25H6.75m.747-15.38h4.875a3.375 3.375 0 0 1 0 6.75H7.497v-6.75Zm0 7.5h5.25a3.75 3.75 0 0 1 0 7.5h-5.25v-7.5Z"})])}function Ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M11.412 15.655 9.75 21.75l3.745-4.012M9.257 13.5H3.75l2.659-2.849m2.048-2.194L14.25 2.25 12 10.5h8.25l-4.707 5.043M8.457 8.457 3 3m5.457 5.457 7.086 7.086m0 0L21 21"})])}function Ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m3.75 13.5 10.5-11.25L12 10.5h8.25L9.75 21.75 12 13.5H3.75Z"})])}function Le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 6.042A8.967 8.967 0 0 0 6 3.75c-1.052 0-2.062.18-3 .512v14.25A8.987 8.987 0 0 1 6 18c2.305 0 4.408.867 6 2.292m0-14.25a8.966 8.966 0 0 1 6-2.292c1.052 0 2.062.18 3 .512v14.25A8.987 8.987 0 0 0 18 18a8.967 8.967 0 0 0-6 2.292m0-14.25v14.25"})])}function Te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m3 3 1.664 1.664M21 21l-1.5-1.5m-5.485-1.242L12 17.25 4.5 21V8.742m.164-4.078a2.15 2.15 0 0 1 1.743-1.342 48.507 48.507 0 0 1 11.186 0c1.1.128 1.907 1.077 1.907 2.185V19.5M4.664 4.664 19.5 19.5"})])}function Ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.5 3.75V16.5L12 14.25 7.5 16.5V3.75m9 0H18A2.25 2.25 0 0 1 20.25 6v12A2.25 2.25 0 0 1 18 20.25H6A2.25 2.25 0 0 1 3.75 18V6A2.25 2.25 0 0 1 6 3.75h1.5m9 0h-9"})])}function Ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M17.593 3.322c1.1.128 1.907 1.077 1.907 2.185V21L12 17.25 4.5 21V5.507c0-1.108.806-2.057 1.907-2.185a48.507 48.507 0 0 1 11.186 0Z"})])}function Oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M20.25 14.15v4.25c0 1.094-.787 2.036-1.872 2.18-2.087.277-4.216.42-6.378.42s-4.291-.143-6.378-.42c-1.085-.144-1.872-1.086-1.872-2.18v-4.25m16.5 0a2.18 2.18 0 0 0 .75-1.661V8.706c0-1.081-.768-2.015-1.837-2.175a48.114 48.114 0 0 0-3.413-.387m4.5 8.006c-.194.165-.42.295-.673.38A23.978 23.978 0 0 1 12 15.75c-2.648 0-5.195-.429-7.577-1.22a2.016 2.016 0 0 1-.673-.38m0 0A2.18 2.18 0 0 1 3 12.489V8.706c0-1.081.768-2.015 1.837-2.175a48.111 48.111 0 0 1 3.413-.387m7.5 0V5.25A2.25 2.25 0 0 0 13.5 3h-3a2.25 2.25 0 0 0-2.25 2.25v.894m7.5 0a48.667 48.667 0 0 0-7.5 0M12 12.75h.008v.008H12v-.008Z"})])}function De(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 12.75c1.148 0 2.278.08 3.383.237 1.037.146 1.866.966 1.866 2.013 0 3.728-2.35 6.75-5.25 6.75S6.75 18.728 6.75 15c0-1.046.83-1.867 1.866-2.013A24.204 24.204 0 0 1 12 12.75Zm0 0c2.883 0 5.647.508 8.207 1.44a23.91 23.91 0 0 1-1.152 6.06M12 12.75c-2.883 0-5.647.508-8.208 1.44.125 2.104.52 4.136 1.153 6.06M12 12.75a2.25 2.25 0 0 0 2.248-2.354M12 12.75a2.25 2.25 0 0 1-2.248-2.354M12 8.25c.995 0 1.971-.08 2.922-.236.403-.066.74-.358.795-.762a3.778 3.778 0 0 0-.399-2.25M12 8.25c-.995 0-1.97-.08-2.922-.236-.402-.066-.74-.358-.795-.762a3.734 3.734 0 0 1 .4-2.253M12 8.25a2.25 2.25 0 0 0-2.248 2.146M12 8.25a2.25 2.25 0 0 1 2.248 2.146M8.683 5a6.032 6.032 0 0 1-1.155-1.002c.07-.63.27-1.222.574-1.747m.581 2.749A3.75 3.75 0 0 1 15.318 5m0 0c.427-.283.815-.62 1.155-.999a4.471 4.471 0 0 0-.575-1.752M4.921 6a24.048 24.048 0 0 0-.392 3.314c1.668.546 3.416.914 5.223 1.082M19.08 6c.205 1.08.337 2.187.392 3.314a23.882 23.882 0 0 1-5.223 1.082"})])}function Re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 21v-8.25M15.75 21v-8.25M8.25 21v-8.25M3 9l9-6 9 6m-1.5 12V10.332A48.36 48.36 0 0 0 12 9.75c-2.551 0-5.056.2-7.5.582V21M3 21h18M12 6.75h.008v.008H12V6.75Z"})])}function He(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 21h19.5m-18-18v18m10.5-18v18m6-13.5V21M6.75 6.75h.75m-.75 3h.75m-.75 3h.75m3-6h.75m-.75 3h.75m-.75 3h.75M6.75 21v-3.375c0-.621.504-1.125 1.125-1.125h2.25c.621 0 1.125.504 1.125 1.125V21M3 3h12m-.75 4.5H21m-3.75 3.75h.008v.008h-.008v-.008Zm0 3h.008v.008h-.008v-.008Zm0 3h.008v.008h-.008v-.008Z"})])}function Pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 21h16.5M4.5 3h15M5.25 3v18m13.5-18v18M9 6.75h1.5m-1.5 3h1.5m-1.5 3h1.5m3-6H15m-1.5 3H15m-1.5 3H15M9 21v-3.375c0-.621.504-1.125 1.125-1.125h3.75c.621 0 1.125.504 1.125 1.125V21"})])}function je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.5 21v-7.5a.75.75 0 0 1 .75-.75h3a.75.75 0 0 1 .75.75V21m-4.5 0H2.36m11.14 0H18m0 0h3.64m-1.39 0V9.349M3.75 21V9.349m0 0a3.001 3.001 0 0 0 3.75-.615A2.993 2.993 0 0 0 9.75 9.75c.896 0 1.7-.393 2.25-1.016a2.993 2.993 0 0 0 2.25 1.016c.896 0 1.7-.393 2.25-1.015a3.001 3.001 0 0 0 3.75.614m-16.5 0a3.004 3.004 0 0 1-.621-4.72l1.189-1.19A1.5 1.5 0 0 1 5.378 3h13.243a1.5 1.5 0 0 1 1.06.44l1.19 1.189a3 3 0 0 1-.621 4.72M6.75 18h3.75a.75.75 0 0 0 .75-.75V13.5a.75.75 0 0 0-.75-.75H6.75a.75.75 0 0 0-.75.75v3.75c0 .414.336.75.75.75Z"})])}function Fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 8.25v-1.5m0 1.5c-1.355 0-2.697.056-4.024.166C6.845 8.51 6 9.473 6 10.608v2.513m6-4.871c1.355 0 2.697.056 4.024.166C17.155 8.51 18 9.473 18 10.608v2.513M15 8.25v-1.5m-6 1.5v-1.5m12 9.75-1.5.75a3.354 3.354 0 0 1-3 0 3.354 3.354 0 0 0-3 0 3.354 3.354 0 0 1-3 0 3.354 3.354 0 0 0-3 0 3.354 3.354 0 0 1-3 0L3 16.5m15-3.379a48.474 48.474 0 0 0-6-.371c-2.032 0-4.034.126-6 .371m12 0c.39.049.777.102 1.163.16 1.07.16 1.837 1.094 1.837 2.175v5.169c0 .621-.504 1.125-1.125 1.125H4.125A1.125 1.125 0 0 1 3 20.625v-5.17c0-1.08.768-2.014 1.837-2.174A47.78 47.78 0 0 1 6 13.12M12.265 3.11a.375.375 0 1 1-.53 0L12 2.845l.265.265Zm-3 0a.375.375 0 1 1-.53 0L9 2.845l.265.265Zm6 0a.375.375 0 1 1-.53 0L15 2.845l.265.265Z"})])}function ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 15.75V18m-7.5-6.75h.008v.008H8.25v-.008Zm0 2.25h.008v.008H8.25V13.5Zm0 2.25h.008v.008H8.25v-.008Zm0 2.25h.008v.008H8.25V18Zm2.498-6.75h.007v.008h-.007v-.008Zm0 2.25h.007v.008h-.007V13.5Zm0 2.25h.007v.008h-.007v-.008Zm0 2.25h.007v.008h-.007V18Zm2.504-6.75h.008v.008h-.008v-.008Zm0 2.25h.008v.008h-.008V13.5Zm0 2.25h.008v.008h-.008v-.008Zm0 2.25h.008v.008h-.008V18Zm2.498-6.75h.008v.008h-.008v-.008Zm0 2.25h.008v.008h-.008V13.5ZM8.25 6h7.5v2.25h-7.5V6ZM12 2.25c-1.892 0-3.758.11-5.593.322C5.307 2.7 4.5 3.65 4.5 4.757V19.5a2.25 2.25 0 0 0 2.25 2.25h10.5a2.25 2.25 0 0 0 2.25-2.25V4.757c0-1.108-.806-2.057-1.907-2.185A48.507 48.507 0 0 0 12 2.25Z"})])}function qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.75 2.994v2.25m10.5-2.25v2.25m-14.252 13.5V7.491a2.25 2.25 0 0 1 2.25-2.25h13.5a2.25 2.25 0 0 1 2.25 2.25v11.251m-18 0a2.25 2.25 0 0 0 2.25 2.25h13.5a2.25 2.25 0 0 0 2.25-2.25m-18 0v-7.5a2.25 2.25 0 0 1 2.25-2.25h13.5a2.25 2.25 0 0 1 2.25 2.25v7.5m-6.75-6h2.25m-9 2.25h4.5m.002-2.25h.005v.006H12v-.006Zm-.001 4.5h.006v.006h-.006v-.005Zm-2.25.001h.005v.006H9.75v-.006Zm-2.25 0h.005v.005h-.006v-.005Zm6.75-2.247h.005v.005h-.005v-.005Zm0 2.247h.006v.006h-.006v-.006Zm2.25-2.248h.006V15H16.5v-.005Z"})])}function Ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.75 3v2.25M17.25 3v2.25M3 18.75V7.5a2.25 2.25 0 0 1 2.25-2.25h13.5A2.25 2.25 0 0 1 21 7.5v11.25m-18 0A2.25 2.25 0 0 0 5.25 21h13.5A2.25 2.25 0 0 0 21 18.75m-18 0v-7.5A2.25 2.25 0 0 1 5.25 9h13.5A2.25 2.25 0 0 1 21 11.25v7.5m-9-6h.008v.008H12v-.008ZM12 15h.008v.008H12V15Zm0 2.25h.008v.008H12v-.008ZM9.75 15h.008v.008H9.75V15Zm0 2.25h.008v.008H9.75v-.008ZM7.5 15h.008v.008H7.5V15Zm0 2.25h.008v.008H7.5v-.008Zm6.75-4.5h.008v.008h-.008v-.008Zm0 2.25h.008v.008h-.008V15Zm0 2.25h.008v.008h-.008v-.008Zm2.25-4.5h.008v.008H16.5v-.008Zm0 2.25h.008v.008H16.5V15Z"})])}function $e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.75 3v2.25M17.25 3v2.25M3 18.75V7.5a2.25 2.25 0 0 1 2.25-2.25h13.5A2.25 2.25 0 0 1 21 7.5v11.25m-18 0A2.25 2.25 0 0 0 5.25 21h13.5A2.25 2.25 0 0 0 21 18.75m-18 0v-7.5A2.25 2.25 0 0 1 5.25 9h13.5A2.25 2.25 0 0 1 21 11.25v7.5"})])}function We(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.827 6.175A2.31 2.31 0 0 1 5.186 7.23c-.38.054-.757.112-1.134.175C2.999 7.58 2.25 8.507 2.25 9.574V18a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 18V9.574c0-1.067-.75-1.994-1.802-2.169a47.865 47.865 0 0 0-1.134-.175 2.31 2.31 0 0 1-1.64-1.055l-.822-1.316a2.192 2.192 0 0 0-1.736-1.039 48.774 48.774 0 0 0-5.232 0 2.192 2.192 0 0 0-1.736 1.039l-.821 1.316Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.5 12.75a4.5 4.5 0 1 1-9 0 4.5 4.5 0 0 1 9 0ZM18.75 10.5h.008v.008h-.008V10.5Z"})])}function Ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.5 14.25v2.25m3-4.5v4.5m3-6.75v6.75m3-9v9M6 20.25h12A2.25 2.25 0 0 0 20.25 18V6A2.25 2.25 0 0 0 18 3.75H6A2.25 2.25 0 0 0 3.75 6v12A2.25 2.25 0 0 0 6 20.25Z"})])}function Ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 13.125C3 12.504 3.504 12 4.125 12h2.25c.621 0 1.125.504 1.125 1.125v6.75C7.5 20.496 6.996 21 6.375 21h-2.25A1.125 1.125 0 0 1 3 19.875v-6.75ZM9.75 8.625c0-.621.504-1.125 1.125-1.125h2.25c.621 0 1.125.504 1.125 1.125v11.25c0 .621-.504 1.125-1.125 1.125h-2.25a1.125 1.125 0 0 1-1.125-1.125V8.625ZM16.5 4.125c0-.621.504-1.125 1.125-1.125h2.25C20.496 3 21 3.504 21 4.125v15.75c0 .621-.504 1.125-1.125 1.125h-2.25a1.125 1.125 0 0 1-1.125-1.125V4.125Z"})])}function Ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.5 6a7.5 7.5 0 1 0 7.5 7.5h-7.5V6Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.5 10.5H21A7.5 7.5 0 0 0 13.5 3v7.5Z"})])}function Xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.5 8.25h9m-9 3H12m-9.75 1.51c0 1.6 1.123 2.994 2.707 3.227 1.129.166 2.27.293 3.423.379.35.026.67.21.865.501L12 21l2.755-4.133a1.14 1.14 0 0 1 .865-.501 48.172 48.172 0 0 0 3.423-.379c1.584-.233 2.707-1.626 2.707-3.228V6.741c0-1.602-1.123-2.995-2.707-3.228A48.394 48.394 0 0 0 12 3c-2.392 0-4.744.175-7.043.513C3.373 3.746 2.25 5.14 2.25 6.741v6.018Z"})])}function Je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 12.76c0 1.6 1.123 2.994 2.707 3.227 1.068.157 2.148.279 3.238.364.466.037.893.281 1.153.671L12 21l2.652-3.978c.26-.39.687-.634 1.153-.67 1.09-.086 2.17-.208 3.238-.365 1.584-.233 2.707-1.626 2.707-3.228V6.741c0-1.602-1.123-2.995-2.707-3.228A48.394 48.394 0 0 0 12 3c-2.392 0-4.744.175-7.043.513C3.373 3.746 2.25 5.14 2.25 6.741v6.018Z"})])}function Qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.625 9.75a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0H8.25m4.125 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0H12m4.125 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0h-.375m-13.5 3.01c0 1.6 1.123 2.994 2.707 3.227 1.087.16 2.185.283 3.293.369V21l4.184-4.183a1.14 1.14 0 0 1 .778-.332 48.294 48.294 0 0 0 5.83-.498c1.585-.233 2.708-1.626 2.708-3.228V6.741c0-1.602-1.123-2.995-2.707-3.228A48.394 48.394 0 0 0 12 3c-2.392 0-4.744.175-7.043.513C3.373 3.746 2.25 5.14 2.25 6.741v6.018Z"})])}function et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M20.25 8.511c.884.284 1.5 1.128 1.5 2.097v4.286c0 1.136-.847 2.1-1.98 2.193-.34.027-.68.052-1.02.072v3.091l-3-3c-1.354 0-2.694-.055-4.02-.163a2.115 2.115 0 0 1-.825-.242m9.345-8.334a2.126 2.126 0 0 0-.476-.095 48.64 48.64 0 0 0-8.048 0c-1.131.094-1.976 1.057-1.976 2.192v4.286c0 .837.46 1.58 1.155 1.951m9.345-8.334V6.637c0-1.621-1.152-3.026-2.76-3.235A48.455 48.455 0 0 0 11.25 3c-2.115 0-4.198.137-6.24.402-1.608.209-2.76 1.614-2.76 3.235v6.226c0 1.621 1.152 3.026 2.76 3.235.577.075 1.157.14 1.74.194V21l4.155-4.155"})])}function tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 12.76c0 1.6 1.123 2.994 2.707 3.227 1.087.16 2.185.283 3.293.369V21l4.076-4.076a1.526 1.526 0 0 1 1.037-.443 48.282 48.282 0 0 0 5.68-.494c1.584-.233 2.707-1.626 2.707-3.228V6.741c0-1.602-1.123-2.995-2.707-3.228A48.394 48.394 0 0 0 12 3c-2.392 0-4.744.175-7.043.513C3.373 3.746 2.25 5.14 2.25 6.741v6.018Z"})])}function nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.625 12a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0H8.25m4.125 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0H12m4.125 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0h-.375M21 12c0 4.556-4.03 8.25-9 8.25a9.764 9.764 0 0 1-2.555-.337A5.972 5.972 0 0 1 5.41 20.97a5.969 5.969 0 0 1-.474-.065 4.48 4.48 0 0 0 .978-2.025c.09-.457-.133-.901-.467-1.226C3.93 16.178 3 14.189 3 12c0-4.556 4.03-8.25 9-8.25s9 3.694 9 8.25Z"})])}function rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 20.25c4.97 0 9-3.694 9-8.25s-4.03-8.25-9-8.25S3 7.444 3 12c0 2.104.859 4.023 2.273 5.48.432.447.74 1.04.586 1.641a4.483 4.483 0 0 1-.923 1.785A5.969 5.969 0 0 0 6 21c1.282 0 2.47-.402 3.445-1.087.81.22 1.668.337 2.555.337Z"})])}function ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 12.75 11.25 15 15 9.75M21 12c0 1.268-.63 2.39-1.593 3.068a3.745 3.745 0 0 1-1.043 3.296 3.745 3.745 0 0 1-3.296 1.043A3.745 3.745 0 0 1 12 21c-1.268 0-2.39-.63-3.068-1.593a3.746 3.746 0 0 1-3.296-1.043 3.745 3.745 0 0 1-1.043-3.296A3.745 3.745 0 0 1 3 12c0-1.268.63-2.39 1.593-3.068a3.745 3.745 0 0 1 1.043-3.296 3.746 3.746 0 0 1 3.296-1.043A3.746 3.746 0 0 1 12 3c1.268 0 2.39.63 3.068 1.593a3.746 3.746 0 0 1 3.296 1.043 3.746 3.746 0 0 1 1.043 3.296A3.745 3.745 0 0 1 21 12Z"})])}function it(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 12.75 11.25 15 15 9.75M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function at(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m4.5 12.75 6 6 9-13.5"})])}function lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m4.5 5.25 7.5 7.5 7.5-7.5m-15 6 7.5 7.5 7.5-7.5"})])}function st(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m18.75 4.5-7.5 7.5 7.5 7.5m-6-15L5.25 12l7.5 7.5"})])}function ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m5.25 4.5 7.5 7.5-7.5 7.5m6-15 7.5 7.5-7.5 7.5"})])}function ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m4.5 18.75 7.5-7.5 7.5 7.5"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m4.5 12.75 7.5-7.5 7.5 7.5"})])}function dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m19.5 8.25-7.5 7.5-7.5-7.5"})])}function ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 19.5 8.25 12l7.5-7.5"})])}function pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m8.25 4.5 7.5 7.5-7.5 7.5"})])}function ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 15 12 18.75 15.75 15m-7.5-6L12 5.25 15.75 9"})])}function mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m4.5 15.75 7.5-7.5 7.5 7.5"})])}function vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M20.25 6.375c0 2.278-3.694 4.125-8.25 4.125S3.75 8.653 3.75 6.375m16.5 0c0-2.278-3.694-4.125-8.25-4.125S3.75 4.097 3.75 6.375m16.5 0v11.25c0 2.278-3.694 4.125-8.25 4.125s-8.25-1.847-8.25-4.125V6.375m16.5 0v3.75m-16.5-3.75v3.75m16.5 0v3.75C20.25 16.153 16.556 18 12 18s-8.25-1.847-8.25-4.125v-3.75m16.5 0c0 2.278-3.694 4.125-8.25 4.125s-8.25-1.847-8.25-4.125"})])}function gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M11.35 3.836c-.065.21-.1.433-.1.664 0 .414.336.75.75.75h4.5a.75.75 0 0 0 .75-.75 2.25 2.25 0 0 0-.1-.664m-5.8 0A2.251 2.251 0 0 1 13.5 2.25H15c1.012 0 1.867.668 2.15 1.586m-5.8 0c-.376.023-.75.05-1.124.08C9.095 4.01 8.25 4.973 8.25 6.108V8.25m8.9-4.414c.376.023.75.05 1.124.08 1.131.094 1.976 1.057 1.976 2.192V16.5A2.25 2.25 0 0 1 18 18.75h-2.25m-7.5-10.5H4.875c-.621 0-1.125.504-1.125 1.125v11.25c0 .621.504 1.125 1.125 1.125h9.75c.621 0 1.125-.504 1.125-1.125V18.75m-7.5-10.5h6.375c.621 0 1.125.504 1.125 1.125v9.375m-8.25-3 1.5 1.5 3-3.75"})])}function wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 12h3.75M9 15h3.75M9 18h3.75m3 .75H18a2.25 2.25 0 0 0 2.25-2.25V6.108c0-1.135-.845-2.098-1.976-2.192a48.424 48.424 0 0 0-1.123-.08m-5.801 0c-.065.21-.1.433-.1.664 0 .414.336.75.75.75h4.5a.75.75 0 0 0 .75-.75 2.25 2.25 0 0 0-.1-.664m-5.8 0A2.251 2.251 0 0 1 13.5 2.25H15c1.012 0 1.867.668 2.15 1.586m-5.8 0c-.376.023-.75.05-1.124.08C9.095 4.01 8.25 4.973 8.25 6.108V8.25m0 0H4.875c-.621 0-1.125.504-1.125 1.125v11.25c0 .621.504 1.125 1.125 1.125h9.75c.621 0 1.125-.504 1.125-1.125V9.375c0-.621-.504-1.125-1.125-1.125H8.25ZM6.75 12h.008v.008H6.75V12Zm0 3h.008v.008H6.75V15Zm0 3h.008v.008H6.75V18Z"})])}function yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 7.5V6.108c0-1.135.845-2.098 1.976-2.192.373-.03.748-.057 1.123-.08M15.75 18H18a2.25 2.25 0 0 0 2.25-2.25V6.108c0-1.135-.845-2.098-1.976-2.192a48.424 48.424 0 0 0-1.123-.08M15.75 18.75v-1.875a3.375 3.375 0 0 0-3.375-3.375h-1.5a1.125 1.125 0 0 1-1.125-1.125v-1.5A3.375 3.375 0 0 0 6.375 7.5H5.25m11.9-3.664A2.251 2.251 0 0 0 15 2.25h-1.5a2.251 2.251 0 0 0-2.15 1.586m5.8 0c.065.21.1.433.1.664v.75h-6V4.5c0-.231.035-.454.1-.664M6.75 7.5H4.875c-.621 0-1.125.504-1.125 1.125v12c0 .621.504 1.125 1.125 1.125h9.75c.621 0 1.125-.504 1.125-1.125V16.5a9 9 0 0 0-9-9Z"})])}function bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.666 3.888A2.25 2.25 0 0 0 13.5 2.25h-3c-1.03 0-1.9.693-2.166 1.638m7.332 0c.055.194.084.4.084.612v0a.75.75 0 0 1-.75.75H9a.75.75 0 0 1-.75-.75v0c0-.212.03-.418.084-.612m7.332 0c.646.049 1.288.11 1.927.184 1.1.128 1.907 1.077 1.907 2.185V19.5a2.25 2.25 0 0 1-2.25 2.25H6.75A2.25 2.25 0 0 1 4.5 19.5V6.257c0-1.108.806-2.057 1.907-2.185a48.208 48.208 0 0 1 1.927-.184"})])}function xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 6v6h4.5m4.5 0a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 9.75v6.75m0 0-3-3m3 3 3-3m-8.25 6a4.5 4.5 0 0 1-1.41-8.775 5.25 5.25 0 0 1 10.233-2.33 3 3 0 0 1 3.758 3.848A3.752 3.752 0 0 1 18 19.5H6.75Z"})])}function Et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 16.5V9.75m0 0 3 3m-3-3-3 3M6.75 19.5a4.5 4.5 0 0 1-1.41-8.775 5.25 5.25 0 0 1 10.233-2.33 3 3 0 0 1 3.758 3.848A3.752 3.752 0 0 1 18 19.5H6.75Z"})])}function At(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 15a4.5 4.5 0 0 0 4.5 4.5H18a3.75 3.75 0 0 0 1.332-7.257 3 3 0 0 0-3.758-3.848 5.25 5.25 0 0 0-10.233 2.33A4.502 4.502 0 0 0 2.25 15Z"})])}function Ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.25 9.75 16.5 12l-2.25 2.25m-4.5 0L7.5 12l2.25-2.25M6 20.25h12A2.25 2.25 0 0 0 20.25 18V6A2.25 2.25 0 0 0 18 3.75H6A2.25 2.25 0 0 0 3.75 6v12A2.25 2.25 0 0 0 6 20.25Z"})])}function Bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M17.25 6.75 22.5 12l-5.25 5.25m-10.5 0L1.5 12l5.25-5.25m7.5-3-4.5 16.5"})])}function Mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.594 3.94c.09-.542.56-.94 1.11-.94h2.593c.55 0 1.02.398 1.11.94l.213 1.281c.063.374.313.686.645.87.074.04.147.083.22.127.325.196.72.257 1.075.124l1.217-.456a1.125 1.125 0 0 1 1.37.49l1.296 2.247a1.125 1.125 0 0 1-.26 1.431l-1.003.827c-.293.241-.438.613-.43.992a7.723 7.723 0 0 1 0 .255c-.008.378.137.75.43.991l1.004.827c.424.35.534.955.26 1.43l-1.298 2.247a1.125 1.125 0 0 1-1.369.491l-1.217-.456c-.355-.133-.75-.072-1.076.124a6.47 6.47 0 0 1-.22.128c-.331.183-.581.495-.644.869l-.213 1.281c-.09.543-.56.94-1.11.94h-2.594c-.55 0-1.019-.398-1.11-.94l-.213-1.281c-.062-.374-.312-.686-.644-.87a6.52 6.52 0 0 1-.22-.127c-.325-.196-.72-.257-1.076-.124l-1.217.456a1.125 1.125 0 0 1-1.369-.49l-1.297-2.247a1.125 1.125 0 0 1 .26-1.431l1.004-.827c.292-.24.437-.613.43-.991a6.932 6.932 0 0 1 0-.255c.007-.38-.138-.751-.43-.992l-1.004-.827a1.125 1.125 0 0 1-.26-1.43l1.297-2.247a1.125 1.125 0 0 1 1.37-.491l1.216.456c.356.133.751.072 1.076-.124.072-.044.146-.086.22-.128.332-.183.582-.495.644-.869l.214-1.28Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 12a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z"})])}function _t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.343 3.94c.09-.542.56-.94 1.11-.94h1.093c.55 0 1.02.398 1.11.94l.149.894c.07.424.384.764.78.93.398.164.855.142 1.205-.108l.737-.527a1.125 1.125 0 0 1 1.45.12l.773.774c.39.389.44 1.002.12 1.45l-.527.737c-.25.35-.272.806-.107 1.204.165.397.505.71.93.78l.893.15c.543.09.94.559.94 1.109v1.094c0 .55-.397 1.02-.94 1.11l-.894.149c-.424.07-.764.383-.929.78-.165.398-.143.854.107 1.204l.527.738c.32.447.269 1.06-.12 1.45l-.774.773a1.125 1.125 0 0 1-1.449.12l-.738-.527c-.35-.25-.806-.272-1.203-.107-.398.165-.71.505-.781.929l-.149.894c-.09.542-.56.94-1.11.94h-1.094c-.55 0-1.019-.398-1.11-.94l-.148-.894c-.071-.424-.384-.764-.781-.93-.398-.164-.854-.142-1.204.108l-.738.527c-.447.32-1.06.269-1.45-.12l-.773-.774a1.125 1.125 0 0 1-.12-1.45l.527-.737c.25-.35.272-.806.108-1.204-.165-.397-.506-.71-.93-.78l-.894-.15c-.542-.09-.94-.56-.94-1.109v-1.094c0-.55.398-1.02.94-1.11l.894-.149c.424-.07.765-.383.93-.78.165-.398.143-.854-.108-1.204l-.526-.738a1.125 1.125 0 0 1 .12-1.45l.773-.773a1.125 1.125 0 0 1 1.45-.12l.737.527c.35.25.807.272 1.204.107.397-.165.71-.505.78-.929l.15-.894Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 12a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z"})])}function St(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.5 12a7.5 7.5 0 0 0 15 0m-15 0a7.5 7.5 0 1 1 15 0m-15 0H3m16.5 0H21m-1.5 0H12m-8.457 3.077 1.41-.513m14.095-5.13 1.41-.513M5.106 17.785l1.15-.964m11.49-9.642 1.149-.964M7.501 19.795l.75-1.3m7.5-12.99.75-1.3m-6.063 16.658.26-1.477m2.605-14.772.26-1.477m0 17.726-.26-1.477M10.698 4.614l-.26-1.477M16.5 19.794l-.75-1.299M7.5 4.205 12 12m6.894 5.785-1.149-.964M6.256 7.178l-1.15-.964m15.352 8.864-1.41-.513M4.954 9.435l-1.41-.514M12.002 12l-3.75 6.495"})])}function Nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m6.75 7.5 3 2.25-3 2.25m4.5 0h3m-9 8.25h13.5A2.25 2.25 0 0 0 21 18V6a2.25 2.25 0 0 0-2.25-2.25H5.25A2.25 2.25 0 0 0 3 6v12a2.25 2.25 0 0 0 2.25 2.25Z"})])}function Vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 17.25v1.007a3 3 0 0 1-.879 2.122L7.5 21h9l-.621-.621A3 3 0 0 1 15 18.257V17.25m6-12V15a2.25 2.25 0 0 1-2.25 2.25H5.25A2.25 2.25 0 0 1 3 15V5.25m18 0A2.25 2.25 0 0 0 18.75 3H5.25A2.25 2.25 0 0 0 3 5.25m18 0V12a2.25 2.25 0 0 1-2.25 2.25H5.25A2.25 2.25 0 0 1 3 12V5.25"})])}function Lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 3v1.5M4.5 8.25H3m18 0h-1.5M4.5 12H3m18 0h-1.5m-15 3.75H3m18 0h-1.5M8.25 19.5V21M12 3v1.5m0 15V21m3.75-18v1.5m0 15V21m-9-1.5h10.5a2.25 2.25 0 0 0 2.25-2.25V6.75a2.25 2.25 0 0 0-2.25-2.25H6.75A2.25 2.25 0 0 0 4.5 6.75v10.5a2.25 2.25 0 0 0 2.25 2.25Zm.75-12h9v9h-9v-9Z"})])}function Tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 8.25h19.5M2.25 9h19.5m-16.5 5.25h6m-6 2.25h3m-3.75 3h15a2.25 2.25 0 0 0 2.25-2.25V6.75A2.25 2.25 0 0 0 19.5 4.5h-15a2.25 2.25 0 0 0-2.25 2.25v10.5A2.25 2.25 0 0 0 4.5 19.5Z"})])}function It(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m21 7.5-2.25-1.313M21 7.5v2.25m0-2.25-2.25 1.313M3 7.5l2.25-1.313M3 7.5l2.25 1.313M3 7.5v2.25m9 3 2.25-1.313M12 12.75l-2.25-1.313M12 12.75V15m0 6.75 2.25-1.313M12 21.75V19.5m0 2.25-2.25-1.313m0-16.875L12 2.25l2.25 1.313M21 14.25v2.25l-2.25 1.313m-13.5 0L3 16.5v-2.25"})])}function Zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m21 7.5-9-5.25L3 7.5m18 0-9 5.25m9-5.25v9l-9 5.25M3 7.5l9 5.25M3 7.5v9l9 5.25m0-9v9"})])}function Ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m8.25 7.5.415-.207a.75.75 0 0 1 1.085.67V10.5m0 0h6m-6 0h-1.5m1.5 0v5.438c0 .354.161.697.473.865a3.751 3.751 0 0 0 5.452-2.553c.083-.409-.263-.75-.68-.75h-.745M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function Dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 6v12m-3-2.818.879.659c1.171.879 3.07.879 4.242 0 1.172-.879 1.172-2.303 0-3.182C13.536 12.219 12.768 12 12 12c-.725 0-1.45-.22-2.003-.659-1.106-.879-1.106-2.303 0-3.182s2.9-.879 4.006 0l.415.33M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function Rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.25 7.756a4.5 4.5 0 1 0 0 8.488M7.5 10.5h5.25m-5.25 3h5.25M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function Ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.121 7.629A3 3 0 0 0 9.017 9.43c-.023.212-.002.425.028.636l.506 3.541a4.5 4.5 0 0 1-.43 2.65L9 16.5l1.539-.513a2.25 2.25 0 0 1 1.422 0l.655.218a2.25 2.25 0 0 0 1.718-.122L15 15.75M8.25 12H12m9 0a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function Pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 8.25H9m6 3H9m3 6-3-3h1.5a3 3 0 1 0 0-6M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9 7.5 3 4.5m0 0 3-4.5M12 12v5.25M15 12H9m6 3H9m12-3a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function Ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.042 21.672 13.684 16.6m0 0-2.51 2.225.569-9.47 5.227 7.917-3.286-.672ZM12 2.25V4.5m5.834.166-1.591 1.591M20.25 10.5H18M7.757 14.743l-1.59 1.59M6 10.5H3.75m4.007-4.243-1.59-1.59"})])}function zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.042 21.672 13.684 16.6m0 0-2.51 2.225.569-9.47 5.227 7.917-3.286-.672Zm-7.518-.267A8.25 8.25 0 1 1 20.25 10.5M8.288 14.212A5.25 5.25 0 1 1 17.25 10.5"})])}function qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.5 1.5H8.25A2.25 2.25 0 0 0 6 3.75v16.5a2.25 2.25 0 0 0 2.25 2.25h7.5A2.25 2.25 0 0 0 18 20.25V3.75a2.25 2.25 0 0 0-2.25-2.25H13.5m-3 0V3h3V1.5m-3 0h3m-3 18.75h3"})])}function Ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.5 19.5h3m-6.75 2.25h10.5a2.25 2.25 0 0 0 2.25-2.25v-15a2.25 2.25 0 0 0-2.25-2.25H6.75A2.25 2.25 0 0 0 4.5 4.5v15a2.25 2.25 0 0 0 2.25 2.25Z"})])}function $t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.499 11.998h15m-7.5-6.75h.008v.008h-.008v-.008Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0ZM12 18.751h.007v.007H12v-.007Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Z"})])}function Wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m.75 12 3 3m0 0 3-3m-3 3v-6m-1.5-9H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function Gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m6.75 12-3-3m0 0-3 3m3-3v6m-1.5-15H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function Kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25M9 16.5v.75m3-3v3M15 12v5.25m-4.5-15H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function Yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.125 2.25h-4.5c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125v-9M10.125 2.25h.375a9 9 0 0 1 9 9v.375M10.125 2.25A3.375 3.375 0 0 1 13.5 5.625v1.5c0 .621.504 1.125 1.125 1.125h1.5a3.375 3.375 0 0 1 3.375 3.375M9 15l2.25 2.25L15 12"})])}function Xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m0 8.25.22-.22a.75.75 0 0 1 1.28.53v6.441c0 .472.214.934.64 1.137a3.75 3.75 0 0 0 4.994-1.77c.205-.428-.152-.868-.627-.868h-.507m-6-2.25h7.5M10.5 2.25H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function Jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m3.75 9v7.5m2.25-6.466a9.016 9.016 0 0 0-3.461-.203c-.536.072-.974.478-1.021 1.017a4.559 4.559 0 0 0-.018.402c0 .464.336.844.775.994l2.95 1.012c.44.15.775.53.775.994 0 .136-.006.27-.018.402-.047.539-.485.945-1.021 1.017a9.077 9.077 0 0 1-3.461-.203M10.5 2.25H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function Qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m0 11.625h4.5m-4.5 2.25h4.5m2.121 1.527c-1.171 1.464-3.07 1.464-4.242 0-1.172-1.465-1.172-3.84 0-5.304 1.171-1.464 3.07-1.464 4.242 0M10.5 2.25H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function en(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m6.621 9.879a3 3 0 0 0-5.02 2.897l.164.609a4.5 4.5 0 0 1-.108 2.676l-.157.439.44-.22a2.863 2.863 0 0 1 2.185-.155c.72.24 1.507.184 2.186-.155L15 18M8.25 15.75H12m-1.5-13.5H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m2.25 9h3.75m-4.5 2.625h4.5M12 18.75 9.75 16.5h.375a2.625 2.625 0 0 0 0-5.25H9.75m.75-9H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m1.5 9 2.25 3m0 0 2.25-3m-2.25 3v4.5M9.75 15h4.5m-4.5 2.25h4.5m-3.75-15H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 17.25v3.375c0 .621-.504 1.125-1.125 1.125h-9.75a1.125 1.125 0 0 1-1.125-1.125V7.875c0-.621.504-1.125 1.125-1.125H6.75a9.06 9.06 0 0 1 1.5.124m7.5 10.376h3.375c.621 0 1.125-.504 1.125-1.125V11.25c0-4.46-3.243-8.161-7.5-8.876a9.06 9.06 0 0 0-1.5-.124H9.375c-.621 0-1.125.504-1.125 1.125v3.5m7.5 10.375H9.375a1.125 1.125 0 0 1-1.125-1.125v-9.25m12 6.625v-1.875a3.375 3.375 0 0 0-3.375-3.375h-1.5a1.125 1.125 0 0 1-1.125-1.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H9.75"})])}function on(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m5.231 13.481L15 17.25m-4.5-15H5.625c-.621 0-1.125.504-1.125 1.125v16.5c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Zm3.75 11.625a2.625 2.625 0 1 1-5.25 0 2.625 2.625 0 0 1 5.25 0Z"})])}function an(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m6.75 12H9m1.5-12H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m3.75 9v6m3-3H9m1.5-12H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m0 12.75h7.5m-7.5 3H12M10.5 2.25H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 14.25v-2.625a3.375 3.375 0 0 0-3.375-3.375h-1.5A1.125 1.125 0 0 1 13.5 7.125v-1.5a3.375 3.375 0 0 0-3.375-3.375H8.25m2.25 0H5.625c-.621 0-1.125.504-1.125 1.125v17.25c0 .621.504 1.125 1.125 1.125h12.75c.621 0 1.125-.504 1.125-1.125V11.25a9 9 0 0 0-9-9Z"})])}function un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.625 12a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0H8.25m4.125 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0H12m4.125 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm0 0h-.375M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.75 12a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM12.75 12a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM18.75 12a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z"})])}function hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 6.75a.75.75 0 1 1 0-1.5.75.75 0 0 1 0 1.5ZM12 12.75a.75.75 0 1 1 0-1.5.75.75 0 0 1 0 1.5ZM12 18.75a.75.75 0 1 1 0-1.5.75.75 0 0 1 0 1.5Z"})])}function pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21.75 9v.906a2.25 2.25 0 0 1-1.183 1.981l-6.478 3.488M2.25 9v.906a2.25 2.25 0 0 0 1.183 1.981l6.478 3.488m8.839 2.51-4.66-2.51m0 0-1.023-.55a2.25 2.25 0 0 0-2.134 0l-1.022.55m0 0-4.661 2.51m16.5 1.615a2.25 2.25 0 0 1-2.25 2.25h-15a2.25 2.25 0 0 1-2.25-2.25V8.844a2.25 2.25 0 0 1 1.183-1.981l7.5-4.039a2.25 2.25 0 0 1 2.134 0l7.5 4.039a2.25 2.25 0 0 1 1.183 1.98V19.5Z"})])}function fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21.75 6.75v10.5a2.25 2.25 0 0 1-2.25 2.25h-15a2.25 2.25 0 0 1-2.25-2.25V6.75m19.5 0A2.25 2.25 0 0 0 19.5 4.5h-15a2.25 2.25 0 0 0-2.25 2.25m19.5 0v.243a2.25 2.25 0 0 1-1.07 1.916l-7.5 4.615a2.25 2.25 0 0 1-2.36 0L3.32 8.91a2.25 2.25 0 0 1-1.07-1.916V6.75"})])}function mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.499 8.248h15m-15 7.501h15"})])}function vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 9v3.75m9-.75a9 9 0 1 1-18 0 9 9 0 0 1 18 0Zm-9 3.75h.008v.008H12v-.008Z"})])}function gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 9v3.75m-9.303 3.376c-.866 1.5.217 3.374 1.948 3.374h14.71c1.73 0 2.813-1.874 1.948-3.374L13.949 3.378c-.866-1.5-3.032-1.5-3.898 0L2.697 16.126ZM12 15.75h.007v.008H12v-.008Z"})])}function wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m15 11.25 1.5 1.5.75-.75V8.758l2.276-.61a3 3 0 1 0-3.675-3.675l-.61 2.277H12l-.75.75 1.5 1.5M15 11.25l-8.47 8.47c-.34.34-.8.53-1.28.53s-.94.19-1.28.53l-.97.97-.75-.75.97-.97c.34-.34.53-.8.53-1.28s.19-.94.53-1.28L12.75 9M15 11.25 12.75 9"})])}function yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.98 8.223A10.477 10.477 0 0 0 1.934 12C3.226 16.338 7.244 19.5 12 19.5c.993 0 1.953-.138 2.863-.395M6.228 6.228A10.451 10.451 0 0 1 12 4.5c4.756 0 8.773 3.162 10.065 7.498a10.522 10.522 0 0 1-4.293 5.774M6.228 6.228 3 3m3.228 3.228 3.65 3.65m7.894 7.894L21 21m-3.228-3.228-3.65-3.65m0 0a3 3 0 1 0-4.243-4.243m4.242 4.242L9.88 9.88"})])}function bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.036 12.322a1.012 1.012 0 0 1 0-.639C3.423 7.51 7.36 4.5 12 4.5c4.638 0 8.573 3.007 9.963 7.178.07.207.07.431 0 .639C20.577 16.49 16.64 19.5 12 19.5c-4.638 0-8.573-3.007-9.963-7.178Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 12a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z"})])}function xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.182 16.318A4.486 4.486 0 0 0 12.016 15a4.486 4.486 0 0 0-3.198 1.318M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0ZM9.75 9.75c0 .414-.168.75-.375.75S9 10.164 9 9.75 9.168 9 9.375 9s.375.336.375.75Zm-.375 0h.008v.015h-.008V9.75Zm5.625 0c0 .414-.168.75-.375.75s-.375-.336-.375-.75.168-.75.375-.75.375.336.375.75Zm-.375 0h.008v.015h-.008V9.75Z"})])}function kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.182 15.182a4.5 4.5 0 0 1-6.364 0M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0ZM9.75 9.75c0 .414-.168.75-.375.75S9 10.164 9 9.75 9.168 9 9.375 9s.375.336.375.75Zm-.375 0h.008v.015h-.008V9.75Zm5.625 0c0 .414-.168.75-.375.75s-.375-.336-.375-.75.168-.75.375-.75.375.336.375.75Zm-.375 0h.008v.015h-.008V9.75Z"})])}function En(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.375 19.5h17.25m-17.25 0a1.125 1.125 0 0 1-1.125-1.125M3.375 19.5h1.5C5.496 19.5 6 18.996 6 18.375m-3.75 0V5.625m0 12.75v-1.5c0-.621.504-1.125 1.125-1.125m18.375 2.625V5.625m0 12.75c0 .621-.504 1.125-1.125 1.125m1.125-1.125v-1.5c0-.621-.504-1.125-1.125-1.125m0 3.75h-1.5A1.125 1.125 0 0 1 18 18.375M20.625 4.5H3.375m17.25 0c.621 0 1.125.504 1.125 1.125M20.625 4.5h-1.5C18.504 4.5 18 5.004 18 5.625m3.75 0v1.5c0 .621-.504 1.125-1.125 1.125M3.375 4.5c-.621 0-1.125.504-1.125 1.125M3.375 4.5h1.5C5.496 4.5 6 5.004 6 5.625m-3.75 0v1.5c0 .621.504 1.125 1.125 1.125m0 0h1.5m-1.5 0c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125m1.5-3.75C5.496 8.25 6 7.746 6 7.125v-1.5M4.875 8.25C5.496 8.25 6 8.754 6 9.375v1.5m0-5.25v5.25m0-5.25C6 5.004 6.504 4.5 7.125 4.5h9.75c.621 0 1.125.504 1.125 1.125m1.125 2.625h1.5m-1.5 0A1.125 1.125 0 0 1 18 7.125v-1.5m1.125 2.625c-.621 0-1.125.504-1.125 1.125v1.5m2.625-2.625c.621 0 1.125.504 1.125 1.125v1.5c0 .621-.504 1.125-1.125 1.125M18 5.625v5.25M7.125 12h9.75m-9.75 0A1.125 1.125 0 0 1 6 10.875M7.125 12C6.504 12 6 12.504 6 13.125m0-2.25C6 11.496 5.496 12 4.875 12M18 10.875c0 .621-.504 1.125-1.125 1.125M18 10.875c0 .621.504 1.125 1.125 1.125m-2.25 0c.621 0 1.125.504 1.125 1.125m-12 5.25v-5.25m0 5.25c0 .621.504 1.125 1.125 1.125h9.75c.621 0 1.125-.504 1.125-1.125m-12 0v-1.5c0-.621-.504-1.125-1.125-1.125M18 18.375v-5.25m0 5.25v-1.5c0-.621.504-1.125 1.125-1.125M18 13.125v1.5c0 .621.504 1.125 1.125 1.125M18 13.125c0-.621.504-1.125 1.125-1.125M6 13.125v1.5c0 .621-.504 1.125-1.125 1.125M6 13.125C6 12.504 5.496 12 4.875 12m-1.5 0h1.5m-1.5 0c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125M19.125 12h1.5m0 0c.621 0 1.125.504 1.125 1.125v1.5c0 .621-.504 1.125-1.125 1.125m-17.25 0h1.5m14.25 0h1.5"})])}function An(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.864 4.243A7.5 7.5 0 0 1 19.5 10.5c0 2.92-.556 5.709-1.568 8.268M5.742 6.364A7.465 7.465 0 0 0 4.5 10.5a7.464 7.464 0 0 1-1.15 3.993m1.989 3.559A11.209 11.209 0 0 0 8.25 10.5a3.75 3.75 0 1 1 7.5 0c0 .527-.021 1.049-.064 1.565M12 10.5a14.94 14.94 0 0 1-3.6 9.75m6.633-4.596a18.666 18.666 0 0 1-2.485 5.33"})])}function Cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.362 5.214A8.252 8.252 0 0 1 12 21 8.25 8.25 0 0 1 6.038 7.047 8.287 8.287 0 0 0 9 9.601a8.983 8.983 0 0 1 3.361-6.867 8.21 8.21 0 0 0 3 2.48Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 18a3.75 3.75 0 0 0 .495-7.468 5.99 5.99 0 0 0-1.925 3.547 5.975 5.975 0 0 1-2.133-1.001A3.75 3.75 0 0 0 12 18Z"})])}function Bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 3v1.5M3 21v-6m0 0 2.77-.693a9 9 0 0 1 6.208.682l.108.054a9 9 0 0 0 6.086.71l3.114-.732a48.524 48.524 0 0 1-.005-10.499l-3.11.732a9 9 0 0 1-6.085-.711l-.108-.054a9 9 0 0 0-6.208-.682L3 4.5M3 15V4.5"})])}function Mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9 13.5 3 3m0 0 3-3m-3 3v-6m1.06-4.19-2.12-2.12a1.5 1.5 0 0 0-1.061-.44H4.5A2.25 2.25 0 0 0 2.25 6v12a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 18V9a2.25 2.25 0 0 0-2.25-2.25h-5.379a1.5 1.5 0 0 1-1.06-.44Z"})])}function _n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 13.5H9m4.06-7.19-2.12-2.12a1.5 1.5 0 0 0-1.061-.44H4.5A2.25 2.25 0 0 0 2.25 6v12a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 18V9a2.25 2.25 0 0 0-2.25-2.25h-5.379a1.5 1.5 0 0 1-1.06-.44Z"})])}function Sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 9.776c.112-.017.227-.026.344-.026h15.812c.117 0 .232.009.344.026m-16.5 0a2.25 2.25 0 0 0-1.883 2.542l.857 6a2.25 2.25 0 0 0 2.227 1.932H19.05a2.25 2.25 0 0 0 2.227-1.932l.857-6a2.25 2.25 0 0 0-1.883-2.542m-16.5 0V6A2.25 2.25 0 0 1 6 3.75h3.879a1.5 1.5 0 0 1 1.06.44l2.122 2.12a1.5 1.5 0 0 0 1.06.44H18A2.25 2.25 0 0 1 20.25 9v.776"})])}function Nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 10.5v6m3-3H9m4.06-7.19-2.12-2.12a1.5 1.5 0 0 0-1.061-.44H4.5A2.25 2.25 0 0 0 2.25 6v12a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 18V9a2.25 2.25 0 0 0-2.25-2.25h-5.379a1.5 1.5 0 0 1-1.06-.44Z"})])}function Vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 12.75V12A2.25 2.25 0 0 1 4.5 9.75h15A2.25 2.25 0 0 1 21.75 12v.75m-8.69-6.44-2.12-2.12a1.5 1.5 0 0 0-1.061-.44H4.5A2.25 2.25 0 0 0 2.25 6v12a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 18V9a2.25 2.25 0 0 0-2.25-2.25h-5.379a1.5 1.5 0 0 1-1.06-.44Z"})])}function Ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 8.689c0-.864.933-1.406 1.683-.977l7.108 4.061a1.125 1.125 0 0 1 0 1.954l-7.108 4.061A1.125 1.125 0 0 1 3 16.811V8.69ZM12.75 8.689c0-.864.933-1.406 1.683-.977l7.108 4.061a1.125 1.125 0 0 1 0 1.954l-7.108 4.061a1.125 1.125 0 0 1-1.683-.977V8.69Z"})])}function Tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 3c2.755 0 5.455.232 8.083.678.533.09.917.556.917 1.096v1.044a2.25 2.25 0 0 1-.659 1.591l-5.432 5.432a2.25 2.25 0 0 0-.659 1.591v2.927a2.25 2.25 0 0 1-1.244 2.013L9.75 21v-6.568a2.25 2.25 0 0 0-.659-1.591L3.659 7.409A2.25 2.25 0 0 1 3 5.818V4.774c0-.54.384-1.006.917-1.096A48.32 48.32 0 0 1 12 3Z"})])}function In(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12.75 8.25v7.5m6-7.5h-3V12m0 0v3.75m0-3.75H18M9.75 9.348c-1.03-1.464-2.698-1.464-3.728 0-1.03 1.465-1.03 3.84 0 5.304 1.03 1.464 2.699 1.464 3.728 0V12h-1.5M4.5 19.5h15a2.25 2.25 0 0 0 2.25-2.25V6.75A2.25 2.25 0 0 0 19.5 4.5h-15a2.25 2.25 0 0 0-2.25 2.25v10.5A2.25 2.25 0 0 0 4.5 19.5Z"})])}function Zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 3.75v16.5M2.25 12h19.5M6.375 17.25a4.875 4.875 0 0 0 4.875-4.875V12m6.375 5.25a4.875 4.875 0 0 1-4.875-4.875V12m-9 8.25h16.5a1.5 1.5 0 0 0 1.5-1.5V5.25a1.5 1.5 0 0 0-1.5-1.5H3.75a1.5 1.5 0 0 0-1.5 1.5v13.5a1.5 1.5 0 0 0 1.5 1.5Zm12.621-9.44c-1.409 1.41-4.242 1.061-4.242 1.061s-.349-2.833 1.06-4.242a2.25 2.25 0 0 1 3.182 3.182ZM10.773 7.63c1.409 1.409 1.06 4.242 1.06 4.242S9 12.22 7.592 10.811a2.25 2.25 0 1 1 3.182-3.182Z"})])}function On(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 11.25v8.25a1.5 1.5 0 0 1-1.5 1.5H5.25a1.5 1.5 0 0 1-1.5-1.5v-8.25M12 4.875A2.625 2.625 0 1 0 9.375 7.5H12m0-2.625V7.5m0-2.625A2.625 2.625 0 1 1 14.625 7.5H12m0 0V21m-8.625-9.75h18c.621 0 1.125-.504 1.125-1.125v-1.5c0-.621-.504-1.125-1.125-1.125h-18c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125Z"})])}function Dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 21a9.004 9.004 0 0 0 8.716-6.747M12 21a9.004 9.004 0 0 1-8.716-6.747M12 21c2.485 0 4.5-4.03 4.5-9S14.485 3 12 3m0 18c-2.485 0-4.5-4.03-4.5-9S9.515 3 12 3m0 0a8.997 8.997 0 0 1 7.843 4.582M12 3a8.997 8.997 0 0 0-7.843 4.582m15.686 0A11.953 11.953 0 0 1 12 10.5c-2.998 0-5.74-1.1-7.843-2.918m15.686 0A8.959 8.959 0 0 1 21 12c0 .778-.099 1.533-.284 2.253m0 0A17.919 17.919 0 0 1 12 16.5c-3.162 0-6.133-.815-8.716-2.247m0 0A9.015 9.015 0 0 1 3 12c0-1.605.42-3.113 1.157-4.418"})])}function Rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m6.115 5.19.319 1.913A6 6 0 0 0 8.11 10.36L9.75 12l-.387.775c-.217.433-.132.956.21 1.298l1.348 1.348c.21.21.329.497.329.795v1.089c0 .426.24.815.622 1.006l.153.076c.433.217.956.132 1.298-.21l.723-.723a8.7 8.7 0 0 0 2.288-4.042 1.087 1.087 0 0 0-.358-1.099l-1.33-1.108c-.251-.21-.582-.299-.905-.245l-1.17.195a1.125 1.125 0 0 1-.98-.314l-.295-.295a1.125 1.125 0 0 1 0-1.591l.13-.132a1.125 1.125 0 0 1 1.3-.21l.603.302a.809.809 0 0 0 1.086-1.086L14.25 7.5l1.256-.837a4.5 4.5 0 0 0 1.528-1.732l.146-.292M6.115 5.19A9 9 0 1 0 17.18 4.64M6.115 5.19A8.965 8.965 0 0 1 12 3c1.929 0 3.716.607 5.18 1.64"})])}function Hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12.75 3.03v.568c0 .334.148.65.405.864l1.068.89c.442.369.535 1.01.216 1.49l-.51.766a2.25 2.25 0 0 1-1.161.886l-.143.048a1.107 1.107 0 0 0-.57 1.664c.369.555.169 1.307-.427 1.605L9 13.125l.423 1.059a.956.956 0 0 1-1.652.928l-.679-.906a1.125 1.125 0 0 0-1.906.172L4.5 15.75l-.612.153M12.75 3.031a9 9 0 0 0-8.862 12.872M12.75 3.031a9 9 0 0 1 6.69 14.036m0 0-.177-.529A2.25 2.25 0 0 0 17.128 15H16.5l-.324-.324a1.453 1.453 0 0 0-2.328.377l-.036.073a1.586 1.586 0 0 1-.982.816l-.99.282c-.55.157-.894.702-.8 1.267l.073.438c.08.474.49.821.97.821.846 0 1.598.542 1.865 1.345l.215.643m5.276-3.67a9.012 9.012 0 0 1-5.276 3.67m0 0a9 9 0 0 1-10.275-4.835M15.75 9c0 .896-.393 1.7-1.016 2.25"})])}function Pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m20.893 13.393-1.135-1.135a2.252 2.252 0 0 1-.421-.585l-1.08-2.16a.414.414 0 0 0-.663-.107.827.827 0 0 1-.812.21l-1.273-.363a.89.89 0 0 0-.738 1.595l.587.39c.59.395.674 1.23.172 1.732l-.2.2c-.212.212-.33.498-.33.796v.41c0 .409-.11.809-.32 1.158l-1.315 2.191a2.11 2.11 0 0 1-1.81 1.025 1.055 1.055 0 0 1-1.055-1.055v-1.172c0-.92-.56-1.747-1.414-2.089l-.655-.261a2.25 2.25 0 0 1-1.383-2.46l.007-.042a2.25 2.25 0 0 1 .29-.787l.09-.15a2.25 2.25 0 0 1 2.37-1.048l1.178.236a1.125 1.125 0 0 0 1.302-.795l.208-.73a1.125 1.125 0 0 0-.578-1.315l-.665-.332-.091.091a2.25 2.25 0 0 1-1.591.659h-.18c-.249 0-.487.1-.662.274a.931.931 0 0 1-1.458-1.137l1.411-2.353a2.25 2.25 0 0 0 .286-.76m11.928 9.869A9 9 0 0 0 8.965 3.525m11.928 9.868A9 9 0 1 1 8.965 3.525"})])}function jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.243 4.493v7.5m0 0v7.502m0-7.501h10.5m0-7.5v7.5m0 0v7.501m4.501-8.627 2.25-1.5v10.126m0 0h-2.25m2.25 0h2.25"})])}function Fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21.75 19.5H16.5v-1.609a2.25 2.25 0 0 1 1.244-2.012l2.89-1.445c.651-.326 1.116-.955 1.116-1.683 0-.498-.04-.987-.118-1.463-.135-.825-.835-1.422-1.668-1.489a15.202 15.202 0 0 0-3.464.12M2.243 4.492v7.5m0 0v7.502m0-7.501h10.5m0-7.5v7.5m0 0v7.501"})])}function zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M20.905 14.626a4.52 4.52 0 0 1 .738 3.603c-.154.695-.794 1.143-1.504 1.208a15.194 15.194 0 0 1-3.639-.104m4.405-4.707a4.52 4.52 0 0 0 .738-3.603c-.154-.696-.794-1.144-1.504-1.209a15.19 15.19 0 0 0-3.639.104m4.405 4.708H18M2.243 4.493v7.5m0 0v7.502m0-7.501h10.5m0-7.5v7.5m0 0v7.501"})])}function qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.05 4.575a1.575 1.575 0 1 0-3.15 0v3m3.15-3v-1.5a1.575 1.575 0 0 1 3.15 0v1.5m-3.15 0 .075 5.925m3.075.75V4.575m0 0a1.575 1.575 0 0 1 3.15 0V15M6.9 7.575a1.575 1.575 0 1 0-3.15 0v8.175a6.75 6.75 0 0 0 6.75 6.75h2.018a5.25 5.25 0 0 0 3.712-1.538l1.732-1.732a5.25 5.25 0 0 0 1.538-3.712l.003-2.024a.668.668 0 0 1 .198-.471 1.575 1.575 0 1 0-2.228-2.228 3.818 3.818 0 0 0-1.12 2.687M6.9 7.575V12m6.27 4.318A4.49 4.49 0 0 1 16.35 15m.002 0h-.002"})])}function Un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.498 15.25H4.372c-1.026 0-1.945-.694-2.054-1.715a12.137 12.137 0 0 1-.068-1.285c0-2.848.992-5.464 2.649-7.521C5.287 4.247 5.886 4 6.504 4h4.016a4.5 4.5 0 0 1 1.423.23l3.114 1.04a4.5 4.5 0 0 0 1.423.23h1.294M7.498 15.25c.618 0 .991.724.725 1.282A7.471 7.471 0 0 0 7.5 19.75 2.25 2.25 0 0 0 9.75 22a.75.75 0 0 0 .75-.75v-.633c0-.573.11-1.14.322-1.672.304-.76.93-1.33 1.653-1.715a9.04 9.04 0 0 0 2.86-2.4c.498-.634 1.226-1.08 2.032-1.08h.384m-10.253 1.5H9.7m8.075-9.75c.01.05.027.1.05.148.593 1.2.925 2.55.925 3.977 0 1.487-.36 2.89-.999 4.125m.023-8.25c-.076-.365.183-.75.575-.75h.908c.889 0 1.713.518 1.972 1.368.339 1.11.521 2.287.521 3.507 0 1.553-.295 3.036-.831 4.398-.306.774-1.086 1.227-1.918 1.227h-1.053c-.472 0-.745-.556-.5-.96a8.95 8.95 0 0 0 .303-.54"})])}function $n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.633 10.25c.806 0 1.533-.446 2.031-1.08a9.041 9.041 0 0 1 2.861-2.4c.723-.384 1.35-.956 1.653-1.715a4.498 4.498 0 0 0 .322-1.672V2.75a.75.75 0 0 1 .75-.75 2.25 2.25 0 0 1 2.25 2.25c0 1.152-.26 2.243-.723 3.218-.266.558.107 1.282.725 1.282m0 0h3.126c1.026 0 1.945.694 2.054 1.715.045.422.068.85.068 1.285a11.95 11.95 0 0 1-2.649 7.521c-.388.482-.987.729-1.605.729H13.48c-.483 0-.964-.078-1.423-.23l-3.114-1.04a4.501 4.501 0 0 0-1.423-.23H5.904m10.598-9.75H14.25M5.904 18.5c.083.205.173.405.27.602.197.4-.078.898-.523.898h-.908c-.889 0-1.713-.518-1.972-1.368a12 12 0 0 1-.521-3.507c0-1.553.295-3.036.831-4.398C3.387 9.953 4.167 9.5 5 9.5h1.053c.472 0 .745.556.5.96a8.958 8.958 0 0 0-1.302 4.665c0 1.194.232 2.333.654 3.375Z"})])}function Wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M5.25 8.25h15m-16.5 7.5h15m-1.8-13.5-3.9 19.5m-2.1-19.5-3.9 19.5"})])}function Gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 8.25c0-2.485-2.099-4.5-4.688-4.5-1.935 0-3.597 1.126-4.312 2.733-.715-1.607-2.377-2.733-4.313-2.733C5.1 3.75 3 5.765 3 8.25c0 7.22 9 12 9 12s9-4.78 9-12Z"})])}function Kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 21v-4.875c0-.621.504-1.125 1.125-1.125h2.25c.621 0 1.125.504 1.125 1.125V21m0 0h4.5V3.545M12.75 21h7.5V10.75M2.25 21h1.5m18 0h-18M2.25 9l4.5-1.636M18.75 3l-1.5.545m0 6.205 3 1m1.5.5-1.5-.5M6.75 7.364V3h-3v18m3-13.636 10.5-3.819"})])}function Yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m2.25 12 8.954-8.955c.44-.439 1.152-.439 1.591 0L21.75 12M4.5 9.75v10.125c0 .621.504 1.125 1.125 1.125H9.75v-4.875c0-.621.504-1.125 1.125-1.125h2.25c.621 0 1.125.504 1.125 1.125V21h4.125c.621 0 1.125-.504 1.125-1.125V9.75M8.25 21h8.25"})])}function Xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 9h3.75M15 12h3.75M15 15h3.75M4.5 19.5h15a2.25 2.25 0 0 0 2.25-2.25V6.75A2.25 2.25 0 0 0 19.5 4.5h-15a2.25 2.25 0 0 0-2.25 2.25v10.5A2.25 2.25 0 0 0 4.5 19.5Zm6-10.125a1.875 1.875 0 1 1-3.75 0 1.875 1.875 0 0 1 3.75 0Zm1.294 6.336a6.721 6.721 0 0 1-3.17.789 6.721 6.721 0 0 1-3.168-.789 3.376 3.376 0 0 1 6.338 0Z"})])}function Jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 3.75H6.912a2.25 2.25 0 0 0-2.15 1.588L2.35 13.177a2.25 2.25 0 0 0-.1.661V18a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 18v-4.162c0-.224-.034-.447-.1-.661L19.24 5.338a2.25 2.25 0 0 0-2.15-1.588H15M2.25 13.5h3.86a2.25 2.25 0 0 1 2.012 1.244l.256.512a2.25 2.25 0 0 0 2.013 1.244h3.218a2.25 2.25 0 0 0 2.013-1.244l.256-.512a2.25 2.25 0 0 1 2.013-1.244h3.859M12 3v8.25m0 0-3-3m3 3 3-3"})])}function Qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m7.875 14.25 1.214 1.942a2.25 2.25 0 0 0 1.908 1.058h2.006c.776 0 1.497-.4 1.908-1.058l1.214-1.942M2.41 9h4.636a2.25 2.25 0 0 1 1.872 1.002l.164.246a2.25 2.25 0 0 0 1.872 1.002h2.092a2.25 2.25 0 0 0 1.872-1.002l.164-.246A2.25 2.25 0 0 1 16.954 9h4.636M2.41 9a2.25 2.25 0 0 0-.16.832V12a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 12V9.832c0-.287-.055-.57-.16-.832M2.41 9a2.25 2.25 0 0 1 .382-.632l3.285-3.832a2.25 2.25 0 0 1 1.708-.786h8.43c.657 0 1.281.287 1.709.786l3.284 3.832c.163.19.291.404.382.632M4.5 20.25h15A2.25 2.25 0 0 0 21.75 18v-2.625c0-.621-.504-1.125-1.125-1.125H3.375c-.621 0-1.125.504-1.125 1.125V18a2.25 2.25 0 0 0 2.25 2.25Z"})])}function er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 13.5h3.86a2.25 2.25 0 0 1 2.012 1.244l.256.512a2.25 2.25 0 0 0 2.013 1.244h3.218a2.25 2.25 0 0 0 2.013-1.244l.256-.512a2.25 2.25 0 0 1 2.013-1.244h3.859m-19.5.338V18a2.25 2.25 0 0 0 2.25 2.25h15A2.25 2.25 0 0 0 21.75 18v-4.162c0-.224-.034-.447-.1-.661L19.24 5.338a2.25 2.25 0 0 0-2.15-1.588H6.911a2.25 2.25 0 0 0-2.15 1.588L2.35 13.177a2.25 2.25 0 0 0-.1.661Z"})])}function tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m11.25 11.25.041-.02a.75.75 0 0 1 1.063.852l-.708 2.836a.75.75 0 0 0 1.063.853l.041-.021M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Zm-9-3.75h.008v.008H12V8.25Z"})])}function nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M5.248 20.246H9.05m0 0h3.696m-3.696 0 5.893-16.502m0 0h-3.697m3.697 0h3.803"})])}function rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 5.25a3 3 0 0 1 3 3m3 0a6 6 0 0 1-7.029 5.912c-.563-.097-1.159.026-1.563.43L10.5 17.25H8.25v2.25H6v2.25H2.25v-2.818c0-.597.237-1.17.659-1.591l6.499-6.499c.404-.404.527-1 .43-1.563A6 6 0 1 1 21.75 8.25Z"})])}function or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m10.5 21 5.25-11.25L21 21m-9-3h7.5M3 5.621a48.474 48.474 0 0 1 6-.371m0 0c1.12 0 2.233.038 3.334.114M9 5.25V3m3.334 2.364C11.176 10.658 7.69 15.08 3 17.502m9.334-12.138c.896.061 1.785.147 2.666.257m-4.589 8.495a18.023 18.023 0 0 1-3.827-5.802"})])}function ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.712 4.33a9.027 9.027 0 0 1 1.652 1.306c.51.51.944 1.064 1.306 1.652M16.712 4.33l-3.448 4.138m3.448-4.138a9.014 9.014 0 0 0-9.424 0M19.67 7.288l-4.138 3.448m4.138-3.448a9.014 9.014 0 0 1 0 9.424m-4.138-5.976a3.736 3.736 0 0 0-.88-1.388 3.737 3.737 0 0 0-1.388-.88m2.268 2.268a3.765 3.765 0 0 1 0 2.528m-2.268-4.796a3.765 3.765 0 0 0-2.528 0m4.796 4.796c-.181.506-.475.982-.88 1.388a3.736 3.736 0 0 1-1.388.88m2.268-2.268 4.138 3.448m0 0a9.027 9.027 0 0 1-1.306 1.652c-.51.51-1.064.944-1.652 1.306m0 0-3.448-4.138m3.448 4.138a9.014 9.014 0 0 1-9.424 0m5.976-4.138a3.765 3.765 0 0 1-2.528 0m0 0a3.736 3.736 0 0 1-1.388-.88 3.737 3.737 0 0 1-.88-1.388m2.268 2.268L7.288 19.67m0 0a9.024 9.024 0 0 1-1.652-1.306 9.027 9.027 0 0 1-1.306-1.652m0 0 4.138-3.448M4.33 16.712a9.014 9.014 0 0 1 0-9.424m4.138 5.976a3.765 3.765 0 0 1 0-2.528m0 0c.181-.506.475-.982.88-1.388a3.736 3.736 0 0 1 1.388-.88m-2.268 2.268L4.33 7.288m6.406 1.18L7.288 4.33m0 0a9.024 9.024 0 0 0-1.652 1.306A9.025 9.025 0 0 0 4.33 7.288"})])}function ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 18v-5.25m0 0a6.01 6.01 0 0 0 1.5-.189m-1.5.189a6.01 6.01 0 0 1-1.5-.189m3.75 7.478a12.06 12.06 0 0 1-4.5 0m3.75 2.383a14.406 14.406 0 0 1-3 0M14.25 18v-.192c0-.983.658-1.823 1.508-2.316a7.5 7.5 0 1 0-7.517 0c.85.493 1.509 1.333 1.509 2.316V18"})])}function lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.181 8.68a4.503 4.503 0 0 1 1.903 6.405m-9.768-2.782L3.56 14.06a4.5 4.5 0 0 0 6.364 6.365l3.129-3.129m5.614-5.615 1.757-1.757a4.5 4.5 0 0 0-6.364-6.365l-4.5 4.5c-.258.26-.479.541-.661.84m1.903 6.405a4.495 4.495 0 0 1-1.242-.88 4.483 4.483 0 0 1-1.062-1.683m6.587 2.345 5.907 5.907m-5.907-5.907L8.898 8.898M2.991 2.99 8.898 8.9"})])}function sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.19 8.688a4.5 4.5 0 0 1 1.242 7.244l-4.5 4.5a4.5 4.5 0 0 1-6.364-6.364l1.757-1.757m13.35-.622 1.757-1.757a4.5 4.5 0 0 0-6.364-6.364l-4.5 4.5a4.5 4.5 0 0 0 1.242 7.244"})])}function cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 6.75h12M8.25 12h12m-12 5.25h12M3.75 6.75h.007v.008H3.75V6.75Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0ZM3.75 12h.007v.008H3.75V12Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm-.375 5.25h.007v.008H3.75v-.008Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Z"})])}function ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.5 10.5V6.75a4.5 4.5 0 1 0-9 0v3.75m-.75 11.25h10.5a2.25 2.25 0 0 0 2.25-2.25v-6.75a2.25 2.25 0 0 0-2.25-2.25H6.75a2.25 2.25 0 0 0-2.25 2.25v6.75a2.25 2.25 0 0 0 2.25 2.25Z"})])}function dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.5 10.5V6.75a4.5 4.5 0 1 1 9 0v3.75M3.75 21.75h10.5a2.25 2.25 0 0 0 2.25-2.25v-6.75a2.25 2.25 0 0 0-2.25-2.25H3.75a2.25 2.25 0 0 0-2.25 2.25v6.75a2.25 2.25 0 0 0 2.25 2.25Z"})])}function hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m15.75 15.75-2.489-2.489m0 0a3.375 3.375 0 1 0-4.773-4.773 3.375 3.375 0 0 0 4.774 4.774ZM21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m21 21-5.197-5.197m0 0A7.5 7.5 0 1 0 5.196 5.196a7.5 7.5 0 0 0 10.607 10.607ZM13.5 10.5h-6"})])}function fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m21 21-5.197-5.197m0 0A7.5 7.5 0 1 0 5.196 5.196a7.5 7.5 0 0 0 10.607 10.607ZM10.5 7.5v6m3-3h-6"})])}function mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m21 21-5.197-5.197m0 0A7.5 7.5 0 1 0 5.196 5.196a7.5 7.5 0 0 0 10.607 10.607Z"})])}function vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 10.5a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.5 10.5c0 7.142-7.5 11.25-7.5 11.25S4.5 17.642 4.5 10.5a7.5 7.5 0 1 1 15 0Z"})])}function gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 6.75V15m6-6v8.25m.503 3.498 4.875-2.437c.381-.19.622-.58.622-1.006V4.82c0-.836-.88-1.38-1.628-1.006l-3.869 1.934c-.317.159-.69.159-1.006 0L9.503 3.252a1.125 1.125 0 0 0-1.006 0L3.622 5.689C3.24 5.88 3 6.27 3 6.695V19.18c0 .836.88 1.38 1.628 1.006l3.869-1.934c.317-.159.69-.159 1.006 0l4.994 2.497c.317.158.69.158 1.006 0Z"})])}function wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M10.34 15.84c-.688-.06-1.386-.09-2.09-.09H7.5a4.5 4.5 0 1 1 0-9h.75c.704 0 1.402-.03 2.09-.09m0 9.18c.253.962.584 1.892.985 2.783.247.55.06 1.21-.463 1.511l-.657.38c-.551.318-1.26.117-1.527-.461a20.845 20.845 0 0 1-1.44-4.282m3.102.069a18.03 18.03 0 0 1-.59-4.59c0-1.586.205-3.124.59-4.59m0 9.18a23.848 23.848 0 0 1 8.835 2.535M10.34 6.66a23.847 23.847 0 0 0 8.835-2.535m0 0A23.74 23.74 0 0 0 18.795 3m.38 1.125a23.91 23.91 0 0 1 1.014 5.395m-1.014 8.855c-.118.38-.245.754-.38 1.125m.38-1.125a23.91 23.91 0 0 0 1.014-5.395m0-3.46c.495.413.811 1.035.811 1.73 0 .695-.316 1.317-.811 1.73m0-3.46a24.347 24.347 0 0 1 0 3.46"})])}function yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 18.75a6 6 0 0 0 6-6v-1.5m-6 7.5a6 6 0 0 1-6-6v-1.5m6 7.5v3.75m-3.75 0h7.5M12 15.75a3 3 0 0 1-3-3V4.5a3 3 0 1 1 6 0v8.25a3 3 0 0 1-3 3Z"})])}function br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 12H9m12 0a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M18 12H6"})])}function kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M5 12h14"})])}function Er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21.752 15.002A9.72 9.72 0 0 1 18 15.75c-5.385 0-9.75-4.365-9.75-9.75 0-1.33.266-2.597.748-3.752A9.753 9.753 0 0 0 3 11.25C3 16.635 7.365 21 12.75 21a9.753 9.753 0 0 0 9.002-5.998Z"})])}function Ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9 9 10.5-3m0 6.553v3.75a2.25 2.25 0 0 1-1.632 2.163l-1.32.377a1.803 1.803 0 1 1-.99-3.467l2.31-.66a2.25 2.25 0 0 0 1.632-2.163Zm0 0V2.25L9 5.25v10.303m0 0v3.75a2.25 2.25 0 0 1-1.632 2.163l-1.32.377a1.803 1.803 0 0 1-.99-3.467l2.31-.66A2.25 2.25 0 0 0 9 15.553Z"})])}function Cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 7.5h1.5m-1.5 3h1.5m-7.5 3h7.5m-7.5 3h7.5m3-9h3.375c.621 0 1.125.504 1.125 1.125V18a2.25 2.25 0 0 1-2.25 2.25M16.5 7.5V18a2.25 2.25 0 0 0 2.25 2.25M16.5 7.5V4.875c0-.621-.504-1.125-1.125-1.125H4.125C3.504 3.75 3 4.254 3 4.875V18a2.25 2.25 0 0 0 2.25 2.25h13.5M6 7.5h3v3H6v-3Z"})])}function Br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M18.364 18.364A9 9 0 0 0 5.636 5.636m12.728 12.728A9 9 0 0 1 5.636 5.636m12.728 12.728L5.636 5.636"})])}function Mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.242 5.992h12m-12 6.003H20.24m-12 5.999h12M4.117 7.495v-3.75H2.99m1.125 3.75H2.99m1.125 0H5.24m-1.92 2.577a1.125 1.125 0 1 1 1.591 1.59l-1.83 1.83h2.16M2.99 15.745h1.125a1.125 1.125 0 0 1 0 2.25H3.74m0-.002h.375a1.125 1.125 0 0 1 0 2.25H2.99"})])}function _r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.53 16.122a3 3 0 0 0-5.78 1.128 2.25 2.25 0 0 1-2.4 2.245 4.5 4.5 0 0 0 8.4-2.245c0-.399-.078-.78-.22-1.128Zm0 0a15.998 15.998 0 0 0 3.388-1.62m-5.043-.025a15.994 15.994 0 0 1 1.622-3.395m3.42 3.42a15.995 15.995 0 0 0 4.764-4.648l3.876-5.814a1.151 1.151 0 0 0-1.597-1.597L14.146 6.32a15.996 15.996 0 0 0-4.649 4.763m3.42 3.42a6.776 6.776 0 0 0-3.42-3.42"})])}function Sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6 12 3.269 3.125A59.769 59.769 0 0 1 21.485 12 59.768 59.768 0 0 1 3.27 20.875L5.999 12Zm0 0h7.5"})])}function Nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m18.375 12.739-7.693 7.693a4.5 4.5 0 0 1-6.364-6.364l10.94-10.94A3 3 0 1 1 19.5 7.372L8.552 18.32m.009-.01-.01.01m5.699-9.941-7.81 7.81a1.5 1.5 0 0 0 2.112 2.13"})])}function Vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.25 9v6m-4.5 0V9M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function Lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 5.25v13.5m-7.5-13.5v13.5"})])}function Tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m16.862 4.487 1.687-1.688a1.875 1.875 0 1 1 2.652 2.652L10.582 16.07a4.5 4.5 0 0 1-1.897 1.13L6 18l.8-2.685a4.5 4.5 0 0 1 1.13-1.897l8.932-8.931Zm0 0L19.5 7.125M18 14v4.75A2.25 2.25 0 0 1 15.75 21H5.25A2.25 2.25 0 0 1 3 18.75V8.25A2.25 2.25 0 0 1 5.25 6H10"})])}function Ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m16.862 4.487 1.687-1.688a1.875 1.875 0 1 1 2.652 2.652L6.832 19.82a4.5 4.5 0 0 1-1.897 1.13l-2.685.8.8-2.685a4.5 4.5 0 0 1 1.13-1.897L16.863 4.487Zm0 0L19.5 7.125"})])}function Zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m8.99 14.993 6-6m6 3.001c0 1.268-.63 2.39-1.593 3.069a3.746 3.746 0 0 1-1.043 3.296 3.745 3.745 0 0 1-3.296 1.043 3.745 3.745 0 0 1-3.068 1.593c-1.268 0-2.39-.63-3.068-1.593a3.745 3.745 0 0 1-3.296-1.043 3.746 3.746 0 0 1-1.043-3.297 3.746 3.746 0 0 1-1.593-3.068c0-1.268.63-2.39 1.593-3.068a3.746 3.746 0 0 1 1.043-3.297 3.745 3.745 0 0 1 3.296-1.042 3.745 3.745 0 0 1 3.068-1.594c1.268 0 2.39.63 3.068 1.593a3.745 3.745 0 0 1 3.296 1.043 3.746 3.746 0 0 1 1.043 3.297 3.746 3.746 0 0 1 1.593 3.068ZM9.74 9.743h.008v.007H9.74v-.007Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm4.125 4.5h.008v.008h-.008v-.008Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Z"})])}function Or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.25 9.75v-4.5m0 4.5h4.5m-4.5 0 6-6m-3 18c-8.284 0-15-6.716-15-15V4.5A2.25 2.25 0 0 1 4.5 2.25h1.372c.516 0 .966.351 1.091.852l1.106 4.423c.11.44-.054.902-.417 1.173l-1.293.97a1.062 1.062 0 0 0-.38 1.21 12.035 12.035 0 0 0 7.143 7.143c.441.162.928-.004 1.21-.38l.97-1.293a1.125 1.125 0 0 1 1.173-.417l4.423 1.106c.5.125.852.575.852 1.091V19.5a2.25 2.25 0 0 1-2.25 2.25h-2.25Z"})])}function Dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M20.25 3.75v4.5m0-4.5h-4.5m4.5 0-6 6m3 12c-8.284 0-15-6.716-15-15V4.5A2.25 2.25 0 0 1 4.5 2.25h1.372c.516 0 .966.351 1.091.852l1.106 4.423c.11.44-.054.902-.417 1.173l-1.293.97a1.062 1.062 0 0 0-.38 1.21 12.035 12.035 0 0 0 7.143 7.143c.441.162.928-.004 1.21-.38l.97-1.293a1.125 1.125 0 0 1 1.173-.417l4.423 1.106c.5.125.852.575.852 1.091V19.5a2.25 2.25 0 0 1-2.25 2.25h-2.25Z"})])}function Rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 3.75 18 6m0 0 2.25 2.25M18 6l2.25-2.25M18 6l-2.25 2.25m1.5 13.5c-8.284 0-15-6.716-15-15V4.5A2.25 2.25 0 0 1 4.5 2.25h1.372c.516 0 .966.351 1.091.852l1.106 4.423c.11.44-.054.902-.417 1.173l-1.293.97a1.062 1.062 0 0 0-.38 1.21 12.035 12.035 0 0 0 7.143 7.143c.441.162.928-.004 1.21-.38l.97-1.293a1.125 1.125 0 0 1 1.173-.417l4.423 1.106c.5.125.852.575.852 1.091V19.5a2.25 2.25 0 0 1-2.25 2.25h-2.25Z"})])}function Hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 6.75c0 8.284 6.716 15 15 15h2.25a2.25 2.25 0 0 0 2.25-2.25v-1.372c0-.516-.351-.966-.852-1.091l-4.423-1.106c-.44-.11-.902.055-1.173.417l-.97 1.293c-.282.376-.769.542-1.21.38a12.035 12.035 0 0 1-7.143-7.143c-.162-.441.004-.928.38-1.21l1.293-.97c.363-.271.527-.734.417-1.173L6.963 3.102a1.125 1.125 0 0 0-1.091-.852H4.5A2.25 2.25 0 0 0 2.25 4.5v2.25Z"})])}function Pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m2.25 15.75 5.159-5.159a2.25 2.25 0 0 1 3.182 0l5.159 5.159m-1.5-1.5 1.409-1.409a2.25 2.25 0 0 1 3.182 0l2.909 2.909m-18 3.75h16.5a1.5 1.5 0 0 0 1.5-1.5V6a1.5 1.5 0 0 0-1.5-1.5H3.75A1.5 1.5 0 0 0 2.25 6v12a1.5 1.5 0 0 0 1.5 1.5Zm10.5-11.25h.008v.008h-.008V8.25Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Z"})])}function jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.91 11.672a.375.375 0 0 1 0 .656l-5.603 3.113a.375.375 0 0 1-.557-.328V8.887c0-.286.307-.466.557-.327l5.603 3.112Z"})])}function Fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 7.5V18M15 7.5V18M3 16.811V8.69c0-.864.933-1.406 1.683-.977l7.108 4.061a1.125 1.125 0 0 1 0 1.954l-7.108 4.061A1.125 1.125 0 0 1 3 16.811Z"})])}function zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M5.25 5.653c0-.856.917-1.398 1.667-.986l11.54 6.347a1.125 1.125 0 0 1 0 1.972l-11.54 6.347a1.125 1.125 0 0 1-1.667-.986V5.653Z"})])}function qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 9v6m3-3H9m12 0a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function Ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 6v12m6-6H6"})])}function $r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 4.5v15m7.5-7.5h-15"})])}function Wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M5.636 5.636a9 9 0 1 0 12.728 0M12 3v9"})])}function Gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 3v11.25A2.25 2.25 0 0 0 6 16.5h2.25M3.75 3h-1.5m1.5 0h16.5m0 0h1.5m-1.5 0v11.25A2.25 2.25 0 0 1 18 16.5h-2.25m-7.5 0h7.5m-7.5 0-1 3m8.5-3 1 3m0 0 .5 1.5m-.5-1.5h-9.5m0 0-.5 1.5M9 11.25v1.5M12 9v3.75m3-6v6"})])}function Kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 3v11.25A2.25 2.25 0 0 0 6 16.5h2.25M3.75 3h-1.5m1.5 0h16.5m0 0h1.5m-1.5 0v11.25A2.25 2.25 0 0 1 18 16.5h-2.25m-7.5 0h7.5m-7.5 0-1 3m8.5-3 1 3m0 0 .5 1.5m-.5-1.5h-9.5m0 0-.5 1.5m.75-9 3-3 2.148 2.148A12.061 12.061 0 0 1 16.5 7.605"})])}function Yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.72 13.829c-.24.03-.48.062-.72.096m.72-.096a42.415 42.415 0 0 1 10.56 0m-10.56 0L6.34 18m10.94-4.171c.24.03.48.062.72.096m-.72-.096L17.66 18m0 0 .229 2.523a1.125 1.125 0 0 1-1.12 1.227H7.231c-.662 0-1.18-.568-1.12-1.227L6.34 18m11.318 0h1.091A2.25 2.25 0 0 0 21 15.75V9.456c0-1.081-.768-2.015-1.837-2.175a48.055 48.055 0 0 0-1.913-.247M6.34 18H5.25A2.25 2.25 0 0 1 3 15.75V9.456c0-1.081.768-2.015 1.837-2.175a48.041 48.041 0 0 1 1.913-.247m10.5 0a48.536 48.536 0 0 0-10.5 0m10.5 0V3.375c0-.621-.504-1.125-1.125-1.125h-8.25c-.621 0-1.125.504-1.125 1.125v3.659M18 10.5h.008v.008H18V10.5Zm-3 0h.008v.008H15V10.5Z"})])}function Xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M14.25 6.087c0-.355.186-.676.401-.959.221-.29.349-.634.349-1.003 0-1.036-1.007-1.875-2.25-1.875s-2.25.84-2.25 1.875c0 .369.128.713.349 1.003.215.283.401.604.401.959v0a.64.64 0 0 1-.657.643 48.39 48.39 0 0 1-4.163-.3c.186 1.613.293 3.25.315 4.907a.656.656 0 0 1-.658.663v0c-.355 0-.676-.186-.959-.401a1.647 1.647 0 0 0-1.003-.349c-1.036 0-1.875 1.007-1.875 2.25s.84 2.25 1.875 2.25c.369 0 .713-.128 1.003-.349.283-.215.604-.401.959-.401v0c.31 0 .555.26.532.57a48.039 48.039 0 0 1-.642 5.056c1.518.19 3.058.309 4.616.354a.64.64 0 0 0 .657-.643v0c0-.355-.186-.676-.401-.959a1.647 1.647 0 0 1-.349-1.003c0-1.035 1.008-1.875 2.25-1.875 1.243 0 2.25.84 2.25 1.875 0 .369-.128.713-.349 1.003-.215.283-.4.604-.4.959v0c0 .333.277.599.61.58a48.1 48.1 0 0 0 5.427-.63 48.05 48.05 0 0 0 .582-4.717.532.532 0 0 0-.533-.57v0c-.355 0-.676.186-.959.401-.29.221-.634.349-1.003.349-1.035 0-1.875-1.007-1.875-2.25s.84-2.25 1.875-2.25c.37 0 .713.128 1.003.349.283.215.604.401.96.401v0a.656.656 0 0 0 .658-.663 48.422 48.422 0 0 0-.37-5.36c-1.886.342-3.81.574-5.766.689a.578.578 0 0 1-.61-.58v0Z"})])}function Jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 4.875c0-.621.504-1.125 1.125-1.125h4.5c.621 0 1.125.504 1.125 1.125v4.5c0 .621-.504 1.125-1.125 1.125h-4.5A1.125 1.125 0 0 1 3.75 9.375v-4.5ZM3.75 14.625c0-.621.504-1.125 1.125-1.125h4.5c.621 0 1.125.504 1.125 1.125v4.5c0 .621-.504 1.125-1.125 1.125h-4.5a1.125 1.125 0 0 1-1.125-1.125v-4.5ZM13.5 4.875c0-.621.504-1.125 1.125-1.125h4.5c.621 0 1.125.504 1.125 1.125v4.5c0 .621-.504 1.125-1.125 1.125h-4.5A1.125 1.125 0 0 1 13.5 9.375v-4.5Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.75 6.75h.75v.75h-.75v-.75ZM6.75 16.5h.75v.75h-.75v-.75ZM16.5 6.75h.75v.75h-.75v-.75ZM13.5 13.5h.75v.75h-.75v-.75ZM13.5 19.5h.75v.75h-.75v-.75ZM19.5 13.5h.75v.75h-.75v-.75ZM19.5 19.5h.75v.75h-.75v-.75ZM16.5 16.5h.75v.75h-.75v-.75Z"})])}function Qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.879 7.519c1.171-1.025 3.071-1.025 4.242 0 1.172 1.025 1.172 2.687 0 3.712-.203.179-.43.326-.67.442-.745.361-1.45.999-1.45 1.827v.75M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Zm-9 5.25h.008v.008H12v-.008Z"})])}function eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 12h16.5m-16.5 3.75h16.5M3.75 19.5h16.5M5.625 4.5h12.75a1.875 1.875 0 0 1 0 3.75H5.625a1.875 1.875 0 0 1 0-3.75Z"})])}function to(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m3.75 7.5 16.5-4.125M12 6.75c-2.708 0-5.363.224-7.948.655C2.999 7.58 2.25 8.507 2.25 9.574v9.176A2.25 2.25 0 0 0 4.5 21h15a2.25 2.25 0 0 0 2.25-2.25V9.574c0-1.067-.75-1.994-1.802-2.169A48.329 48.329 0 0 0 12 6.75Zm-1.683 6.443-.005.005-.006-.005.006-.005.005.005Zm-.005 2.127-.005-.006.005-.005.005.005-.005.005Zm-2.116-.006-.005.006-.006-.006.005-.005.006.005Zm-.005-2.116-.006-.005.006-.005.005.005-.005.005ZM9.255 10.5v.008h-.008V10.5h.008Zm3.249 1.88-.007.004-.003-.007.006-.003.004.006Zm-1.38 5.126-.003-.006.006-.004.004.007-.006.003Zm.007-6.501-.003.006-.007-.003.004-.007.006.004Zm1.37 5.129-.007-.004.004-.006.006.003-.004.007Zm.504-1.877h-.008v-.007h.008v.007ZM9.255 18v.008h-.008V18h.008Zm-3.246-1.87-.007.004L6 16.127l.006-.003.004.006Zm1.366-5.119-.004-.006.006-.004.004.007-.006.003ZM7.38 17.5l-.003.006-.007-.003.004-.007.006.004Zm-1.376-5.116L6 12.38l.003-.007.007.004-.004.007Zm-.5 1.873h-.008v-.007h.008v.007ZM17.25 12.75a.75.75 0 1 1 0-1.5.75.75 0 0 1 0 1.5Zm0 4.5a.75.75 0 1 1 0-1.5.75.75 0 0 1 0 1.5Z"})])}function no(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9 14.25 6-6m4.5-3.493V21.75l-3.75-1.5-3.75 1.5-3.75-1.5-3.75 1.5V4.757c0-1.108.806-2.057 1.907-2.185a48.507 48.507 0 0 1 11.186 0c1.1.128 1.907 1.077 1.907 2.185ZM9.75 9h.008v.008H9.75V9Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm4.125 4.5h.008v.008h-.008V13.5Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Z"})])}function ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 9.75h4.875a2.625 2.625 0 0 1 0 5.25H12M8.25 9.75 10.5 7.5M8.25 9.75 10.5 12m9-7.243V21.75l-3.75-1.5-3.75 1.5-3.75-1.5-3.75 1.5V4.757c0-1.108.806-2.057 1.907-2.185a48.507 48.507 0 0 1 11.186 0c1.1.128 1.907 1.077 1.907 2.185Z"})])}function oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 7.125C2.25 6.504 2.754 6 3.375 6h6c.621 0 1.125.504 1.125 1.125v3.75c0 .621-.504 1.125-1.125 1.125h-6a1.125 1.125 0 0 1-1.125-1.125v-3.75ZM14.25 8.625c0-.621.504-1.125 1.125-1.125h5.25c.621 0 1.125.504 1.125 1.125v8.25c0 .621-.504 1.125-1.125 1.125h-5.25a1.125 1.125 0 0 1-1.125-1.125v-8.25ZM3.75 16.125c0-.621.504-1.125 1.125-1.125h5.25c.621 0 1.125.504 1.125 1.125v2.25c0 .621-.504 1.125-1.125 1.125h-5.25a1.125 1.125 0 0 1-1.125-1.125v-2.25Z"})])}function io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6 6.878V6a2.25 2.25 0 0 1 2.25-2.25h7.5A2.25 2.25 0 0 1 18 6v.878m-12 0c.235-.083.487-.128.75-.128h10.5c.263 0 .515.045.75.128m-12 0A2.25 2.25 0 0 0 4.5 9v.878m13.5-3A2.25 2.25 0 0 1 19.5 9v.878m0 0a2.246 2.246 0 0 0-.75-.128H5.25c-.263 0-.515.045-.75.128m15 0A2.25 2.25 0 0 1 21 12v6a2.25 2.25 0 0 1-2.25 2.25H5.25A2.25 2.25 0 0 1 3 18v-6c0-.98.626-1.813 1.5-2.122"})])}function ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.59 14.37a6 6 0 0 1-5.84 7.38v-4.8m5.84-2.58a14.98 14.98 0 0 0 6.16-12.12A14.98 14.98 0 0 0 9.631 8.41m5.96 5.96a14.926 14.926 0 0 1-5.841 2.58m-.119-8.54a6 6 0 0 0-7.381 5.84h4.8m2.581-5.84a14.927 14.927 0 0 0-2.58 5.84m2.699 2.7c-.103.021-.207.041-.311.06a15.09 15.09 0 0 1-2.448-2.448 14.9 14.9 0 0 1 .06-.312m-2.24 2.39a4.493 4.493 0 0 0-1.757 4.306 4.493 4.493 0 0 0 4.306-1.758M16.5 9a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0Z"})])}function lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12.75 19.5v-.75a7.5 7.5 0 0 0-7.5-7.5H4.5m0-6.75h.75c7.87 0 14.25 6.38 14.25 14.25v.75M6 18.75a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z"})])}function so(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 3v17.25m0 0c-1.472 0-2.882.265-4.185.75M12 20.25c1.472 0 2.882.265 4.185.75M18.75 4.97A48.416 48.416 0 0 0 12 4.5c-2.291 0-4.545.16-6.75.47m13.5 0c1.01.143 2.01.317 3 .52m-3-.52 2.62 10.726c.122.499-.106 1.028-.589 1.202a5.988 5.988 0 0 1-2.031.352 5.988 5.988 0 0 1-2.031-.352c-.483-.174-.711-.703-.59-1.202L18.75 4.971Zm-16.5.52c.99-.203 1.99-.377 3-.52m0 0 2.62 10.726c.122.499-.106 1.028-.589 1.202a5.989 5.989 0 0 1-2.031.352 5.989 5.989 0 0 1-2.031-.352c-.483-.174-.711-.703-.59-1.202L5.25 4.971Z"})])}function co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m7.848 8.25 1.536.887M7.848 8.25a3 3 0 1 1-5.196-3 3 3 0 0 1 5.196 3Zm1.536.887a2.165 2.165 0 0 1 1.083 1.839c.005.351.054.695.14 1.024M9.384 9.137l2.077 1.199M7.848 15.75l1.536-.887m-1.536.887a3 3 0 1 1-5.196 3 3 3 0 0 1 5.196-3Zm1.536-.887a2.165 2.165 0 0 0 1.083-1.838c.005-.352.054-.695.14-1.025m-1.223 2.863 2.077-1.199m0-3.328a4.323 4.323 0 0 1 2.068-1.379l5.325-1.628a4.5 4.5 0 0 1 2.48-.044l.803.215-7.794 4.5m-2.882-1.664A4.33 4.33 0 0 0 10.607 12m3.736 0 7.794 4.5-.802.215a4.5 4.5 0 0 1-2.48-.043l-5.326-1.629a4.324 4.324 0 0 1-2.068-1.379M14.343 12l-2.882 1.664"})])}function uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M5.25 14.25h13.5m-13.5 0a3 3 0 0 1-3-3m3 3a3 3 0 1 0 0 6h13.5a3 3 0 1 0 0-6m-16.5-3a3 3 0 0 1 3-3h13.5a3 3 0 0 1 3 3m-19.5 0a4.5 4.5 0 0 1 .9-2.7L5.737 5.1a3.375 3.375 0 0 1 2.7-1.35h7.126c1.062 0 2.062.5 2.7 1.35l2.587 3.45a4.5 4.5 0 0 1 .9 2.7m0 0a3 3 0 0 1-3 3m0 3h.008v.008h-.008v-.008Zm0-6h.008v.008h-.008v-.008Zm-3 6h.008v.008h-.008v-.008Zm0-6h.008v.008h-.008v-.008Z"})])}function ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21.75 17.25v-.228a4.5 4.5 0 0 0-.12-1.03l-2.268-9.64a3.375 3.375 0 0 0-3.285-2.602H7.923a3.375 3.375 0 0 0-3.285 2.602l-2.268 9.64a4.5 4.5 0 0 0-.12 1.03v.228m19.5 0a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3m19.5 0a3 3 0 0 0-3-3H5.25a3 3 0 0 0-3 3m16.5 0h.008v.008h-.008v-.008Zm-3 0h.008v.008h-.008v-.008Z"})])}function po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.217 10.907a2.25 2.25 0 1 0 0 2.186m0-2.186c.18.324.283.696.283 1.093s-.103.77-.283 1.093m0-2.186 9.566-5.314m-9.566 7.5 9.566 5.314m0 0a2.25 2.25 0 1 0 3.935 2.186 2.25 2.25 0 0 0-3.935-2.186Zm0-12.814a2.25 2.25 0 1 0 3.933-2.185 2.25 2.25 0 0 0-3.933 2.185Z"})])}function fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 12.75 11.25 15 15 9.75m-3-7.036A11.959 11.959 0 0 1 3.598 6 11.99 11.99 0 0 0 3 9.749c0 5.592 3.824 10.29 9 11.623 5.176-1.332 9-6.03 9-11.622 0-1.31-.21-2.571-.598-3.751h-.152c-3.196 0-6.1-1.248-8.25-3.285Z"})])}function mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 9v3.75m0-10.036A11.959 11.959 0 0 1 3.598 6 11.99 11.99 0 0 0 3 9.75c0 5.592 3.824 10.29 9 11.622 5.176-1.332 9-6.03 9-11.622 0-1.31-.21-2.57-.598-3.75h-.152c-3.196 0-6.1-1.25-8.25-3.286Zm0 13.036h.008v.008H12v-.008Z"})])}function vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 10.5V6a3.75 3.75 0 1 0-7.5 0v4.5m11.356-1.993 1.263 12c.07.665-.45 1.243-1.119 1.243H4.25a1.125 1.125 0 0 1-1.12-1.243l1.264-12A1.125 1.125 0 0 1 5.513 7.5h12.974c.576 0 1.059.435 1.119 1.007ZM8.625 10.5a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Zm7.5 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Z"})])}function go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M2.25 3h1.386c.51 0 .955.343 1.087.835l.383 1.437M7.5 14.25a3 3 0 0 0-3 3h15.75m-12.75-3h11.218c1.121-2.3 2.1-4.684 2.924-7.138a60.114 60.114 0 0 0-16.536-1.84M7.5 14.25 5.106 5.272M6 20.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm12.75 0a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z"})])}function wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m3 3 8.735 8.735m0 0a.374.374 0 1 1 .53.53m-.53-.53.53.53m0 0L21 21M14.652 9.348a3.75 3.75 0 0 1 0 5.304m2.121-7.425a6.75 6.75 0 0 1 0 9.546m2.121-11.667c3.808 3.807 3.808 9.98 0 13.788m-9.546-4.242a3.733 3.733 0 0 1-1.06-2.122m-1.061 4.243a6.75 6.75 0 0 1-1.625-6.929m-.496 9.05c-3.068-3.067-3.664-7.67-1.79-11.334M12 12h.008v.008H12V12Z"})])}function yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.348 14.652a3.75 3.75 0 0 1 0-5.304m5.304 0a3.75 3.75 0 0 1 0 5.304m-7.425 2.121a6.75 6.75 0 0 1 0-9.546m9.546 0a6.75 6.75 0 0 1 0 9.546M5.106 18.894c-3.808-3.807-3.808-9.98 0-13.788m13.788 0c3.808 3.807 3.808 9.98 0 13.788M12 12h.008v.008H12V12Zm.375 0a.375.375 0 1 1-.75 0 .375.375 0 0 1 .75 0Z"})])}function bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9 20.247 6-16.5"})])}function xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.813 15.904 9 18.75l-.813-2.846a4.5 4.5 0 0 0-3.09-3.09L2.25 12l2.846-.813a4.5 4.5 0 0 0 3.09-3.09L9 5.25l.813 2.846a4.5 4.5 0 0 0 3.09 3.09L15.75 12l-2.846.813a4.5 4.5 0 0 0-3.09 3.09ZM18.259 8.715 18 9.75l-.259-1.035a3.375 3.375 0 0 0-2.455-2.456L14.25 6l1.036-.259a3.375 3.375 0 0 0 2.455-2.456L18 2.25l.259 1.035a3.375 3.375 0 0 0 2.456 2.456L21.75 6l-1.035.259a3.375 3.375 0 0 0-2.456 2.456ZM16.894 20.567 16.5 21.75l-.394-1.183a2.25 2.25 0 0 0-1.423-1.423L13.5 18.75l1.183-.394a2.25 2.25 0 0 0 1.423-1.423l.394-1.183.394 1.183a2.25 2.25 0 0 0 1.423 1.423l1.183.394-1.183.394a2.25 2.25 0 0 0-1.423 1.423Z"})])}function ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M19.114 5.636a9 9 0 0 1 0 12.728M16.463 8.288a5.25 5.25 0 0 1 0 7.424M6.75 8.25l4.72-4.72a.75.75 0 0 1 1.28.53v15.88a.75.75 0 0 1-1.28.53l-4.72-4.72H4.51c-.88 0-1.704-.507-1.938-1.354A9.009 9.009 0 0 1 2.25 12c0-.83.112-1.633.322-2.396C2.806 8.756 3.63 8.25 4.51 8.25H6.75Z"})])}function Eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M17.25 9.75 19.5 12m0 0 2.25 2.25M19.5 12l2.25-2.25M19.5 12l-2.25 2.25m-10.5-6 4.72-4.72a.75.75 0 0 1 1.28.53v15.88a.75.75 0 0 1-1.28.53l-4.72-4.72H4.51c-.88 0-1.704-.507-1.938-1.354A9.009 9.009 0 0 1 2.25 12c0-.83.112-1.633.322-2.396C2.806 8.756 3.63 8.25 4.51 8.25H6.75Z"})])}function Ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.5 8.25V6a2.25 2.25 0 0 0-2.25-2.25H6A2.25 2.25 0 0 0 3.75 6v8.25A2.25 2.25 0 0 0 6 16.5h2.25m8.25-8.25H18a2.25 2.25 0 0 1 2.25 2.25V18A2.25 2.25 0 0 1 18 20.25h-7.5A2.25 2.25 0 0 1 8.25 18v-1.5m8.25-8.25h-6a2.25 2.25 0 0 0-2.25 2.25v6"})])}function Co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6.429 9.75 2.25 12l4.179 2.25m0-4.5 5.571 3 5.571-3m-11.142 0L2.25 7.5 12 2.25l9.75 5.25-4.179 2.25m0 0L21.75 12l-4.179 2.25m0 0 4.179 2.25L12 21.75 2.25 16.5l4.179-2.25m11.142 0-5.571 3-5.571-3"})])}function Bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.75 6A2.25 2.25 0 0 1 6 3.75h2.25A2.25 2.25 0 0 1 10.5 6v2.25a2.25 2.25 0 0 1-2.25 2.25H6a2.25 2.25 0 0 1-2.25-2.25V6ZM3.75 15.75A2.25 2.25 0 0 1 6 13.5h2.25a2.25 2.25 0 0 1 2.25 2.25V18a2.25 2.25 0 0 1-2.25 2.25H6A2.25 2.25 0 0 1 3.75 18v-2.25ZM13.5 6a2.25 2.25 0 0 1 2.25-2.25H18A2.25 2.25 0 0 1 20.25 6v2.25A2.25 2.25 0 0 1 18 10.5h-2.25a2.25 2.25 0 0 1-2.25-2.25V6ZM13.5 15.75a2.25 2.25 0 0 1 2.25-2.25H18a2.25 2.25 0 0 1 2.25 2.25V18A2.25 2.25 0 0 1 18 20.25h-2.25A2.25 2.25 0 0 1 13.5 18v-2.25Z"})])}function Mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M13.5 16.875h3.375m0 0h3.375m-3.375 0V13.5m0 3.375v3.375M6 10.5h2.25a2.25 2.25 0 0 0 2.25-2.25V6a2.25 2.25 0 0 0-2.25-2.25H6A2.25 2.25 0 0 0 3.75 6v2.25A2.25 2.25 0 0 0 6 10.5Zm0 9.75h2.25A2.25 2.25 0 0 0 10.5 18v-2.25a2.25 2.25 0 0 0-2.25-2.25H6a2.25 2.25 0 0 0-2.25 2.25V18A2.25 2.25 0 0 0 6 20.25Zm9.75-9.75H18a2.25 2.25 0 0 0 2.25-2.25V6A2.25 2.25 0 0 0 18 3.75h-2.25A2.25 2.25 0 0 0 13.5 6v2.25a2.25 2.25 0 0 0 2.25 2.25Z"})])}function _o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M11.48 3.499a.562.562 0 0 1 1.04 0l2.125 5.111a.563.563 0 0 0 .475.345l5.518.442c.499.04.701.663.321.988l-4.204 3.602a.563.563 0 0 0-.182.557l1.285 5.385a.562.562 0 0 1-.84.61l-4.725-2.885a.562.562 0 0 0-.586 0L6.982 20.54a.562.562 0 0 1-.84-.61l1.285-5.386a.562.562 0 0 0-.182-.557l-4.204-3.602a.562.562 0 0 1 .321-.988l5.518-.442a.563.563 0 0 0 .475-.345L11.48 3.5Z"})])}function So(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 9.563C9 9.252 9.252 9 9.563 9h4.874c.311 0 .563.252.563.563v4.874c0 .311-.252.563-.563.563H9.564A.562.562 0 0 1 9 14.437V9.564Z"})])}function No(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M5.25 7.5A2.25 2.25 0 0 1 7.5 5.25h9a2.25 2.25 0 0 1 2.25 2.25v9a2.25 2.25 0 0 1-2.25 2.25h-9a2.25 2.25 0 0 1-2.25-2.25v-9Z"})])}function Vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 12a8.912 8.912 0 0 1-.318-.079c-1.585-.424-2.904-1.247-3.76-2.236-.873-1.009-1.265-2.19-.968-3.301.59-2.2 3.663-3.29 6.863-2.432A8.186 8.186 0 0 1 16.5 5.21M6.42 17.81c.857.99 2.176 1.812 3.761 2.237 3.2.858 6.274-.23 6.863-2.431.233-.868.044-1.779-.465-2.617M3.75 12h16.5"})])}function Lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M12 3v2.25m6.364.386-1.591 1.591M21 12h-2.25m-.386 6.364-1.591-1.591M12 18.75V21m-4.773-4.227-1.591 1.591M5.25 12H3m4.227-4.773L5.636 5.636M15.75 12a3.75 3.75 0 1 1-7.5 0 3.75 3.75 0 0 1 7.5 0Z"})])}function To(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.098 19.902a3.75 3.75 0 0 0 5.304 0l6.401-6.402M6.75 21A3.75 3.75 0 0 1 3 17.25V4.125C3 3.504 3.504 3 4.125 3h5.25c.621 0 1.125.504 1.125 1.125v4.072M6.75 21a3.75 3.75 0 0 0 3.75-3.75V8.197M6.75 21h13.125c.621 0 1.125-.504 1.125-1.125v-5.25c0-.621-.504-1.125-1.125-1.125h-4.072M10.5 8.197l2.88-2.88c.438-.439 1.15-.439 1.59 0l3.712 3.713c.44.44.44 1.152 0 1.59l-2.879 2.88M6.75 17.25h.008v.008H6.75v-.008Z"})])}function Io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3.375 19.5h17.25m-17.25 0a1.125 1.125 0 0 1-1.125-1.125M3.375 19.5h7.5c.621 0 1.125-.504 1.125-1.125m-9.75 0V5.625m0 12.75v-1.5c0-.621.504-1.125 1.125-1.125m18.375 2.625V5.625m0 12.75c0 .621-.504 1.125-1.125 1.125m1.125-1.125v-1.5c0-.621-.504-1.125-1.125-1.125m0 3.75h-7.5A1.125 1.125 0 0 1 12 18.375m9.75-12.75c0-.621-.504-1.125-1.125-1.125H3.375c-.621 0-1.125.504-1.125 1.125m19.5 0v1.5c0 .621-.504 1.125-1.125 1.125M2.25 5.625v1.5c0 .621.504 1.125 1.125 1.125m0 0h17.25m-17.25 0h7.5c.621 0 1.125.504 1.125 1.125M3.375 8.25c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125m17.25-3.75h-7.5c-.621 0-1.125.504-1.125 1.125m8.625-1.125c.621 0 1.125.504 1.125 1.125v1.5c0 .621-.504 1.125-1.125 1.125m-17.25 0h7.5m-7.5 0c-.621 0-1.125.504-1.125 1.125v1.5c0 .621.504 1.125 1.125 1.125M12 10.875v-1.5m0 1.5c0 .621-.504 1.125-1.125 1.125M12 10.875c0 .621.504 1.125 1.125 1.125m-2.25 0c.621 0 1.125.504 1.125 1.125M13.125 12h7.5m-7.5 0c-.621 0-1.125.504-1.125 1.125M20.625 12c.621 0 1.125.504 1.125 1.125v1.5c0 .621-.504 1.125-1.125 1.125m-17.25 0h7.5M12 14.625v-1.5m0 1.5c0 .621-.504 1.125-1.125 1.125M12 14.625c0 .621.504 1.125 1.125 1.125m-2.25 0c.621 0 1.125.504 1.125 1.125m0 1.5v-1.5m0 0c0-.621.504-1.125 1.125-1.125m0 0h7.5"})])}function Zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9.568 3H5.25A2.25 2.25 0 0 0 3 5.25v4.318c0 .597.237 1.17.659 1.591l9.581 9.581c.699.699 1.78.872 2.607.33a18.095 18.095 0 0 0 5.223-5.223c.542-.827.369-1.908-.33-2.607L11.16 3.66A2.25 2.25 0 0 0 9.568 3Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6 6h.008v.008H6V6Z"})])}function Oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.5 6v.75m0 3v.75m0 3v.75m0 3V18m-9-5.25h5.25M7.5 15h3M3.375 5.25c-.621 0-1.125.504-1.125 1.125v3.026a2.999 2.999 0 0 1 0 5.198v3.026c0 .621.504 1.125 1.125 1.125h17.25c.621 0 1.125-.504 1.125-1.125v-3.026a2.999 2.999 0 0 1 0-5.198V6.375c0-.621-.504-1.125-1.125-1.125H3.375Z"})])}function Do(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m14.74 9-.346 9m-4.788 0L9.26 9m9.968-3.21c.342.052.682.107 1.022.166m-1.022-.165L18.16 19.673a2.25 2.25 0 0 1-2.244 2.077H8.084a2.25 2.25 0 0 1-2.244-2.077L4.772 5.79m14.456 0a48.108 48.108 0 0 0-3.478-.397m-12 .562c.34-.059.68-.114 1.022-.165m0 0a48.11 48.11 0 0 1 3.478-.397m7.5 0v-.916c0-1.18-.91-2.164-2.09-2.201a51.964 51.964 0 0 0-3.32 0c-1.18.037-2.09 1.022-2.09 2.201v.916m7.5 0a48.667 48.667 0 0 0-7.5 0"})])}function Ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M16.5 18.75h-9m9 0a3 3 0 0 1 3 3h-15a3 3 0 0 1 3-3m9 0v-3.375c0-.621-.503-1.125-1.125-1.125h-.871M7.5 18.75v-3.375c0-.621.504-1.125 1.125-1.125h.872m5.007 0H9.497m5.007 0a7.454 7.454 0 0 1-.982-3.172M9.497 14.25a7.454 7.454 0 0 0 .981-3.172M5.25 4.236c-.982.143-1.954.317-2.916.52A6.003 6.003 0 0 0 7.73 9.728M5.25 4.236V4.5c0 2.108.966 3.99 2.48 5.228M5.25 4.236V2.721C7.456 2.41 9.71 2.25 12 2.25c2.291 0 4.545.16 6.75.47v1.516M7.73 9.728a6.726 6.726 0 0 0 2.748 1.35m8.272-6.842V4.5c0 2.108-.966 3.99-2.48 5.228m2.48-5.492a46.32 46.32 0 0 1 2.916.52 6.003 6.003 0 0 1-5.395 4.972m0 0a6.726 6.726 0 0 1-2.749 1.35m0 0a6.772 6.772 0 0 1-3.044 0"})])}function Ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.25 18.75a1.5 1.5 0 0 1-3 0m3 0a1.5 1.5 0 0 0-3 0m3 0h6m-9 0H3.375a1.125 1.125 0 0 1-1.125-1.125V14.25m17.25 4.5a1.5 1.5 0 0 1-3 0m3 0a1.5 1.5 0 0 0-3 0m3 0h1.125c.621 0 1.129-.504 1.09-1.124a17.902 17.902 0 0 0-3.213-9.193 2.056 2.056 0 0 0-1.58-.86H14.25M16.5 18.75h-2.25m0-11.177v-.958c0-.568-.422-1.048-.987-1.106a48.554 48.554 0 0 0-10.026 0 1.106 1.106 0 0 0-.987 1.106v7.635m12-6.677v6.677m0 4.5v-4.5m0 0h-12"})])}function Po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6 20.25h12m-7.5-3v3m3-3v3m-10.125-3h17.25c.621 0 1.125-.504 1.125-1.125V4.875c0-.621-.504-1.125-1.125-1.125H3.375c-.621 0-1.125.504-1.125 1.125v11.25c0 .621.504 1.125 1.125 1.125Z"})])}function jo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M17.995 3.744v7.5a6 6 0 1 1-12 0v-7.5m-2.25 16.502h16.5"})])}function Fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M17.982 18.725A7.488 7.488 0 0 0 12 15.75a7.488 7.488 0 0 0-5.982 2.975m11.963 0a9 9 0 1 0-11.963 0m11.963 0A8.966 8.966 0 0 1 12 21a8.966 8.966 0 0 1-5.982-2.275M15 9.75a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z"})])}function zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M18 18.72a9.094 9.094 0 0 0 3.741-.479 3 3 0 0 0-4.682-2.72m.94 3.198.001.031c0 .225-.012.447-.037.666A11.944 11.944 0 0 1 12 21c-2.17 0-4.207-.576-5.963-1.584A6.062 6.062 0 0 1 6 18.719m12 0a5.971 5.971 0 0 0-.941-3.197m0 0A5.995 5.995 0 0 0 12 12.75a5.995 5.995 0 0 0-5.058 2.772m0 0a3 3 0 0 0-4.681 2.72 8.986 8.986 0 0 0 3.74.477m.94-3.197a5.971 5.971 0 0 0-.94 3.197M15 6.75a3 3 0 1 1-6 0 3 3 0 0 1 6 0Zm6 3a2.25 2.25 0 1 1-4.5 0 2.25 2.25 0 0 1 4.5 0Zm-13.5 0a2.25 2.25 0 1 1-4.5 0 2.25 2.25 0 0 1 4.5 0Z"})])}function qo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M22 10.5h-6m-2.25-4.125a3.375 3.375 0 1 1-6.75 0 3.375 3.375 0 0 1 6.75 0ZM4 19.235v-.11a6.375 6.375 0 0 1 12.75 0v.109A12.318 12.318 0 0 1 10.374 21c-2.331 0-4.512-.645-6.374-1.766Z"})])}function Uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M18 7.5v3m0 0v3m0-3h3m-3 0h-3m-2.25-4.125a3.375 3.375 0 1 1-6.75 0 3.375 3.375 0 0 1 6.75 0ZM3 19.235v-.11a6.375 6.375 0 0 1 12.75 0v.109A12.318 12.318 0 0 1 9.374 21c-2.331 0-4.512-.645-6.374-1.766Z"})])}function $o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15.75 6a3.75 3.75 0 1 1-7.5 0 3.75 3.75 0 0 1 7.5 0ZM4.501 20.118a7.5 7.5 0 0 1 14.998 0A17.933 17.933 0 0 1 12 21.75c-2.676 0-5.216-.584-7.499-1.632Z"})])}function Wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M15 19.128a9.38 9.38 0 0 0 2.625.372 9.337 9.337 0 0 0 4.121-.952 4.125 4.125 0 0 0-7.533-2.493M15 19.128v-.003c0-1.113-.285-2.16-.786-3.07M15 19.128v.106A12.318 12.318 0 0 1 8.624 21c-2.331 0-4.512-.645-6.374-1.766l-.001-.109a6.375 6.375 0 0 1 11.964-3.07M12 6.375a3.375 3.375 0 1 1-6.75 0 3.375 3.375 0 0 1 6.75 0Zm8.25 2.25a2.625 2.625 0 1 1-5.25 0 2.625 2.625 0 0 1 5.25 0Z"})])}function Go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.745 3A23.933 23.933 0 0 0 3 12c0 3.183.62 6.22 1.745 9M19.5 3c.967 2.78 1.5 5.817 1.5 9s-.533 6.22-1.5 9M8.25 8.885l1.444-.89a.75.75 0 0 1 1.105.402l2.402 7.206a.75.75 0 0 0 1.104.401l1.445-.889m-8.25.75.213.09a1.687 1.687 0 0 0 2.062-.617l4.45-6.676a1.688 1.688 0 0 1 2.062-.618l.213.09"})])}function Ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m15.75 10.5 4.72-4.72a.75.75 0 0 1 1.28.53v11.38a.75.75 0 0 1-1.28.53l-4.72-4.72M12 18.75H4.5a2.25 2.25 0 0 1-2.25-2.25V9m12.841 9.091L16.5 19.5m-1.409-1.409c.407-.407.659-.97.659-1.591v-9a2.25 2.25 0 0 0-2.25-2.25h-9c-.621 0-1.184.252-1.591.659m12.182 12.182L2.909 5.909M1.5 4.5l1.409 1.409"})])}function Yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m15.75 10.5 4.72-4.72a.75.75 0 0 1 1.28.53v11.38a.75.75 0 0 1-1.28.53l-4.72-4.72M4.5 18.75h9a2.25 2.25 0 0 0 2.25-2.25v-9a2.25 2.25 0 0 0-2.25-2.25h-9A2.25 2.25 0 0 0 2.25 7.5v9a2.25 2.25 0 0 0 2.25 2.25Z"})])}function Xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M9 4.5v15m6-15v15m-10.875 0h15.75c.621 0 1.125-.504 1.125-1.125V5.625c0-.621-.504-1.125-1.125-1.125H4.125C3.504 4.5 3 5.004 3 5.625v12.75c0 .621.504 1.125 1.125 1.125Z"})])}function Jo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M7.5 3.75H6A2.25 2.25 0 0 0 3.75 6v1.5M16.5 3.75H18A2.25 2.25 0 0 1 20.25 6v1.5m0 9V18A2.25 2.25 0 0 1 18 20.25h-1.5m-9 0H6A2.25 2.25 0 0 1 3.75 18v-1.5M15 12a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z"})])}function Qo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21 12a2.25 2.25 0 0 0-2.25-2.25H15a3 3 0 1 1-6 0H5.25A2.25 2.25 0 0 0 3 12m18 0v6a2.25 2.25 0 0 1-2.25 2.25H5.25A2.25 2.25 0 0 1 3 18v-6m18 0V9M3 12V9m18 0a2.25 2.25 0 0 0-2.25-2.25H5.25A2.25 2.25 0 0 0 3 9m18 0V6a2.25 2.25 0 0 0-2.25-2.25H5.25A2.25 2.25 0 0 0 3 6v3"})])}function ei(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M8.288 15.038a5.25 5.25 0 0 1 7.424 0M5.106 11.856c3.807-3.808 9.98-3.808 13.788 0M1.924 8.674c5.565-5.565 14.587-5.565 20.152 0M12.53 18.22l-.53.53-.53-.53a.75.75 0 0 1 1.06 0Z"})])}function ti(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M3 8.25V18a2.25 2.25 0 0 0 2.25 2.25h13.5A2.25 2.25 0 0 0 21 18V8.25m-18 0V6a2.25 2.25 0 0 1 2.25-2.25h13.5A2.25 2.25 0 0 1 21 6v2.25m-18 0h18M5.25 6h.008v.008H5.25V6ZM7.5 6h.008v.008H7.5V6Zm2.25 0h.008v.008H9.75V6Z"})])}function ni(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M11.42 15.17 17.25 21A2.652 2.652 0 0 0 21 17.25l-5.877-5.877M11.42 15.17l2.496-3.03c.317-.384.74-.626 1.208-.766M11.42 15.17l-4.655 5.653a2.548 2.548 0 1 1-3.586-3.586l6.837-5.63m5.108-.233c.55-.164 1.163-.188 1.743-.14a4.5 4.5 0 0 0 4.486-6.336l-3.276 3.277a3.004 3.004 0 0 1-2.25-2.25l3.276-3.276a4.5 4.5 0 0 0-6.336 4.486c.091 1.076-.071 2.264-.904 2.95l-.102.085m-1.745 1.437L5.909 7.5H4.5L2.25 3.75l1.5-1.5L7.5 4.5v1.409l4.26 4.26m-1.745 1.437 1.745-1.437m6.615 8.206L15.75 15.75M4.867 19.125h.008v.008h-.008v-.008Z"})])}function ri(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M21.75 6.75a4.5 4.5 0 0 1-4.884 4.484c-1.076-.091-2.264.071-2.95.904l-7.152 8.684a2.548 2.548 0 1 1-3.586-3.586l8.684-7.152c.833-.686.995-1.874.904-2.95a4.5 4.5 0 0 1 6.336-4.486l-3.276 3.276a3.004 3.004 0 0 0 2.25 2.25l3.276-3.276c.256.565.398 1.192.398 1.852Z"}),(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M4.867 19.125h.008v.008h-.008v-.008Z"})])}function oi(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"m9.75 9.75 4.5 4.5m0-4.5-4.5 4.5M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"})])}function ii(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24","stroke-width":"1.5",stroke:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round",d:"M6 18 18 6M6 6l12 12"})])}},32113:(e,t,n)=>{"use strict";n.r(t),n.d(t,{AcademicCapIcon:()=>o,AdjustmentsHorizontalIcon:()=>i,AdjustmentsVerticalIcon:()=>a,ArchiveBoxArrowDownIcon:()=>l,ArchiveBoxIcon:()=>c,ArchiveBoxXMarkIcon:()=>s,ArrowDownCircleIcon:()=>u,ArrowDownIcon:()=>v,ArrowDownLeftIcon:()=>d,ArrowDownOnSquareIcon:()=>p,ArrowDownOnSquareStackIcon:()=>h,ArrowDownRightIcon:()=>f,ArrowDownTrayIcon:()=>m,ArrowLeftCircleIcon:()=>g,ArrowLeftEndOnRectangleIcon:()=>w,ArrowLeftIcon:()=>x,ArrowLeftOnRectangleIcon:()=>y,ArrowLeftStartOnRectangleIcon:()=>b,ArrowLongDownIcon:()=>k,ArrowLongLeftIcon:()=>E,ArrowLongRightIcon:()=>A,ArrowLongUpIcon:()=>C,ArrowPathIcon:()=>M,ArrowPathRoundedSquareIcon:()=>B,ArrowRightCircleIcon:()=>_,ArrowRightEndOnRectangleIcon:()=>S,ArrowRightIcon:()=>L,ArrowRightOnRectangleIcon:()=>N,ArrowRightStartOnRectangleIcon:()=>V,ArrowSmallDownIcon:()=>T,ArrowSmallLeftIcon:()=>I,ArrowSmallRightIcon:()=>Z,ArrowSmallUpIcon:()=>O,ArrowTopRightOnSquareIcon:()=>D,ArrowTrendingDownIcon:()=>R,ArrowTrendingUpIcon:()=>H,ArrowTurnDownLeftIcon:()=>P,ArrowTurnDownRightIcon:()=>j,ArrowTurnLeftDownIcon:()=>F,ArrowTurnLeftUpIcon:()=>z,ArrowTurnRightDownIcon:()=>q,ArrowTurnRightUpIcon:()=>U,ArrowTurnUpLeftIcon:()=>$,ArrowTurnUpRightIcon:()=>W,ArrowUpCircleIcon:()=>G,ArrowUpIcon:()=>ee,ArrowUpLeftIcon:()=>K,ArrowUpOnSquareIcon:()=>X,ArrowUpOnSquareStackIcon:()=>Y,ArrowUpRightIcon:()=>J,ArrowUpTrayIcon:()=>Q,ArrowUturnDownIcon:()=>te,ArrowUturnLeftIcon:()=>ne,ArrowUturnRightIcon:()=>re,ArrowUturnUpIcon:()=>oe,ArrowsPointingInIcon:()=>ie,ArrowsPointingOutIcon:()=>ae,ArrowsRightLeftIcon:()=>le,ArrowsUpDownIcon:()=>se,AtSymbolIcon:()=>ce,BackspaceIcon:()=>ue,BackwardIcon:()=>de,BanknotesIcon:()=>he,Bars2Icon:()=>pe,Bars3BottomLeftIcon:()=>fe,Bars3BottomRightIcon:()=>me,Bars3CenterLeftIcon:()=>ve,Bars3Icon:()=>ge,Bars4Icon:()=>we,BarsArrowDownIcon:()=>ye,BarsArrowUpIcon:()=>be,Battery0Icon:()=>xe,Battery100Icon:()=>ke,Battery50Icon:()=>Ee,BeakerIcon:()=>Ae,BellAlertIcon:()=>Ce,BellIcon:()=>_e,BellSlashIcon:()=>Be,BellSnoozeIcon:()=>Me,BoldIcon:()=>Se,BoltIcon:()=>Ve,BoltSlashIcon:()=>Ne,BookOpenIcon:()=>Le,BookmarkIcon:()=>Ze,BookmarkSlashIcon:()=>Te,BookmarkSquareIcon:()=>Ie,BriefcaseIcon:()=>Oe,BugAntIcon:()=>De,BuildingLibraryIcon:()=>Re,BuildingOffice2Icon:()=>He,BuildingOfficeIcon:()=>Pe,BuildingStorefrontIcon:()=>je,CakeIcon:()=>Fe,CalculatorIcon:()=>ze,CalendarDateRangeIcon:()=>qe,CalendarDaysIcon:()=>Ue,CalendarIcon:()=>$e,CameraIcon:()=>We,ChartBarIcon:()=>Ke,ChartBarSquareIcon:()=>Ge,ChartPieIcon:()=>Ye,ChatBubbleBottomCenterIcon:()=>Je,ChatBubbleBottomCenterTextIcon:()=>Xe,ChatBubbleLeftEllipsisIcon:()=>Qe,ChatBubbleLeftIcon:()=>tt,ChatBubbleLeftRightIcon:()=>et,ChatBubbleOvalLeftEllipsisIcon:()=>nt,ChatBubbleOvalLeftIcon:()=>rt,CheckBadgeIcon:()=>ot,CheckCircleIcon:()=>it,CheckIcon:()=>at,ChevronDoubleDownIcon:()=>lt,ChevronDoubleLeftIcon:()=>st,ChevronDoubleRightIcon:()=>ct,ChevronDoubleUpIcon:()=>ut,ChevronDownIcon:()=>dt,ChevronLeftIcon:()=>ht,ChevronRightIcon:()=>pt,ChevronUpDownIcon:()=>ft,ChevronUpIcon:()=>mt,CircleStackIcon:()=>vt,ClipboardDocumentCheckIcon:()=>gt,ClipboardDocumentIcon:()=>yt,ClipboardDocumentListIcon:()=>wt,ClipboardIcon:()=>bt,ClockIcon:()=>xt,CloudArrowDownIcon:()=>kt,CloudArrowUpIcon:()=>Et,CloudIcon:()=>At,CodeBracketIcon:()=>Bt,CodeBracketSquareIcon:()=>Ct,Cog6ToothIcon:()=>Mt,Cog8ToothIcon:()=>_t,CogIcon:()=>St,CommandLineIcon:()=>Nt,ComputerDesktopIcon:()=>Vt,CpuChipIcon:()=>Lt,CreditCardIcon:()=>Tt,CubeIcon:()=>Zt,CubeTransparentIcon:()=>It,CurrencyBangladeshiIcon:()=>Ot,CurrencyDollarIcon:()=>Dt,CurrencyEuroIcon:()=>Rt,CurrencyPoundIcon:()=>Ht,CurrencyRupeeIcon:()=>Pt,CurrencyYenIcon:()=>jt,CursorArrowRaysIcon:()=>Ft,CursorArrowRippleIcon:()=>zt,DevicePhoneMobileIcon:()=>qt,DeviceTabletIcon:()=>Ut,DivideIcon:()=>$t,DocumentArrowDownIcon:()=>Wt,DocumentArrowUpIcon:()=>Gt,DocumentChartBarIcon:()=>Kt,DocumentCheckIcon:()=>Yt,DocumentCurrencyBangladeshiIcon:()=>Xt,DocumentCurrencyDollarIcon:()=>Jt,DocumentCurrencyEuroIcon:()=>Qt,DocumentCurrencyPoundIcon:()=>en,DocumentCurrencyRupeeIcon:()=>tn,DocumentCurrencyYenIcon:()=>nn,DocumentDuplicateIcon:()=>rn,DocumentIcon:()=>cn,DocumentMagnifyingGlassIcon:()=>on,DocumentMinusIcon:()=>an,DocumentPlusIcon:()=>ln,DocumentTextIcon:()=>sn,EllipsisHorizontalCircleIcon:()=>un,EllipsisHorizontalIcon:()=>dn,EllipsisVerticalIcon:()=>hn,EnvelopeIcon:()=>fn,EnvelopeOpenIcon:()=>pn,EqualsIcon:()=>mn,ExclamationCircleIcon:()=>vn,ExclamationTriangleIcon:()=>gn,EyeDropperIcon:()=>wn,EyeIcon:()=>bn,EyeSlashIcon:()=>yn,FaceFrownIcon:()=>xn,FaceSmileIcon:()=>kn,FilmIcon:()=>En,FingerPrintIcon:()=>An,FireIcon:()=>Cn,FlagIcon:()=>Bn,FolderArrowDownIcon:()=>Mn,FolderIcon:()=>Vn,FolderMinusIcon:()=>_n,FolderOpenIcon:()=>Sn,FolderPlusIcon:()=>Nn,ForwardIcon:()=>Ln,FunnelIcon:()=>Tn,GifIcon:()=>In,GiftIcon:()=>On,GiftTopIcon:()=>Zn,GlobeAltIcon:()=>Dn,GlobeAmericasIcon:()=>Rn,GlobeAsiaAustraliaIcon:()=>Hn,GlobeEuropeAfricaIcon:()=>Pn,H1Icon:()=>jn,H2Icon:()=>Fn,H3Icon:()=>zn,HandRaisedIcon:()=>qn,HandThumbDownIcon:()=>Un,HandThumbUpIcon:()=>$n,HashtagIcon:()=>Wn,HeartIcon:()=>Gn,HomeIcon:()=>Yn,HomeModernIcon:()=>Kn,IdentificationIcon:()=>Xn,InboxArrowDownIcon:()=>Jn,InboxIcon:()=>er,InboxStackIcon:()=>Qn,InformationCircleIcon:()=>tr,ItalicIcon:()=>nr,KeyIcon:()=>rr,LanguageIcon:()=>or,LifebuoyIcon:()=>ir,LightBulbIcon:()=>ar,LinkIcon:()=>sr,LinkSlashIcon:()=>lr,ListBulletIcon:()=>cr,LockClosedIcon:()=>ur,LockOpenIcon:()=>dr,MagnifyingGlassCircleIcon:()=>hr,MagnifyingGlassIcon:()=>mr,MagnifyingGlassMinusIcon:()=>pr,MagnifyingGlassPlusIcon:()=>fr,MapIcon:()=>gr,MapPinIcon:()=>vr,MegaphoneIcon:()=>wr,MicrophoneIcon:()=>yr,MinusCircleIcon:()=>br,MinusIcon:()=>kr,MinusSmallIcon:()=>xr,MoonIcon:()=>Er,MusicalNoteIcon:()=>Ar,NewspaperIcon:()=>Cr,NoSymbolIcon:()=>Br,NumberedListIcon:()=>Mr,PaintBrushIcon:()=>_r,PaperAirplaneIcon:()=>Sr,PaperClipIcon:()=>Nr,PauseCircleIcon:()=>Vr,PauseIcon:()=>Lr,PencilIcon:()=>Ir,PencilSquareIcon:()=>Tr,PercentBadgeIcon:()=>Zr,PhoneArrowDownLeftIcon:()=>Or,PhoneArrowUpRightIcon:()=>Dr,PhoneIcon:()=>Hr,PhoneXMarkIcon:()=>Rr,PhotoIcon:()=>Pr,PlayCircleIcon:()=>jr,PlayIcon:()=>zr,PlayPauseIcon:()=>Fr,PlusCircleIcon:()=>qr,PlusIcon:()=>$r,PlusSmallIcon:()=>Ur,PowerIcon:()=>Wr,PresentationChartBarIcon:()=>Gr,PresentationChartLineIcon:()=>Kr,PrinterIcon:()=>Yr,PuzzlePieceIcon:()=>Xr,QrCodeIcon:()=>Jr,QuestionMarkCircleIcon:()=>Qr,QueueListIcon:()=>eo,RadioIcon:()=>to,ReceiptPercentIcon:()=>no,ReceiptRefundIcon:()=>ro,RectangleGroupIcon:()=>oo,RectangleStackIcon:()=>io,RocketLaunchIcon:()=>ao,RssIcon:()=>lo,ScaleIcon:()=>so,ScissorsIcon:()=>co,ServerIcon:()=>ho,ServerStackIcon:()=>uo,ShareIcon:()=>po,ShieldCheckIcon:()=>fo,ShieldExclamationIcon:()=>mo,ShoppingBagIcon:()=>vo,ShoppingCartIcon:()=>go,SignalIcon:()=>yo,SignalSlashIcon:()=>wo,SlashIcon:()=>bo,SparklesIcon:()=>xo,SpeakerWaveIcon:()=>ko,SpeakerXMarkIcon:()=>Eo,Square2StackIcon:()=>Ao,Square3Stack3DIcon:()=>Co,Squares2X2Icon:()=>Bo,SquaresPlusIcon:()=>Mo,StarIcon:()=>_o,StopCircleIcon:()=>So,StopIcon:()=>No,StrikethroughIcon:()=>Vo,SunIcon:()=>Lo,SwatchIcon:()=>To,TableCellsIcon:()=>Io,TagIcon:()=>Zo,TicketIcon:()=>Oo,TrashIcon:()=>Do,TrophyIcon:()=>Ro,TruckIcon:()=>Ho,TvIcon:()=>Po,UnderlineIcon:()=>jo,UserCircleIcon:()=>Fo,UserGroupIcon:()=>zo,UserIcon:()=>$o,UserMinusIcon:()=>qo,UserPlusIcon:()=>Uo,UsersIcon:()=>Wo,VariableIcon:()=>Go,VideoCameraIcon:()=>Yo,VideoCameraSlashIcon:()=>Ko,ViewColumnsIcon:()=>Xo,ViewfinderCircleIcon:()=>Jo,WalletIcon:()=>Qo,WifiIcon:()=>ei,WindowIcon:()=>ti,WrenchIcon:()=>ri,WrenchScrewdriverIcon:()=>ni,XCircleIcon:()=>oi,XMarkIcon:()=>ii});var r=n(29726);function o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.7 2.805a.75.75 0 0 1 .6 0A60.65 60.65 0 0 1 22.83 8.72a.75.75 0 0 1-.231 1.337 49.948 49.948 0 0 0-9.902 3.912l-.003.002c-.114.06-.227.119-.34.18a.75.75 0 0 1-.707 0A50.88 50.88 0 0 0 7.5 12.173v-.224c0-.131.067-.248.172-.311a54.615 54.615 0 0 1 4.653-2.52.75.75 0 0 0-.65-1.352 56.123 56.123 0 0 0-4.78 2.589 1.858 1.858 0 0 0-.859 1.228 49.803 49.803 0 0 0-4.634-1.527.75.75 0 0 1-.231-1.337A60.653 60.653 0 0 1 11.7 2.805Z"}),(0,r.createElementVNode)("path",{d:"M13.06 15.473a48.45 48.45 0 0 1 7.666-3.282c.134 1.414.22 2.843.255 4.284a.75.75 0 0 1-.46.711 47.87 47.87 0 0 0-8.105 4.342.75.75 0 0 1-.832 0 47.87 47.87 0 0 0-8.104-4.342.75.75 0 0 1-.461-.71c.035-1.442.121-2.87.255-4.286.921.304 1.83.634 2.726.99v1.27a1.5 1.5 0 0 0-.14 2.508c-.09.38-.222.753-.397 1.11.452.213.901.434 1.346.66a6.727 6.727 0 0 0 .551-1.607 1.5 1.5 0 0 0 .14-2.67v-.645a48.549 48.549 0 0 1 3.44 1.667 2.25 2.25 0 0 0 2.12 0Z"}),(0,r.createElementVNode)("path",{d:"M4.462 19.462c.42-.419.753-.89 1-1.395.453.214.902.435 1.347.662a6.742 6.742 0 0 1-1.286 1.794.75.75 0 0 1-1.06-1.06Z"})])}function i(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M18.75 12.75h1.5a.75.75 0 0 0 0-1.5h-1.5a.75.75 0 0 0 0 1.5ZM12 6a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-7.5A.75.75 0 0 1 12 6ZM12 18a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-7.5A.75.75 0 0 1 12 18ZM3.75 6.75h1.5a.75.75 0 1 0 0-1.5h-1.5a.75.75 0 0 0 0 1.5ZM5.25 18.75h-1.5a.75.75 0 0 1 0-1.5h1.5a.75.75 0 0 1 0 1.5ZM3 12a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-7.5A.75.75 0 0 1 3 12ZM9 3.75a2.25 2.25 0 1 0 0 4.5 2.25 2.25 0 0 0 0-4.5ZM12.75 12a2.25 2.25 0 1 1 4.5 0 2.25 2.25 0 0 1-4.5 0ZM9 15.75a2.25 2.25 0 1 0 0 4.5 2.25 2.25 0 0 0 0-4.5Z"})])}function a(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6 12a.75.75 0 0 1-.75-.75v-7.5a.75.75 0 1 1 1.5 0v7.5A.75.75 0 0 1 6 12ZM18 12a.75.75 0 0 1-.75-.75v-7.5a.75.75 0 0 1 1.5 0v7.5A.75.75 0 0 1 18 12ZM6.75 20.25v-1.5a.75.75 0 0 0-1.5 0v1.5a.75.75 0 0 0 1.5 0ZM18.75 18.75v1.5a.75.75 0 0 1-1.5 0v-1.5a.75.75 0 0 1 1.5 0ZM12.75 5.25v-1.5a.75.75 0 0 0-1.5 0v1.5a.75.75 0 0 0 1.5 0ZM12 21a.75.75 0 0 1-.75-.75v-7.5a.75.75 0 0 1 1.5 0v7.5A.75.75 0 0 1 12 21ZM3.75 15a2.25 2.25 0 1 0 4.5 0 2.25 2.25 0 0 0-4.5 0ZM12 11.25a2.25 2.25 0 1 1 0-4.5 2.25 2.25 0 0 1 0 4.5ZM15.75 15a2.25 2.25 0 1 0 4.5 0 2.25 2.25 0 0 0-4.5 0Z"})])}function l(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.375 3C2.339 3 1.5 3.84 1.5 4.875v.75c0 1.036.84 1.875 1.875 1.875h17.25c1.035 0 1.875-.84 1.875-1.875v-.75C22.5 3.839 21.66 3 20.625 3H3.375Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m3.087 9 .54 9.176A3 3 0 0 0 6.62 21h10.757a3 3 0 0 0 2.995-2.824L20.913 9H3.087ZM12 10.5a.75.75 0 0 1 .75.75v4.94l1.72-1.72a.75.75 0 1 1 1.06 1.06l-3 3a.75.75 0 0 1-1.06 0l-3-3a.75.75 0 1 1 1.06-1.06l1.72 1.72v-4.94a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function s(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.375 3C2.339 3 1.5 3.84 1.5 4.875v.75c0 1.036.84 1.875 1.875 1.875h17.25c1.035 0 1.875-.84 1.875-1.875v-.75C22.5 3.839 21.66 3 20.625 3H3.375Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m3.087 9 .54 9.176A3 3 0 0 0 6.62 21h10.757a3 3 0 0 0 2.995-2.824L20.913 9H3.087Zm6.133 2.845a.75.75 0 0 1 1.06 0l1.72 1.72 1.72-1.72a.75.75 0 1 1 1.06 1.06l-1.72 1.72 1.72 1.72a.75.75 0 1 1-1.06 1.06L12 15.685l-1.72 1.72a.75.75 0 1 1-1.06-1.06l1.72-1.72-1.72-1.72a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function c(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.375 3C2.339 3 1.5 3.84 1.5 4.875v.75c0 1.036.84 1.875 1.875 1.875h17.25c1.035 0 1.875-.84 1.875-1.875v-.75C22.5 3.839 21.66 3 20.625 3H3.375Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m3.087 9 .54 9.176A3 3 0 0 0 6.62 21h10.757a3 3 0 0 0 2.995-2.824L20.913 9H3.087Zm6.163 3.75A.75.75 0 0 1 10 12h4a.75.75 0 0 1 0 1.5h-4a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function u(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm-.53 14.03a.75.75 0 0 0 1.06 0l3-3a.75.75 0 1 0-1.06-1.06l-1.72 1.72V8.25a.75.75 0 0 0-1.5 0v5.69l-1.72-1.72a.75.75 0 0 0-1.06 1.06l3 3Z","clip-rule":"evenodd"})])}function d(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.03 3.97a.75.75 0 0 1 0 1.06L6.31 18.75h9.44a.75.75 0 0 1 0 1.5H4.5a.75.75 0 0 1-.75-.75V8.25a.75.75 0 0 1 1.5 0v9.44L18.97 3.97a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function h(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.75 6.75h-3a3 3 0 0 0-3 3v7.5a3 3 0 0 0 3 3h7.5a3 3 0 0 0 3-3v-7.5a3 3 0 0 0-3-3h-3V1.5a.75.75 0 0 0-1.5 0v5.25Zm0 0h1.5v5.69l1.72-1.72a.75.75 0 1 1 1.06 1.06l-3 3a.75.75 0 0 1-1.06 0l-3-3a.75.75 0 1 1 1.06-1.06l1.72 1.72V6.75Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M7.151 21.75a2.999 2.999 0 0 0 2.599 1.5h7.5a3 3 0 0 0 3-3v-7.5c0-1.11-.603-2.08-1.5-2.599v7.099a4.5 4.5 0 0 1-4.5 4.5H7.151Z"})])}function p(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 1.5a.75.75 0 0 1 .75.75V7.5h-1.5V2.25A.75.75 0 0 1 12 1.5ZM11.25 7.5v5.69l-1.72-1.72a.75.75 0 0 0-1.06 1.06l3 3a.75.75 0 0 0 1.06 0l3-3a.75.75 0 1 0-1.06-1.06l-1.72 1.72V7.5h3.75a3 3 0 0 1 3 3v9a3 3 0 0 1-3 3h-9a3 3 0 0 1-3-3v-9a3 3 0 0 1 3-3h3.75Z"})])}function f(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.97 3.97a.75.75 0 0 1 1.06 0l13.72 13.72V8.25a.75.75 0 0 1 1.5 0V19.5a.75.75 0 0 1-.75.75H8.25a.75.75 0 0 1 0-1.5h9.44L3.97 5.03a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function m(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25a.75.75 0 0 1 .75.75v11.69l3.22-3.22a.75.75 0 1 1 1.06 1.06l-4.5 4.5a.75.75 0 0 1-1.06 0l-4.5-4.5a.75.75 0 1 1 1.06-1.06l3.22 3.22V3a.75.75 0 0 1 .75-.75Zm-9 13.5a.75.75 0 0 1 .75.75v2.25a1.5 1.5 0 0 0 1.5 1.5h13.5a1.5 1.5 0 0 0 1.5-1.5V16.5a.75.75 0 0 1 1.5 0v2.25a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3V16.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function v(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25a.75.75 0 0 1 .75.75v16.19l6.22-6.22a.75.75 0 1 1 1.06 1.06l-7.5 7.5a.75.75 0 0 1-1.06 0l-7.5-7.5a.75.75 0 1 1 1.06-1.06l6.22 6.22V3a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function g(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm-4.28 9.22a.75.75 0 0 0 0 1.06l3 3a.75.75 0 1 0 1.06-1.06l-1.72-1.72h5.69a.75.75 0 0 0 0-1.5h-5.69l1.72-1.72a.75.75 0 0 0-1.06-1.06l-3 3Z","clip-rule":"evenodd"})])}function w(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 3.75A1.5 1.5 0 0 0 6 5.25v13.5a1.5 1.5 0 0 0 1.5 1.5h6a1.5 1.5 0 0 0 1.5-1.5V15a.75.75 0 0 1 1.5 0v3.75a3 3 0 0 1-3 3h-6a3 3 0 0 1-3-3V5.25a3 3 0 0 1 3-3h6a3 3 0 0 1 3 3V9A.75.75 0 0 1 15 9V5.25a1.5 1.5 0 0 0-1.5-1.5h-6Zm5.03 4.72a.75.75 0 0 1 0 1.06l-1.72 1.72h10.94a.75.75 0 0 1 0 1.5H10.81l1.72 1.72a.75.75 0 1 1-1.06 1.06l-3-3a.75.75 0 0 1 0-1.06l3-3a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 3.75A1.5 1.5 0 0 0 6 5.25v13.5a1.5 1.5 0 0 0 1.5 1.5h6a1.5 1.5 0 0 0 1.5-1.5V15a.75.75 0 0 1 1.5 0v3.75a3 3 0 0 1-3 3h-6a3 3 0 0 1-3-3V5.25a3 3 0 0 1 3-3h6a3 3 0 0 1 3 3V9A.75.75 0 0 1 15 9V5.25a1.5 1.5 0 0 0-1.5-1.5h-6Zm5.03 4.72a.75.75 0 0 1 0 1.06l-1.72 1.72h10.94a.75.75 0 0 1 0 1.5H10.81l1.72 1.72a.75.75 0 1 1-1.06 1.06l-3-3a.75.75 0 0 1 0-1.06l3-3a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function b(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.5 3.75a1.5 1.5 0 0 1 1.5 1.5v13.5a1.5 1.5 0 0 1-1.5 1.5h-6a1.5 1.5 0 0 1-1.5-1.5V15a.75.75 0 0 0-1.5 0v3.75a3 3 0 0 0 3 3h6a3 3 0 0 0 3-3V5.25a3 3 0 0 0-3-3h-6a3 3 0 0 0-3 3V9A.75.75 0 1 0 9 9V5.25a1.5 1.5 0 0 1 1.5-1.5h6ZM5.78 8.47a.75.75 0 0 0-1.06 0l-3 3a.75.75 0 0 0 0 1.06l3 3a.75.75 0 0 0 1.06-1.06l-1.72-1.72H15a.75.75 0 0 0 0-1.5H4.06l1.72-1.72a.75.75 0 0 0 0-1.06Z","clip-rule":"evenodd"})])}function x(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.03 3.97a.75.75 0 0 1 0 1.06l-6.22 6.22H21a.75.75 0 0 1 0 1.5H4.81l6.22 6.22a.75.75 0 1 1-1.06 1.06l-7.5-7.5a.75.75 0 0 1 0-1.06l7.5-7.5a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function k(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25a.75.75 0 0 1 .75.75v16.19l2.47-2.47a.75.75 0 1 1 1.06 1.06l-3.75 3.75a.75.75 0 0 1-1.06 0l-3.75-3.75a.75.75 0 1 1 1.06-1.06l2.47 2.47V3a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function E(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.28 7.72a.75.75 0 0 1 0 1.06l-2.47 2.47H21a.75.75 0 0 1 0 1.5H4.81l2.47 2.47a.75.75 0 1 1-1.06 1.06l-3.75-3.75a.75.75 0 0 1 0-1.06l3.75-3.75a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function A(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.72 7.72a.75.75 0 0 1 1.06 0l3.75 3.75a.75.75 0 0 1 0 1.06l-3.75 3.75a.75.75 0 1 1-1.06-1.06l2.47-2.47H3a.75.75 0 0 1 0-1.5h16.19l-2.47-2.47a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function C(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 2.47a.75.75 0 0 1 1.06 0l3.75 3.75a.75.75 0 0 1-1.06 1.06l-2.47-2.47V21a.75.75 0 0 1-1.5 0V4.81L8.78 7.28a.75.75 0 0 1-1.06-1.06l3.75-3.75Z","clip-rule":"evenodd"})])}function B(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 5.25c1.213 0 2.415.046 3.605.135a3.256 3.256 0 0 1 3.01 3.01c.044.583.077 1.17.1 1.759L17.03 8.47a.75.75 0 1 0-1.06 1.06l3 3a.75.75 0 0 0 1.06 0l3-3a.75.75 0 0 0-1.06-1.06l-1.752 1.751c-.023-.65-.06-1.296-.108-1.939a4.756 4.756 0 0 0-4.392-4.392 49.422 49.422 0 0 0-7.436 0A4.756 4.756 0 0 0 3.89 8.282c-.017.224-.033.447-.046.672a.75.75 0 1 0 1.497.092c.013-.217.028-.434.044-.651a3.256 3.256 0 0 1 3.01-3.01c1.19-.09 2.392-.135 3.605-.135Zm-6.97 6.22a.75.75 0 0 0-1.06 0l-3 3a.75.75 0 1 0 1.06 1.06l1.752-1.751c.023.65.06 1.296.108 1.939a4.756 4.756 0 0 0 4.392 4.392 49.413 49.413 0 0 0 7.436 0 4.756 4.756 0 0 0 4.392-4.392c.017-.223.032-.447.046-.672a.75.75 0 0 0-1.497-.092c-.013.217-.028.434-.044.651a3.256 3.256 0 0 1-3.01 3.01 47.953 47.953 0 0 1-7.21 0 3.256 3.256 0 0 1-3.01-3.01 47.759 47.759 0 0 1-.1-1.759L6.97 15.53a.75.75 0 0 0 1.06-1.06l-3-3Z","clip-rule":"evenodd"})])}function M(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.755 10.059a7.5 7.5 0 0 1 12.548-3.364l1.903 1.903h-3.183a.75.75 0 1 0 0 1.5h4.992a.75.75 0 0 0 .75-.75V4.356a.75.75 0 0 0-1.5 0v3.18l-1.9-1.9A9 9 0 0 0 3.306 9.67a.75.75 0 1 0 1.45.388Zm15.408 3.352a.75.75 0 0 0-.919.53 7.5 7.5 0 0 1-12.548 3.364l-1.902-1.903h3.183a.75.75 0 0 0 0-1.5H2.984a.75.75 0 0 0-.75.75v4.992a.75.75 0 0 0 1.5 0v-3.18l1.9 1.9a9 9 0 0 0 15.059-4.035.75.75 0 0 0-.53-.918Z","clip-rule":"evenodd"})])}function _(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm4.28 10.28a.75.75 0 0 0 0-1.06l-3-3a.75.75 0 1 0-1.06 1.06l1.72 1.72H8.25a.75.75 0 0 0 0 1.5h5.69l-1.72 1.72a.75.75 0 1 0 1.06 1.06l3-3Z","clip-rule":"evenodd"})])}function S(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.5 3.75a1.5 1.5 0 0 1 1.5 1.5v13.5a1.5 1.5 0 0 1-1.5 1.5h-6a1.5 1.5 0 0 1-1.5-1.5V15a.75.75 0 0 0-1.5 0v3.75a3 3 0 0 0 3 3h6a3 3 0 0 0 3-3V5.25a3 3 0 0 0-3-3h-6a3 3 0 0 0-3 3V9A.75.75 0 1 0 9 9V5.25a1.5 1.5 0 0 1 1.5-1.5h6Zm-5.03 4.72a.75.75 0 0 0 0 1.06l1.72 1.72H2.25a.75.75 0 0 0 0 1.5h10.94l-1.72 1.72a.75.75 0 1 0 1.06 1.06l3-3a.75.75 0 0 0 0-1.06l-3-3a.75.75 0 0 0-1.06 0Z","clip-rule":"evenodd"})])}function N(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 3.75A1.5 1.5 0 0 0 6 5.25v13.5a1.5 1.5 0 0 0 1.5 1.5h6a1.5 1.5 0 0 0 1.5-1.5V15a.75.75 0 0 1 1.5 0v3.75a3 3 0 0 1-3 3h-6a3 3 0 0 1-3-3V5.25a3 3 0 0 1 3-3h6a3 3 0 0 1 3 3V9A.75.75 0 0 1 15 9V5.25a1.5 1.5 0 0 0-1.5-1.5h-6Zm10.72 4.72a.75.75 0 0 1 1.06 0l3 3a.75.75 0 0 1 0 1.06l-3 3a.75.75 0 1 1-1.06-1.06l1.72-1.72H9a.75.75 0 0 1 0-1.5h10.94l-1.72-1.72a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function V(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 3.75A1.5 1.5 0 0 0 6 5.25v13.5a1.5 1.5 0 0 0 1.5 1.5h6a1.5 1.5 0 0 0 1.5-1.5V15a.75.75 0 0 1 1.5 0v3.75a3 3 0 0 1-3 3h-6a3 3 0 0 1-3-3V5.25a3 3 0 0 1 3-3h6a3 3 0 0 1 3 3V9A.75.75 0 0 1 15 9V5.25a1.5 1.5 0 0 0-1.5-1.5h-6Zm10.72 4.72a.75.75 0 0 1 1.06 0l3 3a.75.75 0 0 1 0 1.06l-3 3a.75.75 0 1 1-1.06-1.06l1.72-1.72H9a.75.75 0 0 1 0-1.5h10.94l-1.72-1.72a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function L(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.97 3.97a.75.75 0 0 1 1.06 0l7.5 7.5a.75.75 0 0 1 0 1.06l-7.5 7.5a.75.75 0 1 1-1.06-1.06l6.22-6.22H3a.75.75 0 0 1 0-1.5h16.19l-6.22-6.22a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function T(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 3.75a.75.75 0 0 1 .75.75v13.19l5.47-5.47a.75.75 0 1 1 1.06 1.06l-6.75 6.75a.75.75 0 0 1-1.06 0l-6.75-6.75a.75.75 0 1 1 1.06-1.06l5.47 5.47V4.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function I(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.25 12a.75.75 0 0 1-.75.75H6.31l5.47 5.47a.75.75 0 1 1-1.06 1.06l-6.75-6.75a.75.75 0 0 1 0-1.06l6.75-6.75a.75.75 0 1 1 1.06 1.06l-5.47 5.47H19.5a.75.75 0 0 1 .75.75Z","clip-rule":"evenodd"})])}function Z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 12a.75.75 0 0 1 .75-.75h13.19l-5.47-5.47a.75.75 0 0 1 1.06-1.06l6.75 6.75a.75.75 0 0 1 0 1.06l-6.75 6.75a.75.75 0 1 1-1.06-1.06l5.47-5.47H4.5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function O(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 20.25a.75.75 0 0 1-.75-.75V6.31l-5.47 5.47a.75.75 0 0 1-1.06-1.06l6.75-6.75a.75.75 0 0 1 1.06 0l6.75 6.75a.75.75 0 1 1-1.06 1.06l-5.47-5.47V19.5a.75.75 0 0 1-.75.75Z","clip-rule":"evenodd"})])}function D(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.75 2.25H21a.75.75 0 0 1 .75.75v5.25a.75.75 0 0 1-1.5 0V4.81L8.03 17.03a.75.75 0 0 1-1.06-1.06L19.19 3.75h-3.44a.75.75 0 0 1 0-1.5Zm-10.5 4.5a1.5 1.5 0 0 0-1.5 1.5v10.5a1.5 1.5 0 0 0 1.5 1.5h10.5a1.5 1.5 0 0 0 1.5-1.5V10.5a.75.75 0 0 1 1.5 0v8.25a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3V8.25a3 3 0 0 1 3-3h8.25a.75.75 0 0 1 0 1.5H5.25Z","clip-rule":"evenodd"})])}function R(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.72 5.47a.75.75 0 0 1 1.06 0L9 11.69l3.756-3.756a.75.75 0 0 1 .985-.066 12.698 12.698 0 0 1 4.575 6.832l.308 1.149 2.277-3.943a.75.75 0 1 1 1.299.75l-3.182 5.51a.75.75 0 0 1-1.025.275l-5.511-3.181a.75.75 0 0 1 .75-1.3l3.943 2.277-.308-1.149a11.194 11.194 0 0 0-3.528-5.617l-3.809 3.81a.75.75 0 0 1-1.06 0L1.72 6.53a.75.75 0 0 1 0-1.061Z","clip-rule":"evenodd"})])}function H(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.22 6.268a.75.75 0 0 1 .968-.431l5.942 2.28a.75.75 0 0 1 .431.97l-2.28 5.94a.75.75 0 1 1-1.4-.537l1.63-4.251-1.086.484a11.2 11.2 0 0 0-5.45 5.173.75.75 0 0 1-1.199.19L9 12.312l-6.22 6.22a.75.75 0 0 1-1.06-1.061l6.75-6.75a.75.75 0 0 1 1.06 0l3.606 3.606a12.695 12.695 0 0 1 5.68-4.974l1.086-.483-4.251-1.632a.75.75 0 0 1-.432-.97Z","clip-rule":"evenodd"})])}function P(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.239 3.749a.75.75 0 0 0-.75.75V15H5.549l2.47-2.47a.75.75 0 0 0-1.06-1.06l-3.75 3.75a.75.75 0 0 0 0 1.06l3.75 3.75a.75.75 0 1 0 1.06-1.06L5.55 16.5h14.69a.75.75 0 0 0 .75-.75V4.5a.75.75 0 0 0-.75-.751Z","clip-rule":"evenodd"})])}function j(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.74 3.749a.75.75 0 0 1 .75.75V15h13.938l-2.47-2.47a.75.75 0 0 1 1.061-1.06l3.75 3.75a.75.75 0 0 1 0 1.06l-3.75 3.75a.75.75 0 0 1-1.06-1.06l2.47-2.47H3.738a.75.75 0 0 1-.75-.75V4.5a.75.75 0 0 1 .75-.751Z","clip-rule":"evenodd"})])}function F(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.24 3.75a.75.75 0 0 1-.75.75H8.989v13.939l2.47-2.47a.75.75 0 1 1 1.06 1.061l-3.75 3.75a.75.75 0 0 1-1.06 0l-3.751-3.75a.75.75 0 1 1 1.06-1.06l2.47 2.469V3.75a.75.75 0 0 1 .75-.75H19.49a.75.75 0 0 1 .75.75Z","clip-rule":"evenodd"})])}function z(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.24 20.249a.75.75 0 0 0-.75-.75H8.989V5.56l2.47 2.47a.75.75 0 0 0 1.06-1.061l-3.75-3.75a.75.75 0 0 0-1.06 0l-3.75 3.75a.75.75 0 1 0 1.06 1.06l2.47-2.469V20.25c0 .414.335.75.75.75h11.25a.75.75 0 0 0 .75-.75Z","clip-rule":"evenodd"})])}function q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.738 3.75c0 .414.336.75.75.75H14.99v13.939l-2.47-2.47a.75.75 0 0 0-1.06 1.061l3.75 3.75a.75.75 0 0 0 1.06 0l3.751-3.75a.75.75 0 0 0-1.06-1.06l-2.47 2.469V3.75a.75.75 0 0 0-.75-.75H4.487a.75.75 0 0 0-.75.75Z","clip-rule":"evenodd"})])}function U(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.738 20.249a.75.75 0 0 1 .75-.75H14.99V5.56l-2.47 2.47a.75.75 0 0 1-1.06-1.061l3.75-3.75a.75.75 0 0 1 1.06 0l3.751 3.75a.75.75 0 0 1-1.06 1.06L16.49 5.56V20.25a.75.75 0 0 1-.75.75H4.487a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function $(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.239 20.25a.75.75 0 0 1-.75-.75V8.999H5.549l2.47 2.47a.75.75 0 0 1-1.06 1.06l-3.75-3.75a.75.75 0 0 1 0-1.06l3.75-3.75a.75.75 0 1 1 1.06 1.06l-2.47 2.47h14.69a.75.75 0 0 1 .75.75V19.5a.75.75 0 0 1-.75.75Z","clip-rule":"evenodd"})])}function W(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.74 20.25a.75.75 0 0 0 .75-.75V8.999h13.938l-2.47 2.47a.75.75 0 0 0 1.061 1.06l3.75-3.75a.75.75 0 0 0 0-1.06l-3.75-3.75a.75.75 0 0 0-1.06 1.06l2.47 2.47H3.738a.75.75 0 0 0-.75.75V19.5c0 .414.336.75.75.75Z","clip-rule":"evenodd"})])}function G(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm.53 5.47a.75.75 0 0 0-1.06 0l-3 3a.75.75 0 1 0 1.06 1.06l1.72-1.72v5.69a.75.75 0 0 0 1.5 0v-5.69l1.72 1.72a.75.75 0 1 0 1.06-1.06l-3-3Z","clip-rule":"evenodd"})])}function K(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 6.31v9.44a.75.75 0 0 1-1.5 0V4.5a.75.75 0 0 1 .75-.75h11.25a.75.75 0 0 1 0 1.5H6.31l13.72 13.72a.75.75 0 1 1-1.06 1.06L5.25 6.31Z","clip-rule":"evenodd"})])}function Y(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9.97.97a.75.75 0 0 1 1.06 0l3 3a.75.75 0 0 1-1.06 1.06l-1.72-1.72v3.44h-1.5V3.31L8.03 5.03a.75.75 0 0 1-1.06-1.06l3-3ZM9.75 6.75v6a.75.75 0 0 0 1.5 0v-6h3a3 3 0 0 1 3 3v7.5a3 3 0 0 1-3 3h-7.5a3 3 0 0 1-3-3v-7.5a3 3 0 0 1 3-3h3Z"}),(0,r.createElementVNode)("path",{d:"M7.151 21.75a2.999 2.999 0 0 0 2.599 1.5h7.5a3 3 0 0 0 3-3v-7.5c0-1.11-.603-2.08-1.5-2.599v7.099a4.5 4.5 0 0 1-4.5 4.5H7.151Z"})])}function X(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.47 1.72a.75.75 0 0 1 1.06 0l3 3a.75.75 0 0 1-1.06 1.06l-1.72-1.72V7.5h-1.5V4.06L9.53 5.78a.75.75 0 0 1-1.06-1.06l3-3ZM11.25 7.5V15a.75.75 0 0 0 1.5 0V7.5h3.75a3 3 0 0 1 3 3v9a3 3 0 0 1-3 3h-9a3 3 0 0 1-3-3v-9a3 3 0 0 1 3-3h3.75Z"})])}function J(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.25 3.75H19.5a.75.75 0 0 1 .75.75v11.25a.75.75 0 0 1-1.5 0V6.31L5.03 20.03a.75.75 0 0 1-1.06-1.06L17.69 5.25H8.25a.75.75 0 0 1 0-1.5Z","clip-rule":"evenodd"})])}function Q(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 2.47a.75.75 0 0 1 1.06 0l4.5 4.5a.75.75 0 0 1-1.06 1.06l-3.22-3.22V16.5a.75.75 0 0 1-1.5 0V4.81L8.03 8.03a.75.75 0 0 1-1.06-1.06l4.5-4.5ZM3 15.75a.75.75 0 0 1 .75.75v2.25a1.5 1.5 0 0 0 1.5 1.5h13.5a1.5 1.5 0 0 0 1.5-1.5V16.5a.75.75 0 0 1 1.5 0v2.25a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3V16.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 2.47a.75.75 0 0 1 1.06 0l7.5 7.5a.75.75 0 1 1-1.06 1.06l-6.22-6.22V21a.75.75 0 0 1-1.5 0V4.81l-6.22 6.22a.75.75 0 1 1-1.06-1.06l7.5-7.5Z","clip-rule":"evenodd"})])}function te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 3.75A5.25 5.25 0 0 0 9.75 9v10.19l4.72-4.72a.75.75 0 1 1 1.06 1.06l-6 6a.75.75 0 0 1-1.06 0l-6-6a.75.75 0 1 1 1.06-1.06l4.72 4.72V9a6.75 6.75 0 0 1 13.5 0v3a.75.75 0 0 1-1.5 0V9c0-2.9-2.35-5.25-5.25-5.25Z","clip-rule":"evenodd"})])}function ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.53 2.47a.75.75 0 0 1 0 1.06L4.81 8.25H15a6.75 6.75 0 0 1 0 13.5h-3a.75.75 0 0 1 0-1.5h3a5.25 5.25 0 1 0 0-10.5H4.81l4.72 4.72a.75.75 0 1 1-1.06 1.06l-6-6a.75.75 0 0 1 0-1.06l6-6a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.47 2.47a.75.75 0 0 1 1.06 0l6 6a.75.75 0 0 1 0 1.06l-6 6a.75.75 0 1 1-1.06-1.06l4.72-4.72H9a5.25 5.25 0 1 0 0 10.5h3a.75.75 0 0 1 0 1.5H9a6.75 6.75 0 0 1 0-13.5h10.19l-4.72-4.72a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M21.53 9.53a.75.75 0 0 1-1.06 0l-4.72-4.72V15a6.75 6.75 0 0 1-13.5 0v-3a.75.75 0 0 1 1.5 0v3a5.25 5.25 0 1 0 10.5 0V4.81L9.53 9.53a.75.75 0 0 1-1.06-1.06l6-6a.75.75 0 0 1 1.06 0l6 6a.75.75 0 0 1 0 1.06Z","clip-rule":"evenodd"})])}function ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.22 3.22a.75.75 0 0 1 1.06 0l3.97 3.97V4.5a.75.75 0 0 1 1.5 0V9a.75.75 0 0 1-.75.75H4.5a.75.75 0 0 1 0-1.5h2.69L3.22 4.28a.75.75 0 0 1 0-1.06Zm17.56 0a.75.75 0 0 1 0 1.06l-3.97 3.97h2.69a.75.75 0 0 1 0 1.5H15a.75.75 0 0 1-.75-.75V4.5a.75.75 0 0 1 1.5 0v2.69l3.97-3.97a.75.75 0 0 1 1.06 0ZM3.75 15a.75.75 0 0 1 .75-.75H9a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0v-2.69l-3.97 3.97a.75.75 0 0 1-1.06-1.06l3.97-3.97H4.5a.75.75 0 0 1-.75-.75Zm10.5 0a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-2.69l3.97 3.97a.75.75 0 1 1-1.06 1.06l-3.97-3.97v2.69a.75.75 0 0 1-1.5 0V15Z","clip-rule":"evenodd"})])}function ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 3.75a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0V5.56l-3.97 3.97a.75.75 0 1 1-1.06-1.06l3.97-3.97h-2.69a.75.75 0 0 1-.75-.75Zm-12 0A.75.75 0 0 1 3.75 3h4.5a.75.75 0 0 1 0 1.5H5.56l3.97 3.97a.75.75 0 0 1-1.06 1.06L4.5 5.56v2.69a.75.75 0 0 1-1.5 0v-4.5Zm11.47 11.78a.75.75 0 1 1 1.06-1.06l3.97 3.97v-2.69a.75.75 0 0 1 1.5 0v4.5a.75.75 0 0 1-.75.75h-4.5a.75.75 0 0 1 0-1.5h2.69l-3.97-3.97Zm-4.94-1.06a.75.75 0 0 1 0 1.06L5.56 19.5h2.69a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75v-4.5a.75.75 0 0 1 1.5 0v2.69l3.97-3.97a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.97 2.47a.75.75 0 0 1 1.06 0l4.5 4.5a.75.75 0 0 1 0 1.06l-4.5 4.5a.75.75 0 1 1-1.06-1.06l3.22-3.22H7.5a.75.75 0 0 1 0-1.5h11.69l-3.22-3.22a.75.75 0 0 1 0-1.06Zm-7.94 9a.75.75 0 0 1 0 1.06l-3.22 3.22H16.5a.75.75 0 0 1 0 1.5H4.81l3.22 3.22a.75.75 0 1 1-1.06 1.06l-4.5-4.5a.75.75 0 0 1 0-1.06l4.5-4.5a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.97 2.47a.75.75 0 0 1 1.06 0l4.5 4.5a.75.75 0 0 1-1.06 1.06L8.25 4.81V16.5a.75.75 0 0 1-1.5 0V4.81L3.53 8.03a.75.75 0 0 1-1.06-1.06l4.5-4.5Zm9.53 4.28a.75.75 0 0 1 .75.75v11.69l3.22-3.22a.75.75 0 1 1 1.06 1.06l-4.5 4.5a.75.75 0 0 1-1.06 0l-4.5-4.5a.75.75 0 1 1 1.06-1.06l3.22 3.22V7.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.834 6.166a8.25 8.25 0 1 0 0 11.668.75.75 0 0 1 1.06 1.06c-3.807 3.808-9.98 3.808-13.788 0-3.808-3.807-3.808-9.98 0-13.788 3.807-3.808 9.98-3.808 13.788 0A9.722 9.722 0 0 1 21.75 12c0 .975-.296 1.887-.809 2.571-.514.685-1.28 1.179-2.191 1.179-.904 0-1.666-.487-2.18-1.164a5.25 5.25 0 1 1-.82-6.26V8.25a.75.75 0 0 1 1.5 0V12c0 .682.208 1.27.509 1.671.3.401.659.579.991.579.332 0 .69-.178.991-.579.3-.4.509-.99.509-1.671a8.222 8.222 0 0 0-2.416-5.834ZM15.75 12a3.75 3.75 0 1 0-7.5 0 3.75 3.75 0 0 0 7.5 0Z","clip-rule":"evenodd"})])}function ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.515 10.674a1.875 1.875 0 0 0 0 2.652L8.89 19.7c.352.351.829.549 1.326.549H19.5a3 3 0 0 0 3-3V6.75a3 3 0 0 0-3-3h-9.284c-.497 0-.974.198-1.326.55l-6.375 6.374ZM12.53 9.22a.75.75 0 1 0-1.06 1.06L13.19 12l-1.72 1.72a.75.75 0 1 0 1.06 1.06l1.72-1.72 1.72 1.72a.75.75 0 1 0 1.06-1.06L15.31 12l1.72-1.72a.75.75 0 1 0-1.06-1.06l-1.72 1.72-1.72-1.72Z","clip-rule":"evenodd"})])}function de(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9.195 18.44c1.25.714 2.805-.189 2.805-1.629v-2.34l6.945 3.968c1.25.715 2.805-.188 2.805-1.628V8.69c0-1.44-1.555-2.343-2.805-1.628L12 11.029v-2.34c0-1.44-1.555-2.343-2.805-1.628l-7.108 4.061c-1.26.72-1.26 2.536 0 3.256l7.108 4.061Z"})])}function he(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 7.5a2.25 2.25 0 1 0 0 4.5 2.25 2.25 0 0 0 0-4.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 4.875C1.5 3.839 2.34 3 3.375 3h17.25c1.035 0 1.875.84 1.875 1.875v9.75c0 1.036-.84 1.875-1.875 1.875H3.375A1.875 1.875 0 0 1 1.5 14.625v-9.75ZM8.25 9.75a3.75 3.75 0 1 1 7.5 0 3.75 3.75 0 0 1-7.5 0ZM18.75 9a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V9.75a.75.75 0 0 0-.75-.75h-.008ZM4.5 9.75A.75.75 0 0 1 5.25 9h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H5.25a.75.75 0 0 1-.75-.75V9.75Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M2.25 18a.75.75 0 0 0 0 1.5c5.4 0 10.63.722 15.6 2.075 1.19.324 2.4-.558 2.4-1.82V18.75a.75.75 0 0 0-.75-.75H2.25Z"})])}function pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 9a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 9Zm0 6.75a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6.75A.75.75 0 0 1 3.75 6h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 6.75ZM3 12a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 12Zm0 5.25a.75.75 0 0 1 .75-.75H12a.75.75 0 0 1 0 1.5H3.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6.75A.75.75 0 0 1 3.75 6h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 6.75ZM3 12a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 12Zm8.25 5.25a.75.75 0 0 1 .75-.75h8.25a.75.75 0 0 1 0 1.5H12a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6.75A.75.75 0 0 1 3.75 6h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 6.75ZM3 12a.75.75 0 0 1 .75-.75H12a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 12Zm0 5.25a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6.75A.75.75 0 0 1 3.75 6h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 6.75ZM3 12a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 12Zm0 5.25a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function we(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 5.25a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 5.25Zm0 4.5A.75.75 0 0 1 3.75 9h16.5a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 9.75Zm0 4.5a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75a.75.75 0 0 1-.75-.75Zm0 4.5a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 4.5A.75.75 0 0 1 3 3.75h14.25a.75.75 0 0 1 0 1.5H3a.75.75 0 0 1-.75-.75Zm0 4.5A.75.75 0 0 1 3 8.25h9.75a.75.75 0 0 1 0 1.5H3A.75.75 0 0 1 2.25 9Zm15-.75A.75.75 0 0 1 18 9v10.19l2.47-2.47a.75.75 0 1 1 1.06 1.06l-3.75 3.75a.75.75 0 0 1-1.06 0l-3.75-3.75a.75.75 0 1 1 1.06-1.06l2.47 2.47V9a.75.75 0 0 1 .75-.75Zm-15 5.25a.75.75 0 0 1 .75-.75h9.75a.75.75 0 0 1 0 1.5H3a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 4.5A.75.75 0 0 1 3 3.75h14.25a.75.75 0 0 1 0 1.5H3a.75.75 0 0 1-.75-.75Zm14.47 3.97a.75.75 0 0 1 1.06 0l3.75 3.75a.75.75 0 1 1-1.06 1.06L18 10.81V21a.75.75 0 0 1-1.5 0V10.81l-2.47 2.47a.75.75 0 1 1-1.06-1.06l3.75-3.75ZM2.25 9A.75.75 0 0 1 3 8.25h9.75a.75.75 0 0 1 0 1.5H3A.75.75 0 0 1 2.25 9Zm0 4.5a.75.75 0 0 1 .75-.75h5.25a.75.75 0 0 1 0 1.5H3a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M.75 9.75a3 3 0 0 1 3-3h15a3 3 0 0 1 3 3v.038c.856.173 1.5.93 1.5 1.837v2.25c0 .907-.644 1.664-1.5 1.838v.037a3 3 0 0 1-3 3h-15a3 3 0 0 1-3-3v-6Zm19.5 0a1.5 1.5 0 0 0-1.5-1.5h-15a1.5 1.5 0 0 0-1.5 1.5v6a1.5 1.5 0 0 0 1.5 1.5h15a1.5 1.5 0 0 0 1.5-1.5v-6Z","clip-rule":"evenodd"})])}function ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 6.75a3 3 0 0 0-3 3v6a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3v-.037c.856-.174 1.5-.93 1.5-1.838v-2.25c0-.907-.644-1.664-1.5-1.837V9.75a3 3 0 0 0-3-3h-15Zm15 1.5a1.5 1.5 0 0 1 1.5 1.5v6a1.5 1.5 0 0 1-1.5 1.5h-15a1.5 1.5 0 0 1-1.5-1.5v-6a1.5 1.5 0 0 1 1.5-1.5h15ZM4.5 9.75a.75.75 0 0 0-.75.75V15c0 .414.336.75.75.75H18a.75.75 0 0 0 .75-.75v-4.5a.75.75 0 0 0-.75-.75H4.5Z","clip-rule":"evenodd"})])}function Ee(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.5 9.75a.75.75 0 0 0-.75.75V15c0 .414.336.75.75.75h6.75A.75.75 0 0 0 12 15v-4.5a.75.75 0 0 0-.75-.75H4.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 6.75a3 3 0 0 0-3 3v6a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3v-.037c.856-.174 1.5-.93 1.5-1.838v-2.25c0-.907-.644-1.664-1.5-1.837V9.75a3 3 0 0 0-3-3h-15Zm15 1.5a1.5 1.5 0 0 1 1.5 1.5v6a1.5 1.5 0 0 1-1.5 1.5h-15a1.5 1.5 0 0 1-1.5-1.5v-6a1.5 1.5 0 0 1 1.5-1.5h15Z","clip-rule":"evenodd"})])}function Ae(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 3.798v5.02a3 3 0 0 1-.879 2.121l-2.377 2.377a9.845 9.845 0 0 1 5.091 1.013 8.315 8.315 0 0 0 5.713.636l.285-.071-3.954-3.955a3 3 0 0 1-.879-2.121v-5.02a23.614 23.614 0 0 0-3 0Zm4.5.138a.75.75 0 0 0 .093-1.495A24.837 24.837 0 0 0 12 2.25a25.048 25.048 0 0 0-3.093.191A.75.75 0 0 0 9 3.936v4.882a1.5 1.5 0 0 1-.44 1.06l-6.293 6.294c-1.62 1.621-.903 4.475 1.471 4.88 2.686.46 5.447.698 8.262.698 2.816 0 5.576-.239 8.262-.697 2.373-.406 3.092-3.26 1.47-4.881L15.44 9.879A1.5 1.5 0 0 1 15 8.818V3.936Z","clip-rule":"evenodd"})])}function Ce(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.85 3.5a.75.75 0 0 0-1.117-1 9.719 9.719 0 0 0-2.348 4.876.75.75 0 0 0 1.479.248A8.219 8.219 0 0 1 5.85 3.5ZM19.267 2.5a.75.75 0 1 0-1.118 1 8.22 8.22 0 0 1 1.987 4.124.75.75 0 0 0 1.48-.248A9.72 9.72 0 0 0 19.266 2.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25A6.75 6.75 0 0 0 5.25 9v.75a8.217 8.217 0 0 1-2.119 5.52.75.75 0 0 0 .298 1.206c1.544.57 3.16.99 4.831 1.243a3.75 3.75 0 1 0 7.48 0 24.583 24.583 0 0 0 4.83-1.244.75.75 0 0 0 .298-1.205 8.217 8.217 0 0 1-2.118-5.52V9A6.75 6.75 0 0 0 12 2.25ZM9.75 18c0-.034 0-.067.002-.1a25.05 25.05 0 0 0 4.496 0l.002.1a2.25 2.25 0 1 1-4.5 0Z","clip-rule":"evenodd"})])}function Be(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.53 2.47a.75.75 0 0 0-1.06 1.06l18 18a.75.75 0 1 0 1.06-1.06l-18-18ZM20.57 16.476c-.223.082-.448.161-.674.238L7.319 4.137A6.75 6.75 0 0 1 18.75 9v.75c0 2.123.8 4.057 2.118 5.52a.75.75 0 0 1-.297 1.206Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 9c0-.184.007-.366.022-.546l10.384 10.384a3.751 3.751 0 0 1-7.396-1.119 24.585 24.585 0 0 1-4.831-1.244.75.75 0 0 1-.298-1.205A8.217 8.217 0 0 0 5.25 9.75V9Zm4.502 8.9a2.25 2.25 0 1 0 4.496 0 25.057 25.057 0 0 1-4.496 0Z","clip-rule":"evenodd"})])}function Me(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25A6.75 6.75 0 0 0 5.25 9v.75a8.217 8.217 0 0 1-2.119 5.52.75.75 0 0 0 .298 1.206c1.544.57 3.16.99 4.831 1.243a3.75 3.75 0 1 0 7.48 0 24.583 24.583 0 0 0 4.83-1.244.75.75 0 0 0 .298-1.205 8.217 8.217 0 0 1-2.118-5.52V9A6.75 6.75 0 0 0 12 2.25ZM9.75 18c0-.034 0-.067.002-.1a25.05 25.05 0 0 0 4.496 0l.002.1a2.25 2.25 0 1 1-4.5 0Zm.75-10.5a.75.75 0 0 0 0 1.5h1.599l-2.223 3.334A.75.75 0 0 0 10.5 13.5h3a.75.75 0 0 0 0-1.5h-1.599l2.223-3.334A.75.75 0 0 0 13.5 7.5h-3Z","clip-rule":"evenodd"})])}function _e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 9a6.75 6.75 0 0 1 13.5 0v.75c0 2.123.8 4.057 2.118 5.52a.75.75 0 0 1-.297 1.206c-1.544.57-3.16.99-4.831 1.243a3.75 3.75 0 1 1-7.48 0 24.585 24.585 0 0 1-4.831-1.244.75.75 0 0 1-.298-1.205A8.217 8.217 0 0 0 5.25 9.75V9Zm4.502 8.9a2.25 2.25 0 1 0 4.496 0 25.057 25.057 0 0 1-4.496 0Z","clip-rule":"evenodd"})])}function Se(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.246 3.744a.75.75 0 0 1 .75-.75h7.125a4.875 4.875 0 0 1 3.346 8.422 5.25 5.25 0 0 1-2.97 9.58h-7.5a.75.75 0 0 1-.75-.75V3.744Zm7.125 6.75a2.625 2.625 0 0 0 0-5.25H8.246v5.25h4.125Zm-4.125 2.251v6h4.5a3 3 0 0 0 0-6h-4.5Z","clip-rule":"evenodd"})])}function Ne(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m20.798 11.012-3.188 3.416L9.462 6.28l4.24-4.542a.75.75 0 0 1 1.272.71L12.982 9.75h7.268a.75.75 0 0 1 .548 1.262ZM3.202 12.988 6.39 9.572l8.148 8.148-4.24 4.542a.75.75 0 0 1-1.272-.71l1.992-7.302H3.75a.75.75 0 0 1-.548-1.262ZM3.53 2.47a.75.75 0 0 0-1.06 1.06l18 18a.75.75 0 1 0 1.06-1.06l-18-18Z"})])}function Ve(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.615 1.595a.75.75 0 0 1 .359.852L12.982 9.75h7.268a.75.75 0 0 1 .548 1.262l-10.5 11.25a.75.75 0 0 1-1.272-.71l1.992-7.302H3.75a.75.75 0 0 1-.548-1.262l10.5-11.25a.75.75 0 0 1 .913-.143Z","clip-rule":"evenodd"})])}function Le(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.25 4.533A9.707 9.707 0 0 0 6 3a9.735 9.735 0 0 0-3.25.555.75.75 0 0 0-.5.707v14.25a.75.75 0 0 0 1 .707A8.237 8.237 0 0 1 6 18.75c1.995 0 3.823.707 5.25 1.886V4.533ZM12.75 20.636A8.214 8.214 0 0 1 18 18.75c.966 0 1.89.166 2.75.47a.75.75 0 0 0 1-.708V4.262a.75.75 0 0 0-.5-.707A9.735 9.735 0 0 0 18 3a9.707 9.707 0 0 0-5.25 1.533v16.103Z"})])}function Te(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.53 2.47a.75.75 0 0 0-1.06 1.06l18 18a.75.75 0 1 0 1.06-1.06l-18-18ZM20.25 5.507v11.561L5.853 2.671c.15-.043.306-.075.467-.094a49.255 49.255 0 0 1 11.36 0c1.497.174 2.57 1.46 2.57 2.93ZM3.75 21V6.932l14.063 14.063L12 18.088l-7.165 3.583A.75.75 0 0 1 3.75 21Z"})])}function Ie(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 3a3 3 0 0 0-3 3v12a3 3 0 0 0 3 3h12a3 3 0 0 0 3-3V6a3 3 0 0 0-3-3H6Zm1.5 1.5a.75.75 0 0 0-.75.75V16.5a.75.75 0 0 0 1.085.67L12 15.089l4.165 2.083a.75.75 0 0 0 1.085-.671V5.25a.75.75 0 0 0-.75-.75h-9Z","clip-rule":"evenodd"})])}function Ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.32 2.577a49.255 49.255 0 0 1 11.36 0c1.497.174 2.57 1.46 2.57 2.93V21a.75.75 0 0 1-1.085.67L12 18.089l-7.165 3.583A.75.75 0 0 1 3.75 21V5.507c0-1.47 1.073-2.756 2.57-2.93Z","clip-rule":"evenodd"})])}function Oe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 5.25a3 3 0 0 1 3-3h3a3 3 0 0 1 3 3v.205c.933.085 1.857.197 2.774.334 1.454.218 2.476 1.483 2.476 2.917v3.033c0 1.211-.734 2.352-1.936 2.752A24.726 24.726 0 0 1 12 15.75c-2.73 0-5.357-.442-7.814-1.259-1.202-.4-1.936-1.541-1.936-2.752V8.706c0-1.434 1.022-2.7 2.476-2.917A48.814 48.814 0 0 1 7.5 5.455V5.25Zm7.5 0v.09a49.488 49.488 0 0 0-6 0v-.09a1.5 1.5 0 0 1 1.5-1.5h3a1.5 1.5 0 0 1 1.5 1.5Zm-3 8.25a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M3 18.4v-2.796a4.3 4.3 0 0 0 .713.31A26.226 26.226 0 0 0 12 17.25c2.892 0 5.68-.468 8.287-1.335.252-.084.49-.189.713-.311V18.4c0 1.452-1.047 2.728-2.523 2.923-2.12.282-4.282.427-6.477.427a49.19 49.19 0 0 1-6.477-.427C4.047 21.128 3 19.852 3 18.4Z"})])}function De(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.478 1.6a.75.75 0 0 1 .273 1.026 3.72 3.72 0 0 0-.425 1.121c.058.058.118.114.18.168A4.491 4.491 0 0 1 12 2.25c1.413 0 2.673.651 3.497 1.668.06-.054.12-.11.178-.167a3.717 3.717 0 0 0-.426-1.125.75.75 0 1 1 1.298-.752 5.22 5.22 0 0 1 .671 2.046.75.75 0 0 1-.187.582c-.241.27-.505.52-.787.749a4.494 4.494 0 0 1 .216 2.1c-.106.792-.753 1.295-1.417 1.403-.182.03-.364.057-.547.081.152.227.273.476.359.742a23.122 23.122 0 0 0 3.832-.803 23.241 23.241 0 0 0-.345-2.634.75.75 0 0 1 1.474-.28c.21 1.115.348 2.256.404 3.418a.75.75 0 0 1-.516.75c-1.527.499-3.119.854-4.76 1.049-.074.38-.22.735-.423 1.05 2.066.209 4.058.672 5.943 1.358a.75.75 0 0 1 .492.75 24.665 24.665 0 0 1-1.189 6.25.75.75 0 0 1-1.425-.47 23.14 23.14 0 0 0 1.077-5.306c-.5-.169-1.009-.32-1.524-.455.068.234.104.484.104.746 0 3.956-2.521 7.5-6 7.5-3.478 0-6-3.544-6-7.5 0-.262.037-.511.104-.746-.514.135-1.022.286-1.522.455.154 1.838.52 3.616 1.077 5.307a.75.75 0 1 1-1.425.468 24.662 24.662 0 0 1-1.19-6.25.75.75 0 0 1 .493-.749 24.586 24.586 0 0 1 4.964-1.24h.01c.321-.046.644-.085.969-.118a2.983 2.983 0 0 1-.424-1.05 24.614 24.614 0 0 1-4.76-1.05.75.75 0 0 1-.516-.75c.057-1.16.194-2.302.405-3.417a.75.75 0 0 1 1.474.28c-.164.862-.28 1.74-.345 2.634 1.237.371 2.517.642 3.832.803.085-.266.207-.515.359-.742a18.698 18.698 0 0 1-.547-.08c-.664-.11-1.311-.612-1.417-1.404a4.535 4.535 0 0 1 .217-2.103 6.788 6.788 0 0 1-.788-.751.75.75 0 0 1-.187-.583 5.22 5.22 0 0 1 .67-2.04.75.75 0 0 1 1.026-.273Z","clip-rule":"evenodd"})])}function Re(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.584 2.376a.75.75 0 0 1 .832 0l9 6a.75.75 0 1 1-.832 1.248L12 3.901 3.416 9.624a.75.75 0 0 1-.832-1.248l9-6Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.25 10.332v9.918H21a.75.75 0 0 1 0 1.5H3a.75.75 0 0 1 0-1.5h.75v-9.918a.75.75 0 0 1 .634-.74A49.109 49.109 0 0 1 12 9c2.59 0 5.134.202 7.616.592a.75.75 0 0 1 .634.74Zm-7.5 2.418a.75.75 0 0 0-1.5 0v6.75a.75.75 0 0 0 1.5 0v-6.75Zm3-.75a.75.75 0 0 1 .75.75v6.75a.75.75 0 0 1-1.5 0v-6.75a.75.75 0 0 1 .75-.75ZM9 12.75a.75.75 0 0 0-1.5 0v6.75a.75.75 0 0 0 1.5 0v-6.75Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M12 7.875a1.125 1.125 0 1 0 0-2.25 1.125 1.125 0 0 0 0 2.25Z"})])}function He(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 2.25a.75.75 0 0 0 0 1.5v16.5h-.75a.75.75 0 0 0 0 1.5H15v-18a.75.75 0 0 0 0-1.5H3ZM6.75 19.5v-2.25a.75.75 0 0 1 .75-.75h3a.75.75 0 0 1 .75.75v2.25a.75.75 0 0 1-.75.75h-3a.75.75 0 0 1-.75-.75ZM6 6.75A.75.75 0 0 1 6.75 6h.75a.75.75 0 0 1 0 1.5h-.75A.75.75 0 0 1 6 6.75ZM6.75 9a.75.75 0 0 0 0 1.5h.75a.75.75 0 0 0 0-1.5h-.75ZM6 12.75a.75.75 0 0 1 .75-.75h.75a.75.75 0 0 1 0 1.5h-.75a.75.75 0 0 1-.75-.75ZM10.5 6a.75.75 0 0 0 0 1.5h.75a.75.75 0 0 0 0-1.5h-.75Zm-.75 3.75A.75.75 0 0 1 10.5 9h.75a.75.75 0 0 1 0 1.5h-.75a.75.75 0 0 1-.75-.75ZM10.5 12a.75.75 0 0 0 0 1.5h.75a.75.75 0 0 0 0-1.5h-.75ZM16.5 6.75v15h5.25a.75.75 0 0 0 0-1.5H21v-12a.75.75 0 0 0 0-1.5h-4.5Zm1.5 4.5a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75v-.008Zm.75 2.25a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75v-.008a.75.75 0 0 0-.75-.75h-.008ZM18 17.25a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75v-.008Z","clip-rule":"evenodd"})])}function Pe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 2.25a.75.75 0 0 0 0 1.5v16.5h-.75a.75.75 0 0 0 0 1.5h16.5a.75.75 0 0 0 0-1.5h-.75V3.75a.75.75 0 0 0 0-1.5h-15ZM9 6a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 0-1.5H9Zm-.75 3.75A.75.75 0 0 1 9 9h1.5a.75.75 0 0 1 0 1.5H9a.75.75 0 0 1-.75-.75ZM9 12a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 0-1.5H9Zm3.75-5.25A.75.75 0 0 1 13.5 6H15a.75.75 0 0 1 0 1.5h-1.5a.75.75 0 0 1-.75-.75ZM13.5 9a.75.75 0 0 0 0 1.5H15A.75.75 0 0 0 15 9h-1.5Zm-.75 3.75a.75.75 0 0 1 .75-.75H15a.75.75 0 0 1 0 1.5h-1.5a.75.75 0 0 1-.75-.75ZM9 19.5v-2.25a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 .75.75v2.25a.75.75 0 0 1-.75.75h-4.5A.75.75 0 0 1 9 19.5Z","clip-rule":"evenodd"})])}function je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.223 2.25c-.497 0-.974.198-1.325.55l-1.3 1.298A3.75 3.75 0 0 0 7.5 9.75c.627.47 1.406.75 2.25.75.844 0 1.624-.28 2.25-.75.626.47 1.406.75 2.25.75.844 0 1.623-.28 2.25-.75a3.75 3.75 0 0 0 4.902-5.652l-1.3-1.299a1.875 1.875 0 0 0-1.325-.549H5.223Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 20.25v-8.755c1.42.674 3.08.673 4.5 0A5.234 5.234 0 0 0 9.75 12c.804 0 1.568-.182 2.25-.506a5.234 5.234 0 0 0 2.25.506c.804 0 1.567-.182 2.25-.506 1.42.674 3.08.675 4.5.001v8.755h.75a.75.75 0 0 1 0 1.5H2.25a.75.75 0 0 1 0-1.5H3Zm3-6a.75.75 0 0 1 .75-.75h3a.75.75 0 0 1 .75.75v3a.75.75 0 0 1-.75.75h-3a.75.75 0 0 1-.75-.75v-3Zm8.25-.75a.75.75 0 0 0-.75.75v5.25c0 .414.336.75.75.75h3a.75.75 0 0 0 .75-.75v-5.25a.75.75 0 0 0-.75-.75h-3Z","clip-rule":"evenodd"})])}function Fe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m15 1.784-.796.795a1.125 1.125 0 1 0 1.591 0L15 1.784ZM12 1.784l-.796.795a1.125 1.125 0 1 0 1.591 0L12 1.784ZM9 1.784l-.796.795a1.125 1.125 0 1 0 1.591 0L9 1.784ZM9.75 7.547c.498-.021.998-.035 1.5-.042V6.75a.75.75 0 0 1 1.5 0v.755c.502.007 1.002.021 1.5.042V6.75a.75.75 0 0 1 1.5 0v.88l.307.022c1.55.117 2.693 1.427 2.693 2.946v1.018a62.182 62.182 0 0 0-13.5 0v-1.018c0-1.519 1.143-2.829 2.693-2.946l.307-.022v-.88a.75.75 0 0 1 1.5 0v.797ZM12 12.75c-2.472 0-4.9.184-7.274.54-1.454.217-2.476 1.482-2.476 2.916v.384a4.104 4.104 0 0 1 2.585.364 2.605 2.605 0 0 0 2.33 0 4.104 4.104 0 0 1 3.67 0 2.605 2.605 0 0 0 2.33 0 4.104 4.104 0 0 1 3.67 0 2.605 2.605 0 0 0 2.33 0 4.104 4.104 0 0 1 2.585-.364v-.384c0-1.434-1.022-2.7-2.476-2.917A49.138 49.138 0 0 0 12 12.75ZM21.75 18.131a2.604 2.604 0 0 0-1.915.165 4.104 4.104 0 0 1-3.67 0 2.605 2.605 0 0 0-2.33 0 4.104 4.104 0 0 1-3.67 0 2.605 2.605 0 0 0-2.33 0 4.104 4.104 0 0 1-3.67 0 2.604 2.604 0 0 0-1.915-.165v2.494c0 1.035.84 1.875 1.875 1.875h15.75c1.035 0 1.875-.84 1.875-1.875v-2.494Z"})])}function ze(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.32 1.827a49.255 49.255 0 0 1 11.36 0c1.497.174 2.57 1.46 2.57 2.93V19.5a3 3 0 0 1-3 3H6.75a3 3 0 0 1-3-3V4.757c0-1.47 1.073-2.756 2.57-2.93ZM7.5 11.25a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H8.25a.75.75 0 0 1-.75-.75v-.008Zm.75 1.5a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V13.5a.75.75 0 0 0-.75-.75H8.25Zm-.75 3a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H8.25a.75.75 0 0 1-.75-.75v-.008Zm.75 1.5a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V18a.75.75 0 0 0-.75-.75H8.25Zm1.748-6a.75.75 0 0 1 .75-.75h.007a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.007a.75.75 0 0 1-.75-.75v-.008Zm.75 1.5a.75.75 0 0 0-.75.75v.008c0 .414.335.75.75.75h.007a.75.75 0 0 0 .75-.75V13.5a.75.75 0 0 0-.75-.75h-.007Zm-.75 3a.75.75 0 0 1 .75-.75h.007a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.007a.75.75 0 0 1-.75-.75v-.008Zm.75 1.5a.75.75 0 0 0-.75.75v.008c0 .414.335.75.75.75h.007a.75.75 0 0 0 .75-.75V18a.75.75 0 0 0-.75-.75h-.007Zm1.754-6a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75v-.008Zm.75 1.5a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V13.5a.75.75 0 0 0-.75-.75h-.008Zm-.75 3a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75v-.008Zm.75 1.5a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V18a.75.75 0 0 0-.75-.75h-.008Zm1.748-6a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75v-.008Zm.75 1.5a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V13.5a.75.75 0 0 0-.75-.75h-.008Zm-8.25-6A.75.75 0 0 1 8.25 6h7.5a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-7.5a.75.75 0 0 1-.75-.75v-.75Zm9 9a.75.75 0 0 0-1.5 0V18a.75.75 0 0 0 1.5 0v-2.25Z","clip-rule":"evenodd"})])}function qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 11.993a.75.75 0 0 0-.75.75v.006c0 .414.336.75.75.75h.006a.75.75 0 0 0 .75-.75v-.006a.75.75 0 0 0-.75-.75H12ZM12 16.494a.75.75 0 0 0-.75.75v.005c0 .414.335.75.75.75h.005a.75.75 0 0 0 .75-.75v-.005a.75.75 0 0 0-.75-.75H12ZM8.999 17.244a.75.75 0 0 1 .75-.75h.006a.75.75 0 0 1 .75.75v.006a.75.75 0 0 1-.75.75h-.006a.75.75 0 0 1-.75-.75v-.006ZM7.499 16.494a.75.75 0 0 0-.75.75v.005c0 .414.336.75.75.75h.005a.75.75 0 0 0 .75-.75v-.005a.75.75 0 0 0-.75-.75H7.5ZM13.499 14.997a.75.75 0 0 1 .75-.75h.006a.75.75 0 0 1 .75.75v.005a.75.75 0 0 1-.75.75h-.006a.75.75 0 0 1-.75-.75v-.005ZM14.25 16.494a.75.75 0 0 0-.75.75v.006c0 .414.335.75.75.75h.005a.75.75 0 0 0 .75-.75v-.006a.75.75 0 0 0-.75-.75h-.005ZM15.75 14.995a.75.75 0 0 1 .75-.75h.005a.75.75 0 0 1 .75.75v.006a.75.75 0 0 1-.75.75H16.5a.75.75 0 0 1-.75-.75v-.006ZM13.498 12.743a.75.75 0 0 1 .75-.75h2.25a.75.75 0 1 1 0 1.5h-2.25a.75.75 0 0 1-.75-.75ZM6.748 14.993a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1-.75-.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 2.993a.75.75 0 0 0-1.5 0v1.5h-9V2.994a.75.75 0 1 0-1.5 0v1.497h-.752a3 3 0 0 0-3 3v11.252a3 3 0 0 0 3 3h13.5a3 3 0 0 0 3-3V7.492a3 3 0 0 0-3-3H18V2.993ZM3.748 18.743v-7.5a1.5 1.5 0 0 1 1.5-1.5h13.5a1.5 1.5 0 0 1 1.5 1.5v7.5a1.5 1.5 0 0 1-1.5 1.5h-13.5a1.5 1.5 0 0 1-1.5-1.5Z","clip-rule":"evenodd"})])}function Ue(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12.75 12.75a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM7.5 15.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM8.25 17.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM9.75 15.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM10.5 17.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM12 15.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM12.75 17.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM14.25 15.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM15 17.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM16.5 15.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM15 12.75a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM16.5 13.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.75 2.25A.75.75 0 0 1 7.5 3v1.5h9V3A.75.75 0 0 1 18 3v1.5h.75a3 3 0 0 1 3 3v11.25a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3V7.5a3 3 0 0 1 3-3H6V3a.75.75 0 0 1 .75-.75Zm13.5 9a1.5 1.5 0 0 0-1.5-1.5H5.25a1.5 1.5 0 0 0-1.5 1.5v7.5a1.5 1.5 0 0 0 1.5 1.5h13.5a1.5 1.5 0 0 0 1.5-1.5v-7.5Z","clip-rule":"evenodd"})])}function $e(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.75 2.25A.75.75 0 0 1 7.5 3v1.5h9V3A.75.75 0 0 1 18 3v1.5h.75a3 3 0 0 1 3 3v11.25a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3V7.5a3 3 0 0 1 3-3H6V3a.75.75 0 0 1 .75-.75Zm13.5 9a1.5 1.5 0 0 0-1.5-1.5H5.25a1.5 1.5 0 0 0-1.5 1.5v7.5a1.5 1.5 0 0 0 1.5 1.5h13.5a1.5 1.5 0 0 0 1.5-1.5v-7.5Z","clip-rule":"evenodd"})])}function We(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 9a3.75 3.75 0 1 0 0 7.5A3.75 3.75 0 0 0 12 9Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.344 3.071a49.52 49.52 0 0 1 5.312 0c.967.052 1.83.585 2.332 1.39l.821 1.317c.24.383.645.643 1.11.71.386.054.77.113 1.152.177 1.432.239 2.429 1.493 2.429 2.909V18a3 3 0 0 1-3 3h-15a3 3 0 0 1-3-3V9.574c0-1.416.997-2.67 2.429-2.909.382-.064.766-.123 1.151-.178a1.56 1.56 0 0 0 1.11-.71l.822-1.315a2.942 2.942 0 0 1 2.332-1.39ZM6.75 12.75a5.25 5.25 0 1 1 10.5 0 5.25 5.25 0 0 1-10.5 0Zm12-1.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function Ge(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6a3 3 0 0 1 3-3h12a3 3 0 0 1 3 3v12a3 3 0 0 1-3 3H6a3 3 0 0 1-3-3V6Zm4.5 7.5a.75.75 0 0 1 .75.75v2.25a.75.75 0 0 1-1.5 0v-2.25a.75.75 0 0 1 .75-.75Zm3.75-1.5a.75.75 0 0 0-1.5 0v4.5a.75.75 0 0 0 1.5 0V12Zm2.25-3a.75.75 0 0 1 .75.75v6.75a.75.75 0 0 1-1.5 0V9.75A.75.75 0 0 1 13.5 9Zm3.75-1.5a.75.75 0 0 0-1.5 0v9a.75.75 0 0 0 1.5 0v-9Z","clip-rule":"evenodd"})])}function Ke(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M18.375 2.25c-1.035 0-1.875.84-1.875 1.875v15.75c0 1.035.84 1.875 1.875 1.875h.75c1.035 0 1.875-.84 1.875-1.875V4.125c0-1.036-.84-1.875-1.875-1.875h-.75ZM9.75 8.625c0-1.036.84-1.875 1.875-1.875h.75c1.036 0 1.875.84 1.875 1.875v11.25c0 1.035-.84 1.875-1.875 1.875h-.75a1.875 1.875 0 0 1-1.875-1.875V8.625ZM3 13.125c0-1.036.84-1.875 1.875-1.875h.75c1.036 0 1.875.84 1.875 1.875v6.75c0 1.035-.84 1.875-1.875 1.875h-.75A1.875 1.875 0 0 1 3 19.875v-6.75Z"})])}function Ye(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 13.5a8.25 8.25 0 0 1 8.25-8.25.75.75 0 0 1 .75.75v6.75H18a.75.75 0 0 1 .75.75 8.25 8.25 0 0 1-16.5 0Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.75 3a.75.75 0 0 1 .75-.75 8.25 8.25 0 0 1 8.25 8.25.75.75 0 0 1-.75.75h-7.5a.75.75 0 0 1-.75-.75V3Z","clip-rule":"evenodd"})])}function Xe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.848 2.771A49.144 49.144 0 0 1 12 2.25c2.43 0 4.817.178 7.152.52 1.978.292 3.348 2.024 3.348 3.97v6.02c0 1.946-1.37 3.678-3.348 3.97a48.901 48.901 0 0 1-3.476.383.39.39 0 0 0-.297.17l-2.755 4.133a.75.75 0 0 1-1.248 0l-2.755-4.133a.39.39 0 0 0-.297-.17 48.9 48.9 0 0 1-3.476-.384c-1.978-.29-3.348-2.024-3.348-3.97V6.741c0-1.946 1.37-3.68 3.348-3.97ZM6.75 8.25a.75.75 0 0 1 .75-.75h9a.75.75 0 0 1 0 1.5h-9a.75.75 0 0 1-.75-.75Zm.75 2.25a.75.75 0 0 0 0 1.5H12a.75.75 0 0 0 0-1.5H7.5Z","clip-rule":"evenodd"})])}function Je(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.848 2.771A49.144 49.144 0 0 1 12 2.25c2.43 0 4.817.178 7.152.52 1.978.292 3.348 2.024 3.348 3.97v6.02c0 1.946-1.37 3.678-3.348 3.97a48.901 48.901 0 0 1-3.476.383.39.39 0 0 0-.297.17l-2.755 4.133a.75.75 0 0 1-1.248 0l-2.755-4.133a.39.39 0 0 0-.297-.17 48.9 48.9 0 0 1-3.476-.384c-1.978-.29-3.348-2.024-3.348-3.97V6.741c0-1.946 1.37-3.68 3.348-3.97Z","clip-rule":"evenodd"})])}function Qe(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-2.429 0-4.817.178-7.152.521C2.87 3.061 1.5 4.795 1.5 6.741v6.018c0 1.946 1.37 3.68 3.348 3.97.877.129 1.761.234 2.652.316V21a.75.75 0 0 0 1.28.53l4.184-4.183a.39.39 0 0 1 .266-.112c2.006-.05 3.982-.22 5.922-.506 1.978-.29 3.348-2.023 3.348-3.97V6.741c0-1.947-1.37-3.68-3.348-3.97A49.145 49.145 0 0 0 12 2.25ZM8.25 8.625a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25Zm2.625 1.125a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Zm4.875-1.125a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25Z","clip-rule":"evenodd"})])}function et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.913 2.658c2.075-.27 4.19-.408 6.337-.408 2.147 0 4.262.139 6.337.408 1.922.25 3.291 1.861 3.405 3.727a4.403 4.403 0 0 0-1.032-.211 50.89 50.89 0 0 0-8.42 0c-2.358.196-4.04 2.19-4.04 4.434v4.286a4.47 4.47 0 0 0 2.433 3.984L7.28 21.53A.75.75 0 0 1 6 21v-4.03a48.527 48.527 0 0 1-1.087-.128C2.905 16.58 1.5 14.833 1.5 12.862V6.638c0-1.97 1.405-3.718 3.413-3.979Z"}),(0,r.createElementVNode)("path",{d:"M15.75 7.5c-1.376 0-2.739.057-4.086.169C10.124 7.797 9 9.103 9 10.609v4.285c0 1.507 1.128 2.814 2.67 2.94 1.243.102 2.5.157 3.768.165l2.782 2.781a.75.75 0 0 0 1.28-.53v-2.39l.33-.026c1.542-.125 2.67-1.433 2.67-2.94v-4.286c0-1.505-1.125-2.811-2.664-2.94A49.392 49.392 0 0 0 15.75 7.5Z"})])}function tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.848 2.771A49.144 49.144 0 0 1 12 2.25c2.43 0 4.817.178 7.152.52 1.978.292 3.348 2.024 3.348 3.97v6.02c0 1.946-1.37 3.678-3.348 3.97-1.94.284-3.916.455-5.922.505a.39.39 0 0 0-.266.112L8.78 21.53A.75.75 0 0 1 7.5 21v-3.955a48.842 48.842 0 0 1-2.652-.316c-1.978-.29-3.348-2.024-3.348-3.97V6.741c0-1.946 1.37-3.68 3.348-3.97Z","clip-rule":"evenodd"})])}function nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.804 21.644A6.707 6.707 0 0 0 6 21.75a6.721 6.721 0 0 0 3.583-1.029c.774.182 1.584.279 2.417.279 5.322 0 9.75-3.97 9.75-9 0-5.03-4.428-9-9.75-9s-9.75 3.97-9.75 9c0 2.409 1.025 4.587 2.674 6.192.232.226.277.428.254.543a3.73 3.73 0 0 1-.814 1.686.75.75 0 0 0 .44 1.223ZM8.25 10.875a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25ZM10.875 12a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Zm4.875-1.125a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25Z","clip-rule":"evenodd"})])}function rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.337 21.718a6.707 6.707 0 0 1-.533-.074.75.75 0 0 1-.44-1.223 3.73 3.73 0 0 0 .814-1.686c.023-.115-.022-.317-.254-.543C3.274 16.587 2.25 14.41 2.25 12c0-5.03 4.428-9 9.75-9s9.75 3.97 9.75 9c0 5.03-4.428 9-9.75 9-.833 0-1.643-.097-2.417-.279a6.721 6.721 0 0 1-4.246.997Z","clip-rule":"evenodd"})])}function ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.603 3.799A4.49 4.49 0 0 1 12 2.25c1.357 0 2.573.6 3.397 1.549a4.49 4.49 0 0 1 3.498 1.307 4.491 4.491 0 0 1 1.307 3.497A4.49 4.49 0 0 1 21.75 12a4.49 4.49 0 0 1-1.549 3.397 4.491 4.491 0 0 1-1.307 3.497 4.491 4.491 0 0 1-3.497 1.307A4.49 4.49 0 0 1 12 21.75a4.49 4.49 0 0 1-3.397-1.549 4.49 4.49 0 0 1-3.498-1.306 4.491 4.491 0 0 1-1.307-3.498A4.49 4.49 0 0 1 2.25 12c0-1.357.6-2.573 1.549-3.397a4.49 4.49 0 0 1 1.307-3.497 4.49 4.49 0 0 1 3.497-1.307Zm7.007 6.387a.75.75 0 1 0-1.22-.872l-3.236 4.53L9.53 12.22a.75.75 0 0 0-1.06 1.06l2.25 2.25a.75.75 0 0 0 1.14-.094l3.75-5.25Z","clip-rule":"evenodd"})])}function it(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 12c0-5.385 4.365-9.75 9.75-9.75s9.75 4.365 9.75 9.75-4.365 9.75-9.75 9.75S2.25 17.385 2.25 12Zm13.36-1.814a.75.75 0 1 0-1.22-.872l-3.236 4.53L9.53 12.22a.75.75 0 0 0-1.06 1.06l2.25 2.25a.75.75 0 0 0 1.14-.094l3.75-5.25Z","clip-rule":"evenodd"})])}function at(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.916 4.626a.75.75 0 0 1 .208 1.04l-9 13.5a.75.75 0 0 1-1.154.114l-6-6a.75.75 0 0 1 1.06-1.06l5.353 5.353 8.493-12.74a.75.75 0 0 1 1.04-.207Z","clip-rule":"evenodd"})])}function lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 13.28a.75.75 0 0 0 1.06 0l7.5-7.5a.75.75 0 0 0-1.06-1.06L12 11.69 5.03 4.72a.75.75 0 0 0-1.06 1.06l7.5 7.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 19.28a.75.75 0 0 0 1.06 0l7.5-7.5a.75.75 0 1 0-1.06-1.06L12 17.69l-6.97-6.97a.75.75 0 0 0-1.06 1.06l7.5 7.5Z","clip-rule":"evenodd"})])}function st(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.72 11.47a.75.75 0 0 0 0 1.06l7.5 7.5a.75.75 0 1 0 1.06-1.06L12.31 12l6.97-6.97a.75.75 0 0 0-1.06-1.06l-7.5 7.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.72 11.47a.75.75 0 0 0 0 1.06l7.5 7.5a.75.75 0 1 0 1.06-1.06L6.31 12l6.97-6.97a.75.75 0 0 0-1.06-1.06l-7.5 7.5Z","clip-rule":"evenodd"})])}function ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.28 11.47a.75.75 0 0 1 0 1.06l-7.5 7.5a.75.75 0 0 1-1.06-1.06L11.69 12 4.72 5.03a.75.75 0 0 1 1.06-1.06l7.5 7.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.28 11.47a.75.75 0 0 1 0 1.06l-7.5 7.5a.75.75 0 1 1-1.06-1.06L17.69 12l-6.97-6.97a.75.75 0 0 1 1.06-1.06l7.5 7.5Z","clip-rule":"evenodd"})])}function ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 10.72a.75.75 0 0 1 1.06 0l7.5 7.5a.75.75 0 1 1-1.06 1.06L12 12.31l-6.97 6.97a.75.75 0 0 1-1.06-1.06l7.5-7.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 4.72a.75.75 0 0 1 1.06 0l7.5 7.5a.75.75 0 1 1-1.06 1.06L12 6.31l-6.97 6.97a.75.75 0 0 1-1.06-1.06l7.5-7.5Z","clip-rule":"evenodd"})])}function dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.53 16.28a.75.75 0 0 1-1.06 0l-7.5-7.5a.75.75 0 0 1 1.06-1.06L12 14.69l6.97-6.97a.75.75 0 1 1 1.06 1.06l-7.5 7.5Z","clip-rule":"evenodd"})])}function ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.72 12.53a.75.75 0 0 1 0-1.06l7.5-7.5a.75.75 0 1 1 1.06 1.06L9.31 12l6.97 6.97a.75.75 0 1 1-1.06 1.06l-7.5-7.5Z","clip-rule":"evenodd"})])}function pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.28 11.47a.75.75 0 0 1 0 1.06l-7.5 7.5a.75.75 0 0 1-1.06-1.06L14.69 12 7.72 5.03a.75.75 0 0 1 1.06-1.06l7.5 7.5Z","clip-rule":"evenodd"})])}function ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 4.72a.75.75 0 0 1 1.06 0l3.75 3.75a.75.75 0 0 1-1.06 1.06L12 6.31 8.78 9.53a.75.75 0 0 1-1.06-1.06l3.75-3.75Zm-3.75 9.75a.75.75 0 0 1 1.06 0L12 17.69l3.22-3.22a.75.75 0 1 1 1.06 1.06l-3.75 3.75a.75.75 0 0 1-1.06 0l-3.75-3.75a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.47 7.72a.75.75 0 0 1 1.06 0l7.5 7.5a.75.75 0 1 1-1.06 1.06L12 9.31l-6.97 6.97a.75.75 0 0 1-1.06-1.06l7.5-7.5Z","clip-rule":"evenodd"})])}function vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M21 6.375c0 2.692-4.03 4.875-9 4.875S3 9.067 3 6.375 7.03 1.5 12 1.5s9 2.183 9 4.875Z"}),(0,r.createElementVNode)("path",{d:"M12 12.75c2.685 0 5.19-.586 7.078-1.609a8.283 8.283 0 0 0 1.897-1.384c.016.121.025.244.025.368C21 12.817 16.97 15 12 15s-9-2.183-9-4.875c0-.124.009-.247.025-.368a8.285 8.285 0 0 0 1.897 1.384C6.809 12.164 9.315 12.75 12 12.75Z"}),(0,r.createElementVNode)("path",{d:"M12 16.5c2.685 0 5.19-.586 7.078-1.609a8.282 8.282 0 0 0 1.897-1.384c.016.121.025.244.025.368 0 2.692-4.03 4.875-9 4.875s-9-2.183-9-4.875c0-.124.009-.247.025-.368a8.284 8.284 0 0 0 1.897 1.384C6.809 15.914 9.315 16.5 12 16.5Z"}),(0,r.createElementVNode)("path",{d:"M12 20.25c2.685 0 5.19-.586 7.078-1.609a8.282 8.282 0 0 0 1.897-1.384c.016.121.025.244.025.368 0 2.692-4.03 4.875-9 4.875s-9-2.183-9-4.875c0-.124.009-.247.025-.368a8.284 8.284 0 0 0 1.897 1.384C6.809 19.664 9.315 20.25 12 20.25Z"})])}function gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.502 6h7.128A3.375 3.375 0 0 1 18 9.375v9.375a3 3 0 0 0 3-3V6.108c0-1.505-1.125-2.811-2.664-2.94a48.972 48.972 0 0 0-.673-.05A3 3 0 0 0 15 1.5h-1.5a3 3 0 0 0-2.663 1.618c-.225.015-.45.032-.673.05C8.662 3.295 7.554 4.542 7.502 6ZM13.5 3A1.5 1.5 0 0 0 12 4.5h4.5A1.5 1.5 0 0 0 15 3h-1.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 9.375C3 8.339 3.84 7.5 4.875 7.5h9.75c1.036 0 1.875.84 1.875 1.875v11.25c0 1.035-.84 1.875-1.875 1.875h-9.75A1.875 1.875 0 0 1 3 20.625V9.375Zm9.586 4.594a.75.75 0 0 0-1.172-.938l-2.476 3.096-.908-.907a.75.75 0 0 0-1.06 1.06l1.5 1.5a.75.75 0 0 0 1.116-.062l3-3.75Z","clip-rule":"evenodd"})])}function wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.502 6h7.128A3.375 3.375 0 0 1 18 9.375v9.375a3 3 0 0 0 3-3V6.108c0-1.505-1.125-2.811-2.664-2.94a48.972 48.972 0 0 0-.673-.05A3 3 0 0 0 15 1.5h-1.5a3 3 0 0 0-2.663 1.618c-.225.015-.45.032-.673.05C8.662 3.295 7.554 4.542 7.502 6ZM13.5 3A1.5 1.5 0 0 0 12 4.5h4.5A1.5 1.5 0 0 0 15 3h-1.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 9.375C3 8.339 3.84 7.5 4.875 7.5h9.75c1.036 0 1.875.84 1.875 1.875v11.25c0 1.035-.84 1.875-1.875 1.875h-9.75A1.875 1.875 0 0 1 3 20.625V9.375ZM6 12a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H6.75a.75.75 0 0 1-.75-.75V12Zm2.25 0a.75.75 0 0 1 .75-.75h3.75a.75.75 0 0 1 0 1.5H9a.75.75 0 0 1-.75-.75ZM6 15a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H6.75a.75.75 0 0 1-.75-.75V15Zm2.25 0a.75.75 0 0 1 .75-.75h3.75a.75.75 0 0 1 0 1.5H9a.75.75 0 0 1-.75-.75ZM6 18a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H6.75a.75.75 0 0 1-.75-.75V18Zm2.25 0a.75.75 0 0 1 .75-.75h3.75a.75.75 0 0 1 0 1.5H9a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.663 3.118c.225.015.45.032.673.05C19.876 3.298 21 4.604 21 6.109v9.642a3 3 0 0 1-3 3V16.5c0-5.922-4.576-10.775-10.384-11.217.324-1.132 1.3-2.01 2.548-2.114.224-.019.448-.036.673-.051A3 3 0 0 1 13.5 1.5H15a3 3 0 0 1 2.663 1.618ZM12 4.5A1.5 1.5 0 0 1 13.5 3H15a1.5 1.5 0 0 1 1.5 1.5H12Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M3 8.625c0-1.036.84-1.875 1.875-1.875h.375A3.75 3.75 0 0 1 9 10.5v1.875c0 1.036.84 1.875 1.875 1.875h1.875A3.75 3.75 0 0 1 16.5 18v2.625c0 1.035-.84 1.875-1.875 1.875h-9.75A1.875 1.875 0 0 1 3 20.625v-12Z"}),(0,r.createElementVNode)("path",{d:"M10.5 10.5a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963 5.23 5.23 0 0 0-3.434-1.279h-1.875a.375.375 0 0 1-.375-.375V10.5Z"})])}function bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 3A1.501 1.501 0 0 0 9 4.5h6A1.5 1.5 0 0 0 13.5 3h-3Zm-2.693.178A3 3 0 0 1 10.5 1.5h3a3 3 0 0 1 2.694 1.678c.497.042.992.092 1.486.15 1.497.173 2.57 1.46 2.57 2.929V19.5a3 3 0 0 1-3 3H6.75a3 3 0 0 1-3-3V6.257c0-1.47 1.073-2.756 2.57-2.93.493-.057.989-.107 1.487-.15Z","clip-rule":"evenodd"})])}function xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM12.75 6a.75.75 0 0 0-1.5 0v6c0 .414.336.75.75.75h4.5a.75.75 0 0 0 0-1.5h-3.75V6Z","clip-rule":"evenodd"})])}function kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 3.75a6 6 0 0 0-5.98 6.496A5.25 5.25 0 0 0 6.75 20.25H18a4.5 4.5 0 0 0 2.206-8.423 3.75 3.75 0 0 0-4.133-4.303A6.001 6.001 0 0 0 10.5 3.75Zm2.25 6a.75.75 0 0 0-1.5 0v4.94l-1.72-1.72a.75.75 0 0 0-1.06 1.06l3 3a.75.75 0 0 0 1.06 0l3-3a.75.75 0 1 0-1.06-1.06l-1.72 1.72V9.75Z","clip-rule":"evenodd"})])}function Et(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 3.75a6 6 0 0 0-5.98 6.496A5.25 5.25 0 0 0 6.75 20.25H18a4.5 4.5 0 0 0 2.206-8.423 3.75 3.75 0 0 0-4.133-4.303A6.001 6.001 0 0 0 10.5 3.75Zm2.03 5.47a.75.75 0 0 0-1.06 0l-3 3a.75.75 0 1 0 1.06 1.06l1.72-1.72v4.94a.75.75 0 0 0 1.5 0v-4.94l1.72 1.72a.75.75 0 1 0 1.06-1.06l-3-3Z","clip-rule":"evenodd"})])}function At(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 9.75a6 6 0 0 1 11.573-2.226 3.75 3.75 0 0 1 4.133 4.303A4.5 4.5 0 0 1 18 20.25H6.75a5.25 5.25 0 0 1-2.23-10.004 6.072 6.072 0 0 1-.02-.496Z","clip-rule":"evenodd"})])}function Ct(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6a3 3 0 0 1 3-3h12a3 3 0 0 1 3 3v12a3 3 0 0 1-3 3H6a3 3 0 0 1-3-3V6Zm14.25 6a.75.75 0 0 1-.22.53l-2.25 2.25a.75.75 0 1 1-1.06-1.06L15.44 12l-1.72-1.72a.75.75 0 1 1 1.06-1.06l2.25 2.25c.141.14.22.331.22.53Zm-10.28-.53a.75.75 0 0 0 0 1.06l2.25 2.25a.75.75 0 1 0 1.06-1.06L8.56 12l1.72-1.72a.75.75 0 1 0-1.06-1.06l-2.25 2.25Z","clip-rule":"evenodd"})])}function Bt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.447 3.026a.75.75 0 0 1 .527.921l-4.5 16.5a.75.75 0 0 1-1.448-.394l4.5-16.5a.75.75 0 0 1 .921-.527ZM16.72 6.22a.75.75 0 0 1 1.06 0l5.25 5.25a.75.75 0 0 1 0 1.06l-5.25 5.25a.75.75 0 1 1-1.06-1.06L21.44 12l-4.72-4.72a.75.75 0 0 1 0-1.06Zm-9.44 0a.75.75 0 0 1 0 1.06L2.56 12l4.72 4.72a.75.75 0 0 1-1.06 1.06L.97 12.53a.75.75 0 0 1 0-1.06l5.25-5.25a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function Mt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.078 2.25c-.917 0-1.699.663-1.85 1.567L9.05 4.889c-.02.12-.115.26-.297.348a7.493 7.493 0 0 0-.986.57c-.166.115-.334.126-.45.083L6.3 5.508a1.875 1.875 0 0 0-2.282.819l-.922 1.597a1.875 1.875 0 0 0 .432 2.385l.84.692c.095.078.17.229.154.43a7.598 7.598 0 0 0 0 1.139c.015.2-.059.352-.153.43l-.841.692a1.875 1.875 0 0 0-.432 2.385l.922 1.597a1.875 1.875 0 0 0 2.282.818l1.019-.382c.115-.043.283-.031.45.082.312.214.641.405.985.57.182.088.277.228.297.35l.178 1.071c.151.904.933 1.567 1.85 1.567h1.844c.916 0 1.699-.663 1.85-1.567l.178-1.072c.02-.12.114-.26.297-.349.344-.165.673-.356.985-.57.167-.114.335-.125.45-.082l1.02.382a1.875 1.875 0 0 0 2.28-.819l.923-1.597a1.875 1.875 0 0 0-.432-2.385l-.84-.692c-.095-.078-.17-.229-.154-.43a7.614 7.614 0 0 0 0-1.139c-.016-.2.059-.352.153-.43l.84-.692c.708-.582.891-1.59.433-2.385l-.922-1.597a1.875 1.875 0 0 0-2.282-.818l-1.02.382c-.114.043-.282.031-.449-.083a7.49 7.49 0 0 0-.985-.57c-.183-.087-.277-.227-.297-.348l-.179-1.072a1.875 1.875 0 0 0-1.85-1.567h-1.843ZM12 15.75a3.75 3.75 0 1 0 0-7.5 3.75 3.75 0 0 0 0 7.5Z","clip-rule":"evenodd"})])}function _t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.828 2.25c-.916 0-1.699.663-1.85 1.567l-.091.549a.798.798 0 0 1-.517.608 7.45 7.45 0 0 0-.478.198.798.798 0 0 1-.796-.064l-.453-.324a1.875 1.875 0 0 0-2.416.2l-.243.243a1.875 1.875 0 0 0-.2 2.416l.324.453a.798.798 0 0 1 .064.796 7.448 7.448 0 0 0-.198.478.798.798 0 0 1-.608.517l-.55.092a1.875 1.875 0 0 0-1.566 1.849v.344c0 .916.663 1.699 1.567 1.85l.549.091c.281.047.508.25.608.517.06.162.127.321.198.478a.798.798 0 0 1-.064.796l-.324.453a1.875 1.875 0 0 0 .2 2.416l.243.243c.648.648 1.67.733 2.416.2l.453-.324a.798.798 0 0 1 .796-.064c.157.071.316.137.478.198.267.1.47.327.517.608l.092.55c.15.903.932 1.566 1.849 1.566h.344c.916 0 1.699-.663 1.85-1.567l.091-.549a.798.798 0 0 1 .517-.608 7.52 7.52 0 0 0 .478-.198.798.798 0 0 1 .796.064l.453.324a1.875 1.875 0 0 0 2.416-.2l.243-.243c.648-.648.733-1.67.2-2.416l-.324-.453a.798.798 0 0 1-.064-.796c.071-.157.137-.316.198-.478.1-.267.327-.47.608-.517l.55-.091a1.875 1.875 0 0 0 1.566-1.85v-.344c0-.916-.663-1.699-1.567-1.85l-.549-.091a.798.798 0 0 1-.608-.517 7.507 7.507 0 0 0-.198-.478.798.798 0 0 1 .064-.796l.324-.453a1.875 1.875 0 0 0-.2-2.416l-.243-.243a1.875 1.875 0 0 0-2.416-.2l-.453.324a.798.798 0 0 1-.796.064 7.462 7.462 0 0 0-.478-.198.798.798 0 0 1-.517-.608l-.091-.55a1.875 1.875 0 0 0-1.85-1.566h-.344ZM12 15.75a3.75 3.75 0 1 0 0-7.5 3.75 3.75 0 0 0 0 7.5Z","clip-rule":"evenodd"})])}function St(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M17.004 10.407c.138.435-.216.842-.672.842h-3.465a.75.75 0 0 1-.65-.375l-1.732-3c-.229-.396-.053-.907.393-1.004a5.252 5.252 0 0 1 6.126 3.537ZM8.12 8.464c.307-.338.838-.235 1.066.16l1.732 3a.75.75 0 0 1 0 .75l-1.732 3c-.229.397-.76.5-1.067.161A5.23 5.23 0 0 1 6.75 12a5.23 5.23 0 0 1 1.37-3.536ZM10.878 17.13c-.447-.098-.623-.608-.394-1.004l1.733-3.002a.75.75 0 0 1 .65-.375h3.465c.457 0 .81.407.672.842a5.252 5.252 0 0 1-6.126 3.539Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M21 12.75a.75.75 0 1 0 0-1.5h-.783a8.22 8.22 0 0 0-.237-1.357l.734-.267a.75.75 0 1 0-.513-1.41l-.735.268a8.24 8.24 0 0 0-.689-1.192l.6-.503a.75.75 0 1 0-.964-1.149l-.6.504a8.3 8.3 0 0 0-1.054-.885l.391-.678a.75.75 0 1 0-1.299-.75l-.39.676a8.188 8.188 0 0 0-1.295-.47l.136-.77a.75.75 0 0 0-1.477-.26l-.136.77a8.36 8.36 0 0 0-1.377 0l-.136-.77a.75.75 0 1 0-1.477.26l.136.77c-.448.121-.88.28-1.294.47l-.39-.676a.75.75 0 0 0-1.3.75l.392.678a8.29 8.29 0 0 0-1.054.885l-.6-.504a.75.75 0 1 0-.965 1.149l.6.503a8.243 8.243 0 0 0-.689 1.192L3.8 8.216a.75.75 0 1 0-.513 1.41l.735.267a8.222 8.222 0 0 0-.238 1.356h-.783a.75.75 0 0 0 0 1.5h.783c.042.464.122.917.238 1.356l-.735.268a.75.75 0 0 0 .513 1.41l.735-.268c.197.417.428.816.69 1.191l-.6.504a.75.75 0 0 0 .963 1.15l.601-.505c.326.323.679.62 1.054.885l-.392.68a.75.75 0 0 0 1.3.75l.39-.679c.414.192.847.35 1.294.471l-.136.77a.75.75 0 0 0 1.477.261l.137-.772a8.332 8.332 0 0 0 1.376 0l.136.772a.75.75 0 1 0 1.477-.26l-.136-.771a8.19 8.19 0 0 0 1.294-.47l.391.677a.75.75 0 0 0 1.3-.75l-.393-.679a8.29 8.29 0 0 0 1.054-.885l.601.504a.75.75 0 0 0 .964-1.15l-.6-.503c.261-.375.492-.774.69-1.191l.735.267a.75.75 0 1 0 .512-1.41l-.734-.267c.115-.439.195-.892.237-1.356h.784Zm-2.657-3.06a6.744 6.744 0 0 0-1.19-2.053 6.784 6.784 0 0 0-1.82-1.51A6.705 6.705 0 0 0 12 5.25a6.8 6.8 0 0 0-1.225.11 6.7 6.7 0 0 0-2.15.793 6.784 6.784 0 0 0-2.952 3.489.76.76 0 0 1-.036.098A6.74 6.74 0 0 0 5.251 12a6.74 6.74 0 0 0 3.366 5.842l.009.005a6.704 6.704 0 0 0 2.18.798l.022.003a6.792 6.792 0 0 0 2.368-.004 6.704 6.704 0 0 0 2.205-.811 6.785 6.785 0 0 0 1.762-1.484l.009-.01.009-.01a6.743 6.743 0 0 0 1.18-2.066c.253-.707.39-1.469.39-2.263a6.74 6.74 0 0 0-.408-2.309Z","clip-rule":"evenodd"})])}function Nt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 6a3 3 0 0 1 3-3h13.5a3 3 0 0 1 3 3v12a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3V6Zm3.97.97a.75.75 0 0 1 1.06 0l2.25 2.25a.75.75 0 0 1 0 1.06l-2.25 2.25a.75.75 0 0 1-1.06-1.06l1.72-1.72-1.72-1.72a.75.75 0 0 1 0-1.06Zm4.28 4.28a.75.75 0 0 0 0 1.5h3a.75.75 0 0 0 0-1.5h-3Z","clip-rule":"evenodd"})])}function Vt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 5.25a3 3 0 0 1 3-3h13.5a3 3 0 0 1 3 3V15a3 3 0 0 1-3 3h-3v.257c0 .597.237 1.17.659 1.591l.621.622a.75.75 0 0 1-.53 1.28h-9a.75.75 0 0 1-.53-1.28l.621-.622a2.25 2.25 0 0 0 .659-1.59V18h-3a3 3 0 0 1-3-3V5.25Zm1.5 0v7.5a1.5 1.5 0 0 0 1.5 1.5h13.5a1.5 1.5 0 0 0 1.5-1.5v-7.5a1.5 1.5 0 0 0-1.5-1.5H5.25a1.5 1.5 0 0 0-1.5 1.5Z","clip-rule":"evenodd"})])}function Lt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M16.5 7.5h-9v9h9v-9Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.25 2.25A.75.75 0 0 1 9 3v.75h2.25V3a.75.75 0 0 1 1.5 0v.75H15V3a.75.75 0 0 1 1.5 0v.75h.75a3 3 0 0 1 3 3v.75H21A.75.75 0 0 1 21 9h-.75v2.25H21a.75.75 0 0 1 0 1.5h-.75V15H21a.75.75 0 0 1 0 1.5h-.75v.75a3 3 0 0 1-3 3h-.75V21a.75.75 0 0 1-1.5 0v-.75h-2.25V21a.75.75 0 0 1-1.5 0v-.75H9V21a.75.75 0 0 1-1.5 0v-.75h-.75a3 3 0 0 1-3-3v-.75H3A.75.75 0 0 1 3 15h.75v-2.25H3a.75.75 0 0 1 0-1.5h.75V9H3a.75.75 0 0 1 0-1.5h.75v-.75a3 3 0 0 1 3-3h.75V3a.75.75 0 0 1 .75-.75ZM6 6.75A.75.75 0 0 1 6.75 6h10.5a.75.75 0 0 1 .75.75v10.5a.75.75 0 0 1-.75.75H6.75a.75.75 0 0 1-.75-.75V6.75Z","clip-rule":"evenodd"})])}function Tt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.5 3.75a3 3 0 0 0-3 3v.75h21v-.75a3 3 0 0 0-3-3h-15Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M22.5 9.75h-21v7.5a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3v-7.5Zm-18 3.75a.75.75 0 0 1 .75-.75h6a.75.75 0 0 1 0 1.5h-6a.75.75 0 0 1-.75-.75Zm.75 2.25a.75.75 0 0 0 0 1.5h3a.75.75 0 0 0 0-1.5h-3Z","clip-rule":"evenodd"})])}function It(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.622 1.602a.75.75 0 0 1 .756 0l2.25 1.313a.75.75 0 0 1-.756 1.295L12 3.118 10.128 4.21a.75.75 0 1 1-.756-1.295l2.25-1.313ZM5.898 5.81a.75.75 0 0 1-.27 1.025l-1.14.665 1.14.665a.75.75 0 1 1-.756 1.295L3.75 8.806v.944a.75.75 0 0 1-1.5 0V7.5a.75.75 0 0 1 .372-.648l2.25-1.312a.75.75 0 0 1 1.026.27Zm12.204 0a.75.75 0 0 1 1.026-.27l2.25 1.312a.75.75 0 0 1 .372.648v2.25a.75.75 0 0 1-1.5 0v-.944l-1.122.654a.75.75 0 1 1-.756-1.295l1.14-.665-1.14-.665a.75.75 0 0 1-.27-1.025Zm-9 5.25a.75.75 0 0 1 1.026-.27L12 11.882l1.872-1.092a.75.75 0 1 1 .756 1.295l-1.878 1.096V15a.75.75 0 0 1-1.5 0v-1.82l-1.878-1.095a.75.75 0 0 1-.27-1.025ZM3 13.5a.75.75 0 0 1 .75.75v1.82l1.878 1.095a.75.75 0 1 1-.756 1.295l-2.25-1.312a.75.75 0 0 1-.372-.648v-2.25A.75.75 0 0 1 3 13.5Zm18 0a.75.75 0 0 1 .75.75v2.25a.75.75 0 0 1-.372.648l-2.25 1.312a.75.75 0 1 1-.756-1.295l1.878-1.096V14.25a.75.75 0 0 1 .75-.75Zm-9 5.25a.75.75 0 0 1 .75.75v.944l1.122-.654a.75.75 0 1 1 .756 1.295l-2.25 1.313a.75.75 0 0 1-.756 0l-2.25-1.313a.75.75 0 1 1 .756-1.295l1.122.654V19.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function Zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12.378 1.602a.75.75 0 0 0-.756 0L3 6.632l9 5.25 9-5.25-8.622-5.03ZM21.75 7.93l-9 5.25v9l8.628-5.032a.75.75 0 0 0 .372-.648V7.93ZM11.25 22.18v-9l-9-5.25v8.57a.75.75 0 0 0 .372.648l8.628 5.033Z"})])}function Ot(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 21.75c5.385 0 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25 2.25 6.615 2.25 12s4.365 9.75 9.75 9.75ZM10.5 7.963a1.5 1.5 0 0 0-2.17-1.341l-.415.207a.75.75 0 0 0 .67 1.342L9 7.963V9.75h-.75a.75.75 0 1 0 0 1.5H9v4.688c0 .563.26 1.198.867 1.525A4.501 4.501 0 0 0 16.41 14.4c.199-.977-.636-1.649-1.415-1.649h-.745a.75.75 0 1 0 0 1.5h.656a3.002 3.002 0 0 1-4.327 1.893.113.113 0 0 1-.045-.051.336.336 0 0 1-.034-.154V11.25h5.25a.75.75 0 0 0 0-1.5H10.5V7.963Z","clip-rule":"evenodd"})])}function Dt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.464 8.746c.227-.18.497-.311.786-.394v2.795a2.252 2.252 0 0 1-.786-.393c-.394-.313-.546-.681-.546-1.004 0-.323.152-.691.546-1.004ZM12.75 15.662v-2.824c.347.085.664.228.921.421.427.32.579.686.579.991 0 .305-.152.671-.579.991a2.534 2.534 0 0 1-.921.42Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM12.75 6a.75.75 0 0 0-1.5 0v.816a3.836 3.836 0 0 0-1.72.756c-.712.566-1.112 1.35-1.112 2.178 0 .829.4 1.612 1.113 2.178.502.4 1.102.647 1.719.756v2.978a2.536 2.536 0 0 1-.921-.421l-.879-.66a.75.75 0 0 0-.9 1.2l.879.66c.533.4 1.169.645 1.821.75V18a.75.75 0 0 0 1.5 0v-.81a4.124 4.124 0 0 0 1.821-.749c.745-.559 1.179-1.344 1.179-2.191 0-.847-.434-1.632-1.179-2.191a4.122 4.122 0 0 0-1.821-.75V8.354c.29.082.559.213.786.393l.415.33a.75.75 0 0 0 .933-1.175l-.415-.33a3.836 3.836 0 0 0-1.719-.755V6Z","clip-rule":"evenodd"})])}function Rt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm-1.902 7.098a3.75 3.75 0 0 1 3.903-.884.75.75 0 1 0 .498-1.415A5.25 5.25 0 0 0 8.005 9.75H7.5a.75.75 0 0 0 0 1.5h.054a5.281 5.281 0 0 0 0 1.5H7.5a.75.75 0 0 0 0 1.5h.505a5.25 5.25 0 0 0 6.494 2.701.75.75 0 1 0-.498-1.415 3.75 3.75 0 0 1-4.252-1.286h3.001a.75.75 0 0 0 0-1.5H9.075a3.77 3.77 0 0 1 0-1.5h3.675a.75.75 0 0 0 0-1.5h-3c.105-.14.221-.274.348-.402Z","clip-rule":"evenodd"})])}function Ht(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM9.763 9.51a2.25 2.25 0 0 1 3.828-1.351.75.75 0 0 0 1.06-1.06 3.75 3.75 0 0 0-6.38 2.252c-.033.307 0 .595.032.822l.154 1.077H8.25a.75.75 0 0 0 0 1.5h.421l.138.964a3.75 3.75 0 0 1-.358 2.208l-.122.242a.75.75 0 0 0 .908 1.047l1.539-.512a1.5 1.5 0 0 1 .948 0l.655.218a3 3 0 0 0 2.29-.163l.666-.333a.75.75 0 1 0-.67-1.342l-.667.333a1.5 1.5 0 0 1-1.145.082l-.654-.218a3 3 0 0 0-1.898 0l-.06.02a5.25 5.25 0 0 0 .053-1.794l-.108-.752H12a.75.75 0 0 0 0-1.5H9.972l-.184-1.29a1.863 1.863 0 0 1-.025-.45Z","clip-rule":"evenodd"})])}function Pt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM9 7.5A.75.75 0 0 0 9 9h1.5c.98 0 1.813.626 2.122 1.5H9A.75.75 0 0 0 9 12h3.622a2.251 2.251 0 0 1-2.122 1.5H9a.75.75 0 0 0-.53 1.28l3 3a.75.75 0 1 0 1.06-1.06L10.8 14.988A3.752 3.752 0 0 0 14.175 12H15a.75.75 0 0 0 0-1.5h-.825A3.733 3.733 0 0 0 13.5 9H15a.75.75 0 0 0 0-1.5H9Z","clip-rule":"evenodd"})])}function jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM9.624 7.084a.75.75 0 0 0-1.248.832l2.223 3.334H9a.75.75 0 0 0 0 1.5h2.25v1.5H9a.75.75 0 0 0 0 1.5h2.25v1.5a.75.75 0 0 0 1.5 0v-1.5H15a.75.75 0 0 0 0-1.5h-2.25v-1.5H15a.75.75 0 0 0 0-1.5h-1.599l2.223-3.334a.75.75 0 1 0-1.248-.832L12 10.648 9.624 7.084Z","clip-rule":"evenodd"})])}function Ft(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 1.5a.75.75 0 0 1 .75.75V4.5a.75.75 0 0 1-1.5 0V2.25A.75.75 0 0 1 12 1.5ZM5.636 4.136a.75.75 0 0 1 1.06 0l1.592 1.591a.75.75 0 0 1-1.061 1.06l-1.591-1.59a.75.75 0 0 1 0-1.061Zm12.728 0a.75.75 0 0 1 0 1.06l-1.591 1.592a.75.75 0 0 1-1.06-1.061l1.59-1.591a.75.75 0 0 1 1.061 0Zm-6.816 4.496a.75.75 0 0 1 .82.311l5.228 7.917a.75.75 0 0 1-.777 1.148l-2.097-.43 1.045 3.9a.75.75 0 0 1-1.45.388l-1.044-3.899-1.601 1.42a.75.75 0 0 1-1.247-.606l.569-9.47a.75.75 0 0 1 .554-.68ZM3 10.5a.75.75 0 0 1 .75-.75H6a.75.75 0 0 1 0 1.5H3.75A.75.75 0 0 1 3 10.5Zm14.25 0a.75.75 0 0 1 .75-.75h2.25a.75.75 0 0 1 0 1.5H18a.75.75 0 0 1-.75-.75Zm-8.962 3.712a.75.75 0 0 1 0 1.061l-1.591 1.591a.75.75 0 1 1-1.061-1.06l1.591-1.592a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function zt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.303 5.197A7.5 7.5 0 0 0 6.697 15.803a.75.75 0 0 1-1.061 1.061A9 9 0 1 1 21 10.5a.75.75 0 0 1-1.5 0c0-1.92-.732-3.839-2.197-5.303Zm-2.121 2.121a4.5 4.5 0 0 0-6.364 6.364.75.75 0 1 1-1.06 1.06A6 6 0 1 1 18 10.5a.75.75 0 0 1-1.5 0c0-1.153-.44-2.303-1.318-3.182Zm-3.634 1.314a.75.75 0 0 1 .82.311l5.228 7.917a.75.75 0 0 1-.777 1.148l-2.097-.43 1.045 3.9a.75.75 0 0 1-1.45.388l-1.044-3.899-1.601 1.42a.75.75 0 0 1-1.247-.606l.569-9.47a.75.75 0 0 1 .554-.68Z","clip-rule":"evenodd"})])}function qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.5 18.75a.75.75 0 0 0 0 1.5h3a.75.75 0 0 0 0-1.5h-3Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.625.75A3.375 3.375 0 0 0 5.25 4.125v15.75a3.375 3.375 0 0 0 3.375 3.375h6.75a3.375 3.375 0 0 0 3.375-3.375V4.125A3.375 3.375 0 0 0 15.375.75h-6.75ZM7.5 4.125C7.5 3.504 8.004 3 8.625 3H9.75v.375c0 .621.504 1.125 1.125 1.125h2.25c.621 0 1.125-.504 1.125-1.125V3h1.125c.621 0 1.125.504 1.125 1.125v15.75c0 .621-.504 1.125-1.125 1.125h-6.75A1.125 1.125 0 0 1 7.5 19.875V4.125Z","clip-rule":"evenodd"})])}function Ut(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.5 18a.75.75 0 0 0 0 1.5h3a.75.75 0 0 0 0-1.5h-3Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.125 1.5A3.375 3.375 0 0 0 3.75 4.875v14.25A3.375 3.375 0 0 0 7.125 22.5h9.75a3.375 3.375 0 0 0 3.375-3.375V4.875A3.375 3.375 0 0 0 16.875 1.5h-9.75ZM6 4.875c0-.621.504-1.125 1.125-1.125h9.75c.621 0 1.125.504 1.125 1.125v14.25c0 .621-.504 1.125-1.125 1.125h-9.75A1.125 1.125 0 0 1 6 19.125V4.875Z","clip-rule":"evenodd"})])}function $t(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.874 5.248a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Zm-7.125 6.75a.75.75 0 0 1 .75-.75h15a.75.75 0 0 1 0 1.5h-15a.75.75 0 0 1-.75-.75Zm7.125 6.753a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Z","clip-rule":"evenodd"})])}function Wt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.625 1.5H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375c0-1.036.84-1.875 1.875-1.875Zm5.845 17.03a.75.75 0 0 0 1.06 0l3-3a.75.75 0 1 0-1.06-1.06l-1.72 1.72V12a.75.75 0 0 0-1.5 0v4.19l-1.72-1.72a.75.75 0 0 0-1.06 1.06l3 3Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.25 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Z"})])}function Gt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.625 1.5H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375c0-1.036.84-1.875 1.875-1.875Zm6.905 9.97a.75.75 0 0 0-1.06 0l-3 3a.75.75 0 1 0 1.06 1.06l1.72-1.72V18a.75.75 0 0 0 1.5 0v-4.19l1.72 1.72a.75.75 0 1 0 1.06-1.06l-3-3Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.25 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Z"})])}function Kt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.625 1.5H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375c0-1.036.84-1.875 1.875-1.875ZM9.75 17.25a.75.75 0 0 0-1.5 0V18a.75.75 0 0 0 1.5 0v-.75Zm2.25-3a.75.75 0 0 1 .75.75v3a.75.75 0 0 1-1.5 0v-3a.75.75 0 0 1 .75-.75Zm3.75-1.5a.75.75 0 0 0-1.5 0V18a.75.75 0 0 0 1.5 0v-5.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.25 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Z"})])}function Yt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9 1.5H5.625c-1.036 0-1.875.84-1.875 1.875v17.25c0 1.035.84 1.875 1.875 1.875h12.75c1.035 0 1.875-.84 1.875-1.875V12.75A3.75 3.75 0 0 0 16.5 9h-1.875a1.875 1.875 0 0 1-1.875-1.875V5.25A3.75 3.75 0 0 0 9 1.5Zm6.61 10.936a.75.75 0 1 0-1.22-.872l-3.236 4.53L9.53 14.47a.75.75 0 0 0-1.06 1.06l2.25 2.25a.75.75 0 0 0 1.14-.094l3.75-5.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M12.971 1.816A5.23 5.23 0 0 1 14.25 5.25v1.875c0 .207.168.375.375.375H16.5a5.23 5.23 0 0 1 3.434 1.279 9.768 9.768 0 0 0-6.963-6.963Z"})])}function Xt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3.375c0-1.036.84-1.875 1.875-1.875H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375Zm10.5 1.875a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Zm-3.75 5.56c0-1.336-1.616-2.005-2.56-1.06l-.22.22a.75.75 0 0 0 1.06 1.06l.22-.22v1.94h-.75a.75.75 0 0 0 0 1.5H9v3c0 .671.307 1.453 1.068 1.815a4.5 4.5 0 0 0 5.993-2.123c.233-.487.14-1-.136-1.37A1.459 1.459 0 0 0 14.757 15h-.507a.75.75 0 0 0 0 1.5h.349a2.999 2.999 0 0 1-3.887 1.21c-.091-.043-.212-.186-.212-.46v-3h5.25a.75.75 0 1 0 0-1.5H10.5v-1.94Z","clip-rule":"evenodd"})])}function Jt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3.375c0-1.036.84-1.875 1.875-1.875H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375Zm10.5 1.875a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25ZM12 10.5a.75.75 0 0 1 .75.75v.028a9.727 9.727 0 0 1 1.687.28.75.75 0 1 1-.374 1.452 8.207 8.207 0 0 0-1.313-.226v1.68l.969.332c.67.23 1.281.85 1.281 1.704 0 .158-.007.314-.02.468-.083.931-.83 1.582-1.669 1.695a9.776 9.776 0 0 1-.561.059v.028a.75.75 0 0 1-1.5 0v-.029a9.724 9.724 0 0 1-1.687-.278.75.75 0 0 1 .374-1.453c.425.11.864.186 1.313.226v-1.68l-.968-.332C9.612 14.974 9 14.354 9 13.5c0-.158.007-.314.02-.468.083-.931.831-1.582 1.67-1.694.185-.025.372-.045.56-.06v-.028a.75.75 0 0 1 .75-.75Zm-1.11 2.324c.119-.016.239-.03.36-.04v1.166l-.482-.165c-.208-.072-.268-.211-.268-.285 0-.113.005-.225.015-.336.013-.146.14-.309.374-.34Zm1.86 4.392V16.05l.482.165c.208.072.268.211.268.285 0 .113-.005.225-.015.336-.012.146-.14.309-.374.34-.12.016-.24.03-.361.04Z","clip-rule":"evenodd"})])}function Qt(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3.375c0-1.036.84-1.875 1.875-1.875H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375Zm7.464 9.442c.459-.573 1.019-.817 1.536-.817.517 0 1.077.244 1.536.817a.75.75 0 1 0 1.171-.937c-.713-.892-1.689-1.38-2.707-1.38-1.018 0-1.994.488-2.707 1.38a4.61 4.61 0 0 0-.705 1.245H8.25a.75.75 0 0 0 0 1.5h.763c-.017.25-.017.5 0 .75H8.25a.75.75 0 0 0 0 1.5h1.088c.17.449.406.87.705 1.245.713.892 1.689 1.38 2.707 1.38 1.018 0 1.994-.488 2.707-1.38a.75.75 0 0 0-1.171-.937c-.459.573-1.019.817-1.536.817-.517 0-1.077-.244-1.536-.817-.078-.098-.15-.2-.215-.308h1.751a.75.75 0 0 0 0-1.5h-2.232a3.965 3.965 0 0 1 0-.75h2.232a.75.75 0 0 0 0-1.5H11c.065-.107.136-.21.214-.308Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.25 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Z"})])}function en(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3.375c0-1.036.84-1.875 1.875-1.875H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375Zm10.5 1.875a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Zm-3.674 9.583a2.249 2.249 0 0 1 3.765-2.174.75.75 0 0 0 1.06-1.06A3.75 3.75 0 0 0 9.076 15H8.25a.75.75 0 0 0 0 1.5h1.156a3.75 3.75 0 0 1-.206 1.559l-.156.439a.75.75 0 0 0 1.042.923l.439-.22a2.113 2.113 0 0 1 1.613-.115 3.613 3.613 0 0 0 2.758-.196l.44-.22a.75.75 0 1 0-.671-1.341l-.44.22a2.113 2.113 0 0 1-1.613.114 3.612 3.612 0 0 0-1.745-.134c.048-.341.062-.686.042-1.029H12a.75.75 0 0 0 0-1.5h-1.379l-.045-.167Z","clip-rule":"evenodd"})])}function tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3.375c0-1.036.84-1.875 1.875-1.875H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375Zm10.5 1.875a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Zm-4.5 5.25a.75.75 0 0 0 0 1.5h.375c.769 0 1.43.463 1.719 1.125H9.75a.75.75 0 0 0 0 1.5h2.094a1.875 1.875 0 0 1-1.719 1.125H9.75a.75.75 0 0 0-.53 1.28l2.25 2.25a.75.75 0 0 0 1.06-1.06l-1.193-1.194a3.382 3.382 0 0 0 2.08-2.401h.833a.75.75 0 0 0 0-1.5h-.834A3.357 3.357 0 0 0 12.932 12h1.318a.75.75 0 0 0 0-1.5H10.5c-.04 0-.08.003-.12.01a3.425 3.425 0 0 0-.255-.01H9.75Z","clip-rule":"evenodd"})])}function nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 3.375c0-1.036.84-1.875 1.875-1.875H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375Zm10.5 1.875a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Zm-3.9 5.55a.75.75 0 0 0-1.2.9l1.912 2.55H9.75a.75.75 0 0 0 0 1.5h1.5v.75h-1.5a.75.75 0 0 0 0 1.5h1.5v.75a.75.75 0 1 0 1.5 0V18h1.5a.75.75 0 1 0 0-1.5h-1.5v-.75h1.5a.75.75 0 1 0 0-1.5h-1.313l1.913-2.55a.75.75 0 1 0-1.2-.9L12 13l-1.65-2.2Z","clip-rule":"evenodd"})])}function rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.5 3.375c0-1.036.84-1.875 1.875-1.875h.375a3.75 3.75 0 0 1 3.75 3.75v1.875C13.5 8.161 14.34 9 15.375 9h1.875A3.75 3.75 0 0 1 21 12.75v3.375C21 17.16 20.16 18 19.125 18h-9.75A1.875 1.875 0 0 1 7.5 16.125V3.375Z"}),(0,r.createElementVNode)("path",{d:"M15 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 17.25 7.5h-1.875A.375.375 0 0 1 15 7.125V5.25ZM4.875 6H6v10.125A3.375 3.375 0 0 0 9.375 19.5H16.5v1.125c0 1.035-.84 1.875-1.875 1.875h-9.75A1.875 1.875 0 0 1 3 20.625V7.875C3 6.839 3.84 6 4.875 6Z"})])}function on(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.625 16.5a1.875 1.875 0 1 0 0-3.75 1.875 1.875 0 0 0 0 3.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.625 1.5H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375c0-1.036.84-1.875 1.875-1.875Zm6 16.5c.66 0 1.277-.19 1.797-.518l1.048 1.048a.75.75 0 0 0 1.06-1.06l-1.047-1.048A3.375 3.375 0 1 0 11.625 18Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.25 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Z"})])}function an(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.625 1.5H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375c0-1.036.84-1.875 1.875-1.875ZM9.75 14.25a.75.75 0 0 0 0 1.5H15a.75.75 0 0 0 0-1.5H9.75Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.25 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Z"})])}function ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.625 1.5H9a3.75 3.75 0 0 1 3.75 3.75v1.875c0 1.036.84 1.875 1.875 1.875H16.5a3.75 3.75 0 0 1 3.75 3.75v7.875c0 1.035-.84 1.875-1.875 1.875H5.625a1.875 1.875 0 0 1-1.875-1.875V3.375c0-1.036.84-1.875 1.875-1.875ZM12.75 12a.75.75 0 0 0-1.5 0v2.25H9a.75.75 0 0 0 0 1.5h2.25V18a.75.75 0 0 0 1.5 0v-2.25H15a.75.75 0 0 0 0-1.5h-2.25V12Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M14.25 5.25a5.23 5.23 0 0 0-1.279-3.434 9.768 9.768 0 0 1 6.963 6.963A5.23 5.23 0 0 0 16.5 7.5h-1.875a.375.375 0 0 1-.375-.375V5.25Z"})])}function sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.625 1.5c-1.036 0-1.875.84-1.875 1.875v17.25c0 1.035.84 1.875 1.875 1.875h12.75c1.035 0 1.875-.84 1.875-1.875V12.75A3.75 3.75 0 0 0 16.5 9h-1.875a1.875 1.875 0 0 1-1.875-1.875V5.25A3.75 3.75 0 0 0 9 1.5H5.625ZM7.5 15a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-7.5A.75.75 0 0 1 7.5 15Zm.75 2.25a.75.75 0 0 0 0 1.5H12a.75.75 0 0 0 0-1.5H8.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M12.971 1.816A5.23 5.23 0 0 1 14.25 5.25v1.875c0 .207.168.375.375.375H16.5a5.23 5.23 0 0 1 3.434 1.279 9.768 9.768 0 0 0-6.963-6.963Z"})])}function cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.625 1.5c-1.036 0-1.875.84-1.875 1.875v17.25c0 1.035.84 1.875 1.875 1.875h12.75c1.035 0 1.875-.84 1.875-1.875V12.75A3.75 3.75 0 0 0 16.5 9h-1.875a1.875 1.875 0 0 1-1.875-1.875V5.25A3.75 3.75 0 0 0 9 1.5H5.625Z"}),(0,r.createElementVNode)("path",{d:"M12.971 1.816A5.23 5.23 0 0 1 14.25 5.25v1.875c0 .207.168.375.375.375H16.5a5.23 5.23 0 0 1 3.434 1.279 9.768 9.768 0 0 0-6.963-6.963Z"})])}function un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm0 8.625a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25ZM15.375 12a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0ZM7.5 10.875a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25Z","clip-rule":"evenodd"})])}function dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 12a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Zm6 0a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Zm6 0a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Z","clip-rule":"evenodd"})])}function hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 6a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Zm0 6a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Zm0 6a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Z","clip-rule":"evenodd"})])}function pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M19.5 22.5a3 3 0 0 0 3-3v-8.174l-6.879 4.022 3.485 1.876a.75.75 0 1 1-.712 1.321l-5.683-3.06a1.5 1.5 0 0 0-1.422 0l-5.683 3.06a.75.75 0 0 1-.712-1.32l3.485-1.877L1.5 11.326V19.5a3 3 0 0 0 3 3h15Z"}),(0,r.createElementVNode)("path",{d:"M1.5 9.589v-.745a3 3 0 0 1 1.578-2.642l7.5-4.038a3 3 0 0 1 2.844 0l7.5 4.038A3 3 0 0 1 22.5 8.844v.745l-8.426 4.926-.652-.351a3 3 0 0 0-2.844 0l-.652.351L1.5 9.589Z"})])}function fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M1.5 8.67v8.58a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3V8.67l-8.928 5.493a3 3 0 0 1-3.144 0L1.5 8.67Z"}),(0,r.createElementVNode)("path",{d:"M22.5 6.908V6.75a3 3 0 0 0-3-3h-15a3 3 0 0 0-3 3v.158l9.714 5.978a1.5 1.5 0 0 0 1.572 0L22.5 6.908Z"})])}function mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.748 8.248a.75.75 0 0 1 .75-.75h15a.75.75 0 0 1 0 1.5h-15a.75.75 0 0 1-.75-.75ZM3.748 15.75a.75.75 0 0 1 .75-.751h15a.75.75 0 0 1 0 1.5h-15a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 12c0-5.385 4.365-9.75 9.75-9.75s9.75 4.365 9.75 9.75-4.365 9.75-9.75 9.75S2.25 17.385 2.25 12ZM12 8.25a.75.75 0 0 1 .75.75v3.75a.75.75 0 0 1-1.5 0V9a.75.75 0 0 1 .75-.75Zm0 8.25a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.401 3.003c1.155-2 4.043-2 5.197 0l7.355 12.748c1.154 2-.29 4.5-2.599 4.5H4.645c-2.309 0-3.752-2.5-2.598-4.5L9.4 3.003ZM12 8.25a.75.75 0 0 1 .75.75v3.75a.75.75 0 0 1-1.5 0V9a.75.75 0 0 1 .75-.75Zm0 8.25a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.098 2.598a3.75 3.75 0 1 1 3.622 6.275l-1.72.46V12a.75.75 0 0 1-.22.53l-.75.75a.75.75 0 0 1-1.06 0l-.97-.97-7.94 7.94a2.56 2.56 0 0 1-1.81.75 1.06 1.06 0 0 0-.75.31l-.97.97a.75.75 0 0 1-1.06 0l-.75-.75a.75.75 0 0 1 0-1.06l.97-.97a1.06 1.06 0 0 0 .31-.75c0-.68.27-1.33.75-1.81L11.69 9l-.97-.97a.75.75 0 0 1 0-1.06l.75-.75A.75.75 0 0 1 12 6h2.666l.461-1.72c.165-.617.49-1.2.971-1.682Zm-3.348 7.463L4.81 18a1.06 1.06 0 0 0-.31.75c0 .318-.06.63-.172.922a2.56 2.56 0 0 1 .922-.172c.281 0 .551-.112.75-.31l7.94-7.94-1.19-1.19Z","clip-rule":"evenodd"})])}function yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.53 2.47a.75.75 0 0 0-1.06 1.06l18 18a.75.75 0 1 0 1.06-1.06l-18-18ZM22.676 12.553a11.249 11.249 0 0 1-2.631 4.31l-3.099-3.099a5.25 5.25 0 0 0-6.71-6.71L7.759 4.577a11.217 11.217 0 0 1 4.242-.827c4.97 0 9.185 3.223 10.675 7.69.12.362.12.752 0 1.113Z"}),(0,r.createElementVNode)("path",{d:"M15.75 12c0 .18-.013.357-.037.53l-4.244-4.243A3.75 3.75 0 0 1 15.75 12ZM12.53 15.713l-4.243-4.244a3.75 3.75 0 0 0 4.244 4.243Z"}),(0,r.createElementVNode)("path",{d:"M6.75 12c0-.619.107-1.213.304-1.764l-3.1-3.1a11.25 11.25 0 0 0-2.63 4.31c-.12.362-.12.752 0 1.114 1.489 4.467 5.704 7.69 10.675 7.69 1.5 0 2.933-.294 4.242-.827l-2.477-2.477A5.25 5.25 0 0 1 6.75 12Z"})])}function bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 15a3 3 0 1 0 0-6 3 3 0 0 0 0 6Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.323 11.447C2.811 6.976 7.028 3.75 12.001 3.75c4.97 0 9.185 3.223 10.675 7.69.12.362.12.752 0 1.113-1.487 4.471-5.705 7.697-10.677 7.697-4.97 0-9.186-3.223-10.675-7.69a1.762 1.762 0 0 1 0-1.113ZM17.25 12a5.25 5.25 0 1 1-10.5 0 5.25 5.25 0 0 1 10.5 0Z","clip-rule":"evenodd"})])}function xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm-2.625 6c-.54 0-.828.419-.936.634a1.96 1.96 0 0 0-.189.866c0 .298.059.605.189.866.108.215.395.634.936.634.54 0 .828-.419.936-.634.13-.26.189-.568.189-.866 0-.298-.059-.605-.189-.866-.108-.215-.395-.634-.936-.634Zm4.314.634c.108-.215.395-.634.936-.634.54 0 .828.419.936.634.13.26.189.568.189.866 0 .298-.059.605-.189.866-.108.215-.395.634-.936.634-.54 0-.828-.419-.936-.634a1.96 1.96 0 0 1-.189-.866c0-.298.059-.605.189-.866Zm-4.34 7.964a.75.75 0 0 1-1.061-1.06 5.236 5.236 0 0 1 3.73-1.538 5.236 5.236 0 0 1 3.695 1.538.75.75 0 1 1-1.061 1.06 3.736 3.736 0 0 0-2.639-1.098 3.736 3.736 0 0 0-2.664 1.098Z","clip-rule":"evenodd"})])}function kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm-2.625 6c-.54 0-.828.419-.936.634a1.96 1.96 0 0 0-.189.866c0 .298.059.605.189.866.108.215.395.634.936.634.54 0 .828-.419.936-.634.13-.26.189-.568.189-.866 0-.298-.059-.605-.189-.866-.108-.215-.395-.634-.936-.634Zm4.314.634c.108-.215.395-.634.936-.634.54 0 .828.419.936.634.13.26.189.568.189.866 0 .298-.059.605-.189.866-.108.215-.395.634-.936.634-.54 0-.828-.419-.936-.634a1.96 1.96 0 0 1-.189-.866c0-.298.059-.605.189-.866Zm2.023 6.828a.75.75 0 1 0-1.06-1.06 3.75 3.75 0 0 1-5.304 0 .75.75 0 0 0-1.06 1.06 5.25 5.25 0 0 0 7.424 0Z","clip-rule":"evenodd"})])}function En(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 5.625c0-1.036.84-1.875 1.875-1.875h17.25c1.035 0 1.875.84 1.875 1.875v12.75c0 1.035-.84 1.875-1.875 1.875H3.375A1.875 1.875 0 0 1 1.5 18.375V5.625Zm1.5 0v1.5c0 .207.168.375.375.375h1.5a.375.375 0 0 0 .375-.375v-1.5a.375.375 0 0 0-.375-.375h-1.5A.375.375 0 0 0 3 5.625Zm16.125-.375a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h1.5A.375.375 0 0 0 21 7.125v-1.5a.375.375 0 0 0-.375-.375h-1.5ZM21 9.375A.375.375 0 0 0 20.625 9h-1.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h1.5a.375.375 0 0 0 .375-.375v-1.5Zm0 3.75a.375.375 0 0 0-.375-.375h-1.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h1.5a.375.375 0 0 0 .375-.375v-1.5Zm0 3.75a.375.375 0 0 0-.375-.375h-1.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h1.5a.375.375 0 0 0 .375-.375v-1.5ZM4.875 18.75a.375.375 0 0 0 .375-.375v-1.5a.375.375 0 0 0-.375-.375h-1.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h1.5ZM3.375 15h1.5a.375.375 0 0 0 .375-.375v-1.5a.375.375 0 0 0-.375-.375h-1.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375Zm0-3.75h1.5a.375.375 0 0 0 .375-.375v-1.5A.375.375 0 0 0 4.875 9h-1.5A.375.375 0 0 0 3 9.375v1.5c0 .207.168.375.375.375Zm4.125 0a.75.75 0 0 0 0 1.5h9a.75.75 0 0 0 0-1.5h-9Z","clip-rule":"evenodd"})])}function An(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 3.75a6.715 6.715 0 0 0-3.722 1.118.75.75 0 1 1-.828-1.25 8.25 8.25 0 0 1 12.8 6.883c0 3.014-.574 5.897-1.62 8.543a.75.75 0 0 1-1.395-.551A21.69 21.69 0 0 0 18.75 10.5 6.75 6.75 0 0 0 12 3.75ZM6.157 5.739a.75.75 0 0 1 .21 1.04A6.715 6.715 0 0 0 5.25 10.5c0 1.613-.463 3.12-1.265 4.393a.75.75 0 0 1-1.27-.8A6.715 6.715 0 0 0 3.75 10.5c0-1.68.503-3.246 1.367-4.55a.75.75 0 0 1 1.04-.211ZM12 7.5a3 3 0 0 0-3 3c0 3.1-1.176 5.927-3.105 8.056a.75.75 0 1 1-1.112-1.008A10.459 10.459 0 0 0 7.5 10.5a4.5 4.5 0 1 1 9 0c0 .547-.022 1.09-.067 1.626a.75.75 0 0 1-1.495-.123c.041-.495.062-.996.062-1.503a3 3 0 0 0-3-3Zm0 2.25a.75.75 0 0 1 .75.75c0 3.908-1.424 7.485-3.781 10.238a.75.75 0 0 1-1.14-.975A14.19 14.19 0 0 0 11.25 10.5a.75.75 0 0 1 .75-.75Zm3.239 5.183a.75.75 0 0 1 .515.927 19.417 19.417 0 0 1-2.585 5.544.75.75 0 0 1-1.243-.84 17.915 17.915 0 0 0 2.386-5.116.75.75 0 0 1 .927-.515Z","clip-rule":"evenodd"})])}function Cn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.963 2.286a.75.75 0 0 0-1.071-.136 9.742 9.742 0 0 0-3.539 6.176 7.547 7.547 0 0 1-1.705-1.715.75.75 0 0 0-1.152-.082A9 9 0 1 0 15.68 4.534a7.46 7.46 0 0 1-2.717-2.248ZM15.75 14.25a3.75 3.75 0 1 1-7.313-1.172c.628.465 1.35.81 2.133 1a5.99 5.99 0 0 1 1.925-3.546 3.75 3.75 0 0 1 3.255 3.718Z","clip-rule":"evenodd"})])}function Bn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 2.25a.75.75 0 0 1 .75.75v.54l1.838-.46a9.75 9.75 0 0 1 6.725.738l.108.054A8.25 8.25 0 0 0 18 4.524l3.11-.732a.75.75 0 0 1 .917.81 47.784 47.784 0 0 0 .005 10.337.75.75 0 0 1-.574.812l-3.114.733a9.75 9.75 0 0 1-6.594-.77l-.108-.054a8.25 8.25 0 0 0-5.69-.625l-2.202.55V21a.75.75 0 0 1-1.5 0V3A.75.75 0 0 1 3 2.25Z","clip-rule":"evenodd"})])}function Mn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.5 21a3 3 0 0 0 3-3V9a3 3 0 0 0-3-3h-5.379a.75.75 0 0 1-.53-.22L11.47 3.66A2.25 2.25 0 0 0 9.879 3H4.5a3 3 0 0 0-3 3v12a3 3 0 0 0 3 3h15Zm-6.75-10.5a.75.75 0 0 0-1.5 0v4.19l-1.72-1.72a.75.75 0 0 0-1.06 1.06l3 3a.75.75 0 0 0 1.06 0l3-3a.75.75 0 1 0-1.06-1.06l-1.72 1.72V10.5Z","clip-rule":"evenodd"})])}function _n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.5 21a3 3 0 0 0 3-3V9a3 3 0 0 0-3-3h-5.379a.75.75 0 0 1-.53-.22L11.47 3.66A2.25 2.25 0 0 0 9.879 3H4.5a3 3 0 0 0-3 3v12a3 3 0 0 0 3 3h15ZM9 12.75a.75.75 0 0 0 0 1.5h6a.75.75 0 0 0 0-1.5H9Z","clip-rule":"evenodd"})])}function Sn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M19.906 9c.382 0 .749.057 1.094.162V9a3 3 0 0 0-3-3h-3.879a.75.75 0 0 1-.53-.22L11.47 3.66A2.25 2.25 0 0 0 9.879 3H6a3 3 0 0 0-3 3v3.162A3.756 3.756 0 0 1 4.094 9h15.812ZM4.094 10.5a2.25 2.25 0 0 0-2.227 2.568l.857 6A2.25 2.25 0 0 0 4.951 21H19.05a2.25 2.25 0 0 0 2.227-1.932l.857-6a2.25 2.25 0 0 0-2.227-2.568H4.094Z"})])}function Nn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.5 21a3 3 0 0 0 3-3V9a3 3 0 0 0-3-3h-5.379a.75.75 0 0 1-.53-.22L11.47 3.66A2.25 2.25 0 0 0 9.879 3H4.5a3 3 0 0 0-3 3v12a3 3 0 0 0 3 3h15Zm-6.75-10.5a.75.75 0 0 0-1.5 0v2.25H9a.75.75 0 0 0 0 1.5h2.25v2.25a.75.75 0 0 0 1.5 0v-2.25H15a.75.75 0 0 0 0-1.5h-2.25V10.5Z","clip-rule":"evenodd"})])}function Vn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M19.5 21a3 3 0 0 0 3-3v-4.5a3 3 0 0 0-3-3h-15a3 3 0 0 0-3 3V18a3 3 0 0 0 3 3h15ZM1.5 10.146V6a3 3 0 0 1 3-3h5.379a2.25 2.25 0 0 1 1.59.659l2.122 2.121c.14.141.331.22.53.22H19.5a3 3 0 0 1 3 3v1.146A4.483 4.483 0 0 0 19.5 9h-15a4.483 4.483 0 0 0-3 1.146Z"})])}function Ln(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.055 7.06C3.805 6.347 2.25 7.25 2.25 8.69v8.122c0 1.44 1.555 2.343 2.805 1.628L12 14.471v2.34c0 1.44 1.555 2.343 2.805 1.628l7.108-4.061c1.26-.72 1.26-2.536 0-3.256l-7.108-4.061C13.555 6.346 12 7.249 12 8.689v2.34L5.055 7.061Z"})])}function Tn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.792 2.938A49.069 49.069 0 0 1 12 2.25c2.797 0 5.54.236 8.209.688a1.857 1.857 0 0 1 1.541 1.836v1.044a3 3 0 0 1-.879 2.121l-6.182 6.182a1.5 1.5 0 0 0-.439 1.061v2.927a3 3 0 0 1-1.658 2.684l-1.757.878A.75.75 0 0 1 9.75 21v-5.818a1.5 1.5 0 0 0-.44-1.06L3.13 7.938a3 3 0 0 1-.879-2.121V4.774c0-.897.64-1.683 1.542-1.836Z","clip-rule":"evenodd"})])}function In(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 3.75a3 3 0 0 0-3 3v10.5a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3V6.75a3 3 0 0 0-3-3h-15Zm9 4.5a.75.75 0 0 0-1.5 0v7.5a.75.75 0 0 0 1.5 0v-7.5Zm1.5 0a.75.75 0 0 1 .75-.75h3a.75.75 0 0 1 0 1.5H16.5v2.25H18a.75.75 0 0 1 0 1.5h-1.5v3a.75.75 0 0 1-1.5 0v-7.5ZM6.636 9.78c.404-.575.867-.78 1.25-.78s.846.205 1.25.78a.75.75 0 0 0 1.228-.863C9.738 8.027 8.853 7.5 7.886 7.5c-.966 0-1.852.527-2.478 1.417-.62.882-.908 2-.908 3.083 0 1.083.288 2.201.909 3.083.625.89 1.51 1.417 2.477 1.417.967 0 1.852-.527 2.478-1.417a.75.75 0 0 0 .136-.431V12a.75.75 0 0 0-.75-.75h-1.5a.75.75 0 0 0 0 1.5H9v1.648c-.37.44-.774.602-1.114.602-.383 0-.846-.205-1.25-.78C6.226 13.638 6 12.837 6 12c0-.837.226-1.638.636-2.22Z","clip-rule":"evenodd"})])}function Zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.25 3v4.046a3 3 0 0 0-4.277 4.204H1.5v-6A2.25 2.25 0 0 1 3.75 3h7.5ZM12.75 3v4.011a3 3 0 0 1 4.239 4.239H22.5v-6A2.25 2.25 0 0 0 20.25 3h-7.5ZM22.5 12.75h-8.983a4.125 4.125 0 0 0 4.108 3.75.75.75 0 0 1 0 1.5 5.623 5.623 0 0 1-4.875-2.817V21h7.5a2.25 2.25 0 0 0 2.25-2.25v-6ZM11.25 21v-5.817A5.623 5.623 0 0 1 6.375 18a.75.75 0 0 1 0-1.5 4.126 4.126 0 0 0 4.108-3.75H1.5v6A2.25 2.25 0 0 0 3.75 21h7.5Z"}),(0,r.createElementVNode)("path",{d:"M11.085 10.354c.03.297.038.575.036.805a7.484 7.484 0 0 1-.805-.036c-.833-.084-1.677-.325-2.195-.843a1.5 1.5 0 0 1 2.122-2.12c.517.517.759 1.36.842 2.194ZM12.877 10.354c-.03.297-.038.575-.036.805.23.002.508-.006.805-.036.833-.084 1.677-.325 2.195-.843A1.5 1.5 0 0 0 13.72 8.16c-.518.518-.76 1.362-.843 2.194Z"})])}function On(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M9.375 3a1.875 1.875 0 0 0 0 3.75h1.875v4.5H3.375A1.875 1.875 0 0 1 1.5 9.375v-.75c0-1.036.84-1.875 1.875-1.875h3.193A3.375 3.375 0 0 1 12 2.753a3.375 3.375 0 0 1 5.432 3.997h3.943c1.035 0 1.875.84 1.875 1.875v.75c0 1.036-.84 1.875-1.875 1.875H12.75v-4.5h1.875a1.875 1.875 0 1 0-1.875-1.875V6.75h-1.5V4.875C11.25 3.839 10.41 3 9.375 3ZM11.25 12.75H3v6.75a2.25 2.25 0 0 0 2.25 2.25h6v-9ZM12.75 12.75v9h6.75a2.25 2.25 0 0 0 2.25-2.25v-6.75h-9Z"})])}function Dn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M21.721 12.752a9.711 9.711 0 0 0-.945-5.003 12.754 12.754 0 0 1-4.339 2.708 18.991 18.991 0 0 1-.214 4.772 17.165 17.165 0 0 0 5.498-2.477ZM14.634 15.55a17.324 17.324 0 0 0 .332-4.647c-.952.227-1.945.347-2.966.347-1.021 0-2.014-.12-2.966-.347a17.515 17.515 0 0 0 .332 4.647 17.385 17.385 0 0 0 5.268 0ZM9.772 17.119a18.963 18.963 0 0 0 4.456 0A17.182 17.182 0 0 1 12 21.724a17.18 17.18 0 0 1-2.228-4.605ZM7.777 15.23a18.87 18.87 0 0 1-.214-4.774 12.753 12.753 0 0 1-4.34-2.708 9.711 9.711 0 0 0-.944 5.004 17.165 17.165 0 0 0 5.498 2.477ZM21.356 14.752a9.765 9.765 0 0 1-7.478 6.817 18.64 18.64 0 0 0 1.988-4.718 18.627 18.627 0 0 0 5.49-2.098ZM2.644 14.752c1.682.971 3.53 1.688 5.49 2.099a18.64 18.64 0 0 0 1.988 4.718 9.765 9.765 0 0 1-7.478-6.816ZM13.878 2.43a9.755 9.755 0 0 1 6.116 3.986 11.267 11.267 0 0 1-3.746 2.504 18.63 18.63 0 0 0-2.37-6.49ZM12 2.276a17.152 17.152 0 0 1 2.805 7.121c-.897.23-1.837.353-2.805.353-.968 0-1.908-.122-2.805-.353A17.151 17.151 0 0 1 12 2.276ZM10.122 2.43a18.629 18.629 0 0 0-2.37 6.49 11.266 11.266 0 0 1-3.746-2.504 9.754 9.754 0 0 1 6.116-3.985Z"})])}function Rn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM6.262 6.072a8.25 8.25 0 1 0 10.562-.766 4.5 4.5 0 0 1-1.318 1.357L14.25 7.5l.165.33a.809.809 0 0 1-1.086 1.085l-.604-.302a1.125 1.125 0 0 0-1.298.21l-.132.131c-.439.44-.439 1.152 0 1.591l.296.296c.256.257.622.374.98.314l1.17-.195c.323-.054.654.036.905.245l1.33 1.108c.32.267.46.694.358 1.1a8.7 8.7 0 0 1-2.288 4.04l-.723.724a1.125 1.125 0 0 1-1.298.21l-.153-.076a1.125 1.125 0 0 1-.622-1.006v-1.089c0-.298-.119-.585-.33-.796l-1.347-1.347a1.125 1.125 0 0 1-.21-1.298L9.75 12l-1.64-1.64a6 6 0 0 1-1.676-3.257l-.172-1.03Z","clip-rule":"evenodd"})])}function Hn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M15.75 8.25a.75.75 0 0 1 .75.75c0 1.12-.492 2.126-1.27 2.812a.75.75 0 1 1-.992-1.124A2.243 2.243 0 0 0 15 9a.75.75 0 0 1 .75-.75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM4.575 15.6a8.25 8.25 0 0 0 9.348 4.425 1.966 1.966 0 0 0-1.84-1.275.983.983 0 0 1-.97-.822l-.073-.437c-.094-.565.25-1.11.8-1.267l.99-.282c.427-.123.783-.418.982-.816l.036-.073a1.453 1.453 0 0 1 2.328-.377L16.5 15h.628a2.25 2.25 0 0 1 1.983 1.186 8.25 8.25 0 0 0-6.345-12.4c.044.262.18.503.389.676l1.068.89c.442.369.535 1.01.216 1.49l-.51.766a2.25 2.25 0 0 1-1.161.886l-.143.048a1.107 1.107 0 0 0-.57 1.664c.369.555.169 1.307-.427 1.605L9 13.125l.423 1.059a.956.956 0 0 1-1.652.928l-.679-.906a1.125 1.125 0 0 0-1.906.172L4.575 15.6Z","clip-rule":"evenodd"})])}function Pn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM8.547 4.505a8.25 8.25 0 1 0 11.672 8.214l-.46-.46a2.252 2.252 0 0 1-.422-.586l-1.08-2.16a.414.414 0 0 0-.663-.107.827.827 0 0 1-.812.21l-1.273-.363a.89.89 0 0 0-.738 1.595l.587.39c.59.395.674 1.23.172 1.732l-.2.2c-.211.212-.33.498-.33.796v.41c0 .409-.11.809-.32 1.158l-1.315 2.191a2.11 2.11 0 0 1-1.81 1.025 1.055 1.055 0 0 1-1.055-1.055v-1.172c0-.92-.56-1.747-1.414-2.089l-.654-.261a2.25 2.25 0 0 1-1.384-2.46l.007-.042a2.25 2.25 0 0 1 .29-.787l.09-.15a2.25 2.25 0 0 1 2.37-1.048l1.178.236a1.125 1.125 0 0 0 1.302-.795l.208-.73a1.125 1.125 0 0 0-.578-1.315l-.665-.332-.091.091a2.25 2.25 0 0 1-1.591.659h-.18c-.249 0-.487.1-.662.274a.931.931 0 0 1-1.458-1.137l1.279-2.132Z","clip-rule":"evenodd"})])}function jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.243 3.743a.75.75 0 0 1 .75.75v6.75h9v-6.75a.75.75 0 1 1 1.5 0v15.002a.75.75 0 1 1-1.5 0v-6.751h-9v6.75a.75.75 0 1 1-1.5 0v-15a.75.75 0 0 1 .75-.75Zm17.605 4.964a.75.75 0 0 1 .396.661v9.376h1.5a.75.75 0 0 1 0 1.5h-4.5a.75.75 0 0 1 0-1.5h1.5V10.77l-1.084.722a.75.75 0 1 1-.832-1.248l2.25-1.5a.75.75 0 0 1 .77-.037Z","clip-rule":"evenodd"})])}function Fn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.246 3.743a.75.75 0 0 1 .75.75v6.75h9v-6.75a.75.75 0 0 1 1.5 0v15.002a.75.75 0 1 1-1.5 0v-6.751h-9v6.75a.75.75 0 1 1-1.5 0v-15a.75.75 0 0 1 .75-.75ZM18.75 10.5c-.727 0-1.441.054-2.138.16a.75.75 0 1 1-.223-1.484 15.867 15.867 0 0 1 3.635-.125c1.149.092 2.153.923 2.348 2.115.084.516.128 1.045.128 1.584 0 1.065-.676 1.927-1.531 2.354l-2.89 1.445a1.5 1.5 0 0 0-.829 1.342v.86h4.5a.75.75 0 1 1 0 1.5H16.5a.75.75 0 0 1-.75-.75v-1.61a3 3 0 0 1 1.659-2.684l2.89-1.445c.447-.223.701-.62.701-1.012a8.32 8.32 0 0 0-.108-1.342c-.075-.457-.47-.82-.987-.862a14.45 14.45 0 0 0-1.155-.046Z","clip-rule":"evenodd"})])}function zn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.749 3.743a.75.75 0 0 1 .75.75v15.002a.75.75 0 1 1-1.5 0v-6.75H2.997v6.75a.75.75 0 0 1-1.5 0V4.494a.75.75 0 1 1 1.5 0v6.75H12v-6.75a.75.75 0 0 1 .75-.75ZM18.75 10.5c-.727 0-1.441.055-2.139.16a.75.75 0 1 1-.223-1.483 15.87 15.87 0 0 1 3.82-.11c.95.088 1.926.705 2.168 1.794a5.265 5.265 0 0 1-.579 3.765 5.265 5.265 0 0 1 .578 3.765c-.24 1.088-1.216 1.706-2.167 1.793a15.942 15.942 0 0 1-3.82-.109.75.75 0 0 1 .223-1.483 14.366 14.366 0 0 0 3.46.099c.467-.043.773-.322.84-.624a3.768 3.768 0 0 0-.413-2.691H18a.75.75 0 0 1 0-1.5h2.498a3.768 3.768 0 0 0 .413-2.69c-.067-.303-.373-.582-.84-.625-.435-.04-.876-.06-1.321-.06Z","clip-rule":"evenodd"})])}function qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.5 1.875a1.125 1.125 0 0 1 2.25 0v8.219c.517.162 1.02.382 1.5.659V3.375a1.125 1.125 0 0 1 2.25 0v10.937a4.505 4.505 0 0 0-3.25 2.373 8.963 8.963 0 0 1 4-.935A.75.75 0 0 0 18 15v-2.266a3.368 3.368 0 0 1 .988-2.37 1.125 1.125 0 0 1 1.591 1.59 1.118 1.118 0 0 0-.329.79v3.006h-.005a6 6 0 0 1-1.752 4.007l-1.736 1.736a6 6 0 0 1-4.242 1.757H10.5a7.5 7.5 0 0 1-7.5-7.5V6.375a1.125 1.125 0 0 1 2.25 0v5.519c.46-.452.965-.832 1.5-1.141V3.375a1.125 1.125 0 0 1 2.25 0v6.526c.495-.1.997-.151 1.5-.151V1.875Z"})])}function Un(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M15.73 5.5h1.035A7.465 7.465 0 0 1 18 9.625a7.465 7.465 0 0 1-1.235 4.125h-.148c-.806 0-1.534.446-2.031 1.08a9.04 9.04 0 0 1-2.861 2.4c-.723.384-1.35.956-1.653 1.715a4.499 4.499 0 0 0-.322 1.672v.633A.75.75 0 0 1 9 22a2.25 2.25 0 0 1-2.25-2.25c0-1.152.26-2.243.723-3.218.266-.558-.107-1.282-.725-1.282H3.622c-1.026 0-1.945-.694-2.054-1.715A12.137 12.137 0 0 1 1.5 12.25c0-2.848.992-5.464 2.649-7.521C4.537 4.247 5.136 4 5.754 4H9.77a4.5 4.5 0 0 1 1.423.23l3.114 1.04a4.5 4.5 0 0 0 1.423.23ZM21.669 14.023c.536-1.362.831-2.845.831-4.398 0-1.22-.182-2.398-.52-3.507-.26-.85-1.084-1.368-1.973-1.368H19.1c-.445 0-.72.498-.523.898.591 1.2.924 2.55.924 3.977a8.958 8.958 0 0 1-1.302 4.666c-.245.403.028.959.5.959h1.053c.832 0 1.612-.453 1.918-1.227Z"})])}function $n(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M7.493 18.5c-.425 0-.82-.236-.975-.632A7.48 7.48 0 0 1 6 15.125c0-1.75.599-3.358 1.602-4.634.151-.192.373-.309.6-.397.473-.183.89-.514 1.212-.924a9.042 9.042 0 0 1 2.861-2.4c.723-.384 1.35-.956 1.653-1.715a4.498 4.498 0 0 0 .322-1.672V2.75A.75.75 0 0 1 15 2a2.25 2.25 0 0 1 2.25 2.25c0 1.152-.26 2.243-.723 3.218-.266.558.107 1.282.725 1.282h3.126c1.026 0 1.945.694 2.054 1.715.045.422.068.85.068 1.285a11.95 11.95 0 0 1-2.649 7.521c-.388.482-.987.729-1.605.729H14.23c-.483 0-.964-.078-1.423-.23l-3.114-1.04a4.501 4.501 0 0 0-1.423-.23h-.777ZM2.331 10.727a11.969 11.969 0 0 0-.831 4.398 12 12 0 0 0 .52 3.507C2.28 19.482 3.105 20 3.994 20H4.9c.445 0 .72-.498.523-.898a8.963 8.963 0 0 1-.924-3.977c0-1.708.476-3.305 1.302-4.666.245-.403-.028-.959-.5-.959H4.25c-.832 0-1.612.453-1.918 1.227Z"})])}function Wn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.097 1.515a.75.75 0 0 1 .589.882L10.666 7.5h4.47l1.079-5.397a.75.75 0 1 1 1.47.294L16.665 7.5h3.585a.75.75 0 0 1 0 1.5h-3.885l-1.2 6h3.585a.75.75 0 0 1 0 1.5h-3.885l-1.08 5.397a.75.75 0 1 1-1.47-.294l1.02-5.103h-4.47l-1.08 5.397a.75.75 0 1 1-1.47-.294l1.02-5.103H3.75a.75.75 0 0 1 0-1.5h3.885l1.2-6H5.25a.75.75 0 0 1 0-1.5h3.885l1.08-5.397a.75.75 0 0 1 .882-.588ZM10.365 9l-1.2 6h4.47l1.2-6h-4.47Z","clip-rule":"evenodd"})])}function Gn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"m11.645 20.91-.007-.003-.022-.012a15.247 15.247 0 0 1-.383-.218 25.18 25.18 0 0 1-4.244-3.17C4.688 15.36 2.25 12.174 2.25 8.25 2.25 5.322 4.714 3 7.688 3A5.5 5.5 0 0 1 12 5.052 5.5 5.5 0 0 1 16.313 3c2.973 0 5.437 2.322 5.437 5.25 0 3.925-2.438 7.111-4.739 9.256a25.175 25.175 0 0 1-4.244 3.17 15.247 15.247 0 0 1-.383.219l-.022.012-.007.004-.003.001a.752.752 0 0 1-.704 0l-.003-.001Z"})])}function Kn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M19.006 3.705a.75.75 0 1 0-.512-1.41L6 6.838V3a.75.75 0 0 0-.75-.75h-1.5A.75.75 0 0 0 3 3v4.93l-1.006.365a.75.75 0 0 0 .512 1.41l16.5-6Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.019 11.114 18 5.667v3.421l4.006 1.457a.75.75 0 1 1-.512 1.41l-.494-.18v8.475h.75a.75.75 0 0 1 0 1.5H2.25a.75.75 0 0 1 0-1.5H3v-9.129l.019-.007ZM18 20.25v-9.566l1.5.546v9.02H18Zm-9-6a.75.75 0 0 0-.75.75v4.5c0 .414.336.75.75.75h3a.75.75 0 0 0 .75-.75V15a.75.75 0 0 0-.75-.75H9Z","clip-rule":"evenodd"})])}function Yn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.47 3.841a.75.75 0 0 1 1.06 0l8.69 8.69a.75.75 0 1 0 1.06-1.061l-8.689-8.69a2.25 2.25 0 0 0-3.182 0l-8.69 8.69a.75.75 0 1 0 1.061 1.06l8.69-8.689Z"}),(0,r.createElementVNode)("path",{d:"m12 5.432 8.159 8.159c.03.03.06.058.091.086v6.198c0 1.035-.84 1.875-1.875 1.875H15a.75.75 0 0 1-.75-.75v-4.5a.75.75 0 0 0-.75-.75h-3a.75.75 0 0 0-.75.75V21a.75.75 0 0 1-.75.75H5.625a1.875 1.875 0 0 1-1.875-1.875v-6.198a2.29 2.29 0 0 0 .091-.086L12 5.432Z"})])}function Xn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 3.75a3 3 0 0 0-3 3v10.5a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3V6.75a3 3 0 0 0-3-3h-15Zm4.125 3a2.25 2.25 0 1 0 0 4.5 2.25 2.25 0 0 0 0-4.5Zm-3.873 8.703a4.126 4.126 0 0 1 7.746 0 .75.75 0 0 1-.351.92 7.47 7.47 0 0 1-3.522.877 7.47 7.47 0 0 1-3.522-.877.75.75 0 0 1-.351-.92ZM15 8.25a.75.75 0 0 0 0 1.5h3.75a.75.75 0 0 0 0-1.5H15ZM14.25 12a.75.75 0 0 1 .75-.75h3.75a.75.75 0 0 1 0 1.5H15a.75.75 0 0 1-.75-.75Zm.75 2.25a.75.75 0 0 0 0 1.5h3.75a.75.75 0 0 0 0-1.5H15Z","clip-rule":"evenodd"})])}function Jn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.478 5.559A1.5 1.5 0 0 1 6.912 4.5H9A.75.75 0 0 0 9 3H6.912a3 3 0 0 0-2.868 2.118l-2.411 7.838a3 3 0 0 0-.133.882V18a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3v-4.162c0-.299-.045-.596-.133-.882l-2.412-7.838A3 3 0 0 0 17.088 3H15a.75.75 0 0 0 0 1.5h2.088a1.5 1.5 0 0 1 1.434 1.059l2.213 7.191H17.89a3 3 0 0 0-2.684 1.658l-.256.513a1.5 1.5 0 0 1-1.342.829h-3.218a1.5 1.5 0 0 1-1.342-.83l-.256-.512a3 3 0 0 0-2.684-1.658H3.265l2.213-7.191Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25a.75.75 0 0 1 .75.75v6.44l1.72-1.72a.75.75 0 1 1 1.06 1.06l-3 3a.75.75 0 0 1-1.06 0l-3-3a.75.75 0 0 1 1.06-1.06l1.72 1.72V3a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function Qn(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 9.832v1.793c0 1.036.84 1.875 1.875 1.875h17.25c1.035 0 1.875-.84 1.875-1.875V9.832a3 3 0 0 0-.722-1.952l-3.285-3.832A3 3 0 0 0 16.215 3h-8.43a3 3 0 0 0-2.278 1.048L2.222 7.88A3 3 0 0 0 1.5 9.832ZM7.785 4.5a1.5 1.5 0 0 0-1.139.524L3.881 8.25h3.165a3 3 0 0 1 2.496 1.336l.164.246a1.5 1.5 0 0 0 1.248.668h2.092a1.5 1.5 0 0 0 1.248-.668l.164-.246a3 3 0 0 1 2.496-1.336h3.165l-2.765-3.226a1.5 1.5 0 0 0-1.139-.524h-8.43Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M2.813 15c-.725 0-1.313.588-1.313 1.313V18a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3v-1.688c0-.724-.588-1.312-1.313-1.312h-4.233a3 3 0 0 0-2.496 1.336l-.164.246a1.5 1.5 0 0 1-1.248.668h-2.092a1.5 1.5 0 0 1-1.248-.668l-.164-.246A3 3 0 0 0 7.046 15H2.812Z"})])}function er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.912 3a3 3 0 0 0-2.868 2.118l-2.411 7.838a3 3 0 0 0-.133.882V18a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3v-4.162c0-.299-.045-.596-.133-.882l-2.412-7.838A3 3 0 0 0 17.088 3H6.912Zm13.823 9.75-2.213-7.191A1.5 1.5 0 0 0 17.088 4.5H6.912a1.5 1.5 0 0 0-1.434 1.059L3.265 12.75H6.11a3 3 0 0 1 2.684 1.658l.256.513a1.5 1.5 0 0 0 1.342.829h3.218a1.5 1.5 0 0 0 1.342-.83l.256-.512a3 3 0 0 1 2.684-1.658h2.844Z","clip-rule":"evenodd"})])}function tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 12c0-5.385 4.365-9.75 9.75-9.75s9.75 4.365 9.75 9.75-4.365 9.75-9.75 9.75S2.25 17.385 2.25 12Zm8.706-1.442c1.146-.573 2.437.463 2.126 1.706l-.709 2.836.042-.02a.75.75 0 0 1 .67 1.34l-.04.022c-1.147.573-2.438-.463-2.127-1.706l.71-2.836-.042.02a.75.75 0 1 1-.671-1.34l.041-.022ZM12 9a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.497 3.744a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5h-3.275l-5.357 15.002h2.632a.75.75 0 1 1 0 1.5h-7.5a.75.75 0 1 1 0-1.5h3.275l5.357-15.002h-2.632a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.75 1.5a6.75 6.75 0 0 0-6.651 7.906c.067.39-.032.717-.221.906l-6.5 6.499a3 3 0 0 0-.878 2.121v2.818c0 .414.336.75.75.75H6a.75.75 0 0 0 .75-.75v-1.5h1.5A.75.75 0 0 0 9 19.5V18h1.5a.75.75 0 0 0 .53-.22l2.658-2.658c.19-.189.517-.288.906-.22A6.75 6.75 0 1 0 15.75 1.5Zm0 3a.75.75 0 0 0 0 1.5A2.25 2.25 0 0 1 18 8.25a.75.75 0 0 0 1.5 0 3.75 3.75 0 0 0-3.75-3.75Z","clip-rule":"evenodd"})])}function or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9 2.25a.75.75 0 0 1 .75.75v1.506a49.384 49.384 0 0 1 5.343.371.75.75 0 1 1-.186 1.489c-.66-.083-1.323-.151-1.99-.206a18.67 18.67 0 0 1-2.97 6.323c.318.384.65.753 1 1.107a.75.75 0 0 1-1.07 1.052A18.902 18.902 0 0 1 9 13.687a18.823 18.823 0 0 1-5.656 4.482.75.75 0 0 1-.688-1.333 17.323 17.323 0 0 0 5.396-4.353A18.72 18.72 0 0 1 5.89 8.598a.75.75 0 0 1 1.388-.568A17.21 17.21 0 0 0 9 11.224a17.168 17.168 0 0 0 2.391-5.165 48.04 48.04 0 0 0-8.298.307.75.75 0 0 1-.186-1.489 49.159 49.159 0 0 1 5.343-.371V3A.75.75 0 0 1 9 2.25ZM15.75 9a.75.75 0 0 1 .68.433l5.25 11.25a.75.75 0 1 1-1.36.634l-1.198-2.567h-6.744l-1.198 2.567a.75.75 0 0 1-1.36-.634l5.25-11.25A.75.75 0 0 1 15.75 9Zm-2.672 8.25h5.344l-2.672-5.726-2.672 5.726Z","clip-rule":"evenodd"})])}function ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.449 8.448 16.388 11a4.52 4.52 0 0 1 0 2.002l3.061 2.55a8.275 8.275 0 0 0 0-7.103ZM15.552 19.45 13 16.388a4.52 4.52 0 0 1-2.002 0l-2.55 3.061a8.275 8.275 0 0 0 7.103 0ZM4.55 15.552 7.612 13a4.52 4.52 0 0 1 0-2.002L4.551 8.45a8.275 8.275 0 0 0 0 7.103ZM8.448 4.55 11 7.612a4.52 4.52 0 0 1 2.002 0l2.55-3.061a8.275 8.275 0 0 0-7.103 0Zm8.657-.86a9.776 9.776 0 0 1 1.79 1.415 9.776 9.776 0 0 1 1.414 1.788 9.764 9.764 0 0 1 0 10.211 9.777 9.777 0 0 1-1.415 1.79 9.777 9.777 0 0 1-1.788 1.414 9.764 9.764 0 0 1-10.212 0 9.776 9.776 0 0 1-1.788-1.415 9.776 9.776 0 0 1-1.415-1.788 9.764 9.764 0 0 1 0-10.212 9.774 9.774 0 0 1 1.415-1.788A9.774 9.774 0 0 1 6.894 3.69a9.764 9.764 0 0 1 10.211 0ZM14.121 9.88a2.985 2.985 0 0 0-1.11-.704 3.015 3.015 0 0 0-2.022 0 2.985 2.985 0 0 0-1.11.704c-.326.325-.56.705-.704 1.11a3.015 3.015 0 0 0 0 2.022c.144.405.378.785.704 1.11.325.326.705.56 1.11.704.652.233 1.37.233 2.022 0a2.985 2.985 0 0 0 1.11-.704c.326-.325.56-.705.704-1.11a3.016 3.016 0 0 0 0-2.022 2.985 2.985 0 0 0-.704-1.11Z","clip-rule":"evenodd"})])}function ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 .75a8.25 8.25 0 0 0-4.135 15.39c.686.398 1.115 1.008 1.134 1.623a.75.75 0 0 0 .577.706c.352.083.71.148 1.074.195.323.041.6-.218.6-.544v-4.661a6.714 6.714 0 0 1-.937-.171.75.75 0 1 1 .374-1.453 5.261 5.261 0 0 0 2.626 0 .75.75 0 1 1 .374 1.452 6.712 6.712 0 0 1-.937.172v4.66c0 .327.277.586.6.545.364-.047.722-.112 1.074-.195a.75.75 0 0 0 .577-.706c.02-.615.448-1.225 1.134-1.623A8.25 8.25 0 0 0 12 .75Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.013 19.9a.75.75 0 0 1 .877-.597 11.319 11.319 0 0 0 4.22 0 .75.75 0 1 1 .28 1.473 12.819 12.819 0 0 1-4.78 0 .75.75 0 0 1-.597-.876ZM9.754 22.344a.75.75 0 0 1 .824-.668 13.682 13.682 0 0 0 2.844 0 .75.75 0 1 1 .156 1.492 15.156 15.156 0 0 1-3.156 0 .75.75 0 0 1-.668-.824Z","clip-rule":"evenodd"})])}function lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.892 4.09a3.75 3.75 0 0 0-5.303 0l-4.5 4.5c-.074.074-.144.15-.21.229l4.965 4.966a3.75 3.75 0 0 0-1.986-4.428.75.75 0 0 1 .646-1.353 5.253 5.253 0 0 1 2.502 6.944l5.515 5.515a.75.75 0 0 1-1.061 1.06l-18-18.001A.75.75 0 0 1 3.521 2.46l5.294 5.295a5.31 5.31 0 0 1 .213-.227l4.5-4.5a5.25 5.25 0 1 1 7.425 7.425l-1.757 1.757a.75.75 0 1 1-1.06-1.06l1.756-1.757a3.75 3.75 0 0 0 0-5.304ZM5.846 11.773a.75.75 0 0 1 0 1.06l-1.757 1.758a3.75 3.75 0 0 0 5.303 5.304l3.129-3.13a.75.75 0 1 1 1.06 1.061l-3.128 3.13a5.25 5.25 0 1 1-7.425-7.426l1.757-1.757a.75.75 0 0 1 1.061 0Zm2.401.26a.75.75 0 0 1 .957.458c.18.512.474.992.885 1.403.31.311.661.555 1.035.733a.75.75 0 0 1-.647 1.354 5.244 5.244 0 0 1-1.449-1.026 5.232 5.232 0 0 1-1.24-1.965.75.75 0 0 1 .46-.957Z","clip-rule":"evenodd"})])}function sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.902 4.098a3.75 3.75 0 0 0-5.304 0l-4.5 4.5a3.75 3.75 0 0 0 1.035 6.037.75.75 0 0 1-.646 1.353 5.25 5.25 0 0 1-1.449-8.45l4.5-4.5a5.25 5.25 0 1 1 7.424 7.424l-1.757 1.757a.75.75 0 1 1-1.06-1.06l1.757-1.757a3.75 3.75 0 0 0 0-5.304Zm-7.389 4.267a.75.75 0 0 1 1-.353 5.25 5.25 0 0 1 1.449 8.45l-4.5 4.5a5.25 5.25 0 1 1-7.424-7.424l1.757-1.757a.75.75 0 1 1 1.06 1.06l-1.757 1.757a3.75 3.75 0 1 0 5.304 5.304l4.5-4.5a3.75 3.75 0 0 0-1.035-6.037.75.75 0 0 1-.354-1Z","clip-rule":"evenodd"})])}function cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.625 6.75a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Zm4.875 0A.75.75 0 0 1 8.25 6h12a.75.75 0 0 1 0 1.5h-12a.75.75 0 0 1-.75-.75ZM2.625 12a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0ZM7.5 12a.75.75 0 0 1 .75-.75h12a.75.75 0 0 1 0 1.5h-12A.75.75 0 0 1 7.5 12Zm-4.875 5.25a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Zm4.875 0a.75.75 0 0 1 .75-.75h12a.75.75 0 0 1 0 1.5h-12a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 1.5a5.25 5.25 0 0 0-5.25 5.25v3a3 3 0 0 0-3 3v6.75a3 3 0 0 0 3 3h10.5a3 3 0 0 0 3-3v-6.75a3 3 0 0 0-3-3v-3c0-2.9-2.35-5.25-5.25-5.25Zm3.75 8.25v-3a3.75 3.75 0 1 0-7.5 0v3h7.5Z","clip-rule":"evenodd"})])}function dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M18 1.5c2.9 0 5.25 2.35 5.25 5.25v3.75a.75.75 0 0 1-1.5 0V6.75a3.75 3.75 0 1 0-7.5 0v3a3 3 0 0 1 3 3v6.75a3 3 0 0 1-3 3H3.75a3 3 0 0 1-3-3v-6.75a3 3 0 0 1 3-3h9v-3c0-2.9 2.35-5.25 5.25-5.25Z"})])}function hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.25 10.875a2.625 2.625 0 1 1 5.25 0 2.625 2.625 0 0 1-5.25 0Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm-1.125 4.5a4.125 4.125 0 1 0 2.338 7.524l2.007 2.006a.75.75 0 1 0 1.06-1.06l-2.006-2.007a4.125 4.125 0 0 0-3.399-6.463Z","clip-rule":"evenodd"})])}function pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 3.75a6.75 6.75 0 1 0 0 13.5 6.75 6.75 0 0 0 0-13.5ZM2.25 10.5a8.25 8.25 0 1 1 14.59 5.28l4.69 4.69a.75.75 0 1 1-1.06 1.06l-4.69-4.69A8.25 8.25 0 0 1 2.25 10.5Zm4.5 0a.75.75 0 0 1 .75-.75h6a.75.75 0 0 1 0 1.5h-6a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 3.75a6.75 6.75 0 1 0 0 13.5 6.75 6.75 0 0 0 0-13.5ZM2.25 10.5a8.25 8.25 0 1 1 14.59 5.28l4.69 4.69a.75.75 0 1 1-1.06 1.06l-4.69-4.69A8.25 8.25 0 0 1 2.25 10.5Zm8.25-3.75a.75.75 0 0 1 .75.75v2.25h2.25a.75.75 0 0 1 0 1.5h-2.25v2.25a.75.75 0 0 1-1.5 0v-2.25H7.5a.75.75 0 0 1 0-1.5h2.25V7.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.5 3.75a6.75 6.75 0 1 0 0 13.5 6.75 6.75 0 0 0 0-13.5ZM2.25 10.5a8.25 8.25 0 1 1 14.59 5.28l4.69 4.69a.75.75 0 1 1-1.06 1.06l-4.69-4.69A8.25 8.25 0 0 1 2.25 10.5Z","clip-rule":"evenodd"})])}function vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m11.54 22.351.07.04.028.016a.76.76 0 0 0 .723 0l.028-.015.071-.041a16.975 16.975 0 0 0 1.144-.742 19.58 19.58 0 0 0 2.683-2.282c1.944-1.99 3.963-4.98 3.963-8.827a8.25 8.25 0 0 0-16.5 0c0 3.846 2.02 6.837 3.963 8.827a19.58 19.58 0 0 0 2.682 2.282 16.975 16.975 0 0 0 1.145.742ZM12 13.5a3 3 0 1 0 0-6 3 3 0 0 0 0 6Z","clip-rule":"evenodd"})])}function gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.161 2.58a1.875 1.875 0 0 1 1.678 0l4.993 2.498c.106.052.23.052.336 0l3.869-1.935A1.875 1.875 0 0 1 21.75 4.82v12.485c0 .71-.401 1.36-1.037 1.677l-4.875 2.437a1.875 1.875 0 0 1-1.676 0l-4.994-2.497a.375.375 0 0 0-.336 0l-3.868 1.935A1.875 1.875 0 0 1 2.25 19.18V6.695c0-.71.401-1.36 1.036-1.677l4.875-2.437ZM9 6a.75.75 0 0 1 .75.75V15a.75.75 0 0 1-1.5 0V6.75A.75.75 0 0 1 9 6Zm6.75 3a.75.75 0 0 0-1.5 0v8.25a.75.75 0 0 0 1.5 0V9Z","clip-rule":"evenodd"})])}function wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M16.881 4.345A23.112 23.112 0 0 1 8.25 6H7.5a5.25 5.25 0 0 0-.88 10.427 21.593 21.593 0 0 0 1.378 3.94c.464 1.004 1.674 1.32 2.582.796l.657-.379c.88-.508 1.165-1.593.772-2.468a17.116 17.116 0 0 1-.628-1.607c1.918.258 3.76.75 5.5 1.446A21.727 21.727 0 0 0 18 11.25c0-2.414-.393-4.735-1.119-6.905ZM18.26 3.74a23.22 23.22 0 0 1 1.24 7.51 23.22 23.22 0 0 1-1.41 7.992.75.75 0 1 0 1.409.516 24.555 24.555 0 0 0 1.415-6.43 2.992 2.992 0 0 0 .836-2.078c0-.807-.319-1.54-.836-2.078a24.65 24.65 0 0 0-1.415-6.43.75.75 0 1 0-1.409.516c.059.16.116.321.17.483Z"})])}function yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M8.25 4.5a3.75 3.75 0 1 1 7.5 0v8.25a3.75 3.75 0 1 1-7.5 0V4.5Z"}),(0,r.createElementVNode)("path",{d:"M6 10.5a.75.75 0 0 1 .75.75v1.5a5.25 5.25 0 1 0 10.5 0v-1.5a.75.75 0 0 1 1.5 0v1.5a6.751 6.751 0 0 1-6 6.709v2.291h3a.75.75 0 0 1 0 1.5h-7.5a.75.75 0 0 1 0-1.5h3v-2.291a6.751 6.751 0 0 1-6-6.709v-1.5A.75.75 0 0 1 6 10.5Z"})])}function br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm3 10.5a.75.75 0 0 0 0-1.5H9a.75.75 0 0 0 0 1.5h6Z","clip-rule":"evenodd"})])}function xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 12a.75.75 0 0 1 .75-.75h12a.75.75 0 0 1 0 1.5H6a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.25 12a.75.75 0 0 1 .75-.75h14a.75.75 0 0 1 0 1.5H5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function Er(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.528 1.718a.75.75 0 0 1 .162.819A8.97 8.97 0 0 0 9 6a9 9 0 0 0 9 9 8.97 8.97 0 0 0 3.463-.69.75.75 0 0 1 .981.98 10.503 10.503 0 0 1-9.694 6.46c-5.799 0-10.5-4.7-10.5-10.5 0-4.368 2.667-8.112 6.46-9.694a.75.75 0 0 1 .818.162Z","clip-rule":"evenodd"})])}function Ar(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.952 1.651a.75.75 0 0 1 .298.599V16.303a3 3 0 0 1-2.176 2.884l-1.32.377a2.553 2.553 0 1 1-1.403-4.909l2.311-.66a1.5 1.5 0 0 0 1.088-1.442V6.994l-9 2.572v9.737a3 3 0 0 1-2.176 2.884l-1.32.377a2.553 2.553 0 1 1-1.402-4.909l2.31-.66a1.5 1.5 0 0 0 1.088-1.442V5.25a.75.75 0 0 1 .544-.721l10.5-3a.75.75 0 0 1 .658.122Z","clip-rule":"evenodd"})])}function Cr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.125 3C3.089 3 2.25 3.84 2.25 4.875V18a3 3 0 0 0 3 3h15a3 3 0 0 1-3-3V4.875C17.25 3.839 16.41 3 15.375 3H4.125ZM12 9.75a.75.75 0 0 0 0 1.5h1.5a.75.75 0 0 0 0-1.5H12Zm-.75-2.25a.75.75 0 0 1 .75-.75h1.5a.75.75 0 0 1 0 1.5H12a.75.75 0 0 1-.75-.75ZM6 12.75a.75.75 0 0 0 0 1.5h7.5a.75.75 0 0 0 0-1.5H6Zm-.75 3.75a.75.75 0 0 1 .75-.75h7.5a.75.75 0 0 1 0 1.5H6a.75.75 0 0 1-.75-.75ZM6 6.75a.75.75 0 0 0-.75.75v3c0 .414.336.75.75.75h3a.75.75 0 0 0 .75-.75v-3A.75.75 0 0 0 9 6.75H6Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M18.75 6.75h1.875c.621 0 1.125.504 1.125 1.125V18a1.5 1.5 0 0 1-3 0V6.75Z"})])}function Br(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m6.72 5.66 11.62 11.62A8.25 8.25 0 0 0 6.72 5.66Zm10.56 12.68L5.66 6.72a8.25 8.25 0 0 0 11.62 11.62ZM5.105 5.106c3.807-3.808 9.98-3.808 13.788 0 3.808 3.807 3.808 9.98 0 13.788-3.807 3.808-9.98 3.808-13.788 0-3.808-3.807-3.808-9.98 0-13.788Z","clip-rule":"evenodd"})])}function Mr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.491 5.992a.75.75 0 0 1 .75-.75h12a.75.75 0 1 1 0 1.5h-12a.75.75 0 0 1-.75-.75ZM7.49 11.995a.75.75 0 0 1 .75-.75h12a.75.75 0 0 1 0 1.5h-12a.75.75 0 0 1-.75-.75ZM7.491 17.994a.75.75 0 0 1 .75-.75h12a.75.75 0 1 1 0 1.5h-12a.75.75 0 0 1-.75-.75ZM2.24 3.745a.75.75 0 0 1 .75-.75h1.125a.75.75 0 0 1 .75.75v3h.375a.75.75 0 0 1 0 1.5H2.99a.75.75 0 0 1 0-1.5h.375v-2.25H2.99a.75.75 0 0 1-.75-.75ZM2.79 10.602a.75.75 0 0 1 0-1.06 1.875 1.875 0 1 1 2.652 2.651l-.55.55h.35a.75.75 0 0 1 0 1.5h-2.16a.75.75 0 0 1-.53-1.281l1.83-1.83a.375.375 0 0 0-.53-.53.75.75 0 0 1-1.062 0ZM2.24 15.745a.75.75 0 0 1 .75-.75h1.125a1.875 1.875 0 0 1 1.501 2.999 1.875 1.875 0 0 1-1.501 3H2.99a.75.75 0 0 1 0-1.501h1.125a.375.375 0 0 0 .036-.748H3.74a.75.75 0 0 1-.75-.75v-.002a.75.75 0 0 1 .75-.75h.411a.375.375 0 0 0-.036-.748H2.99a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function _r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.599 1.5c-.376 0-.743.111-1.055.32l-5.08 3.385a18.747 18.747 0 0 0-3.471 2.987 10.04 10.04 0 0 1 4.815 4.815 18.748 18.748 0 0 0 2.987-3.472l3.386-5.079A1.902 1.902 0 0 0 20.599 1.5Zm-8.3 14.025a18.76 18.76 0 0 0 1.896-1.207 8.026 8.026 0 0 0-4.513-4.513A18.75 18.75 0 0 0 8.475 11.7l-.278.5a5.26 5.26 0 0 1 3.601 3.602l.502-.278ZM6.75 13.5A3.75 3.75 0 0 0 3 17.25a1.5 1.5 0 0 1-1.601 1.497.75.75 0 0 0-.7 1.123 5.25 5.25 0 0 0 9.8-2.62 3.75 3.75 0 0 0-3.75-3.75Z","clip-rule":"evenodd"})])}function Sr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.478 2.404a.75.75 0 0 0-.926.941l2.432 7.905H13.5a.75.75 0 0 1 0 1.5H4.984l-2.432 7.905a.75.75 0 0 0 .926.94 60.519 60.519 0 0 0 18.445-8.986.75.75 0 0 0 0-1.218A60.517 60.517 0 0 0 3.478 2.404Z"})])}function Nr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18.97 3.659a2.25 2.25 0 0 0-3.182 0l-10.94 10.94a3.75 3.75 0 1 0 5.304 5.303l7.693-7.693a.75.75 0 0 1 1.06 1.06l-7.693 7.693a5.25 5.25 0 1 1-7.424-7.424l10.939-10.94a3.75 3.75 0 1 1 5.303 5.304L9.097 18.835l-.008.008-.007.007-.002.002-.003.002A2.25 2.25 0 0 1 5.91 15.66l7.81-7.81a.75.75 0 0 1 1.061 1.06l-7.81 7.81a.75.75 0 0 0 1.054 1.068L18.97 6.84a2.25 2.25 0 0 0 0-3.182Z","clip-rule":"evenodd"})])}function Vr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 12c0-5.385 4.365-9.75 9.75-9.75s9.75 4.365 9.75 9.75-4.365 9.75-9.75 9.75S2.25 17.385 2.25 12ZM9 8.25a.75.75 0 0 0-.75.75v6c0 .414.336.75.75.75h.75a.75.75 0 0 0 .75-.75V9a.75.75 0 0 0-.75-.75H9Zm5.25 0a.75.75 0 0 0-.75.75v6c0 .414.336.75.75.75H15a.75.75 0 0 0 .75-.75V9a.75.75 0 0 0-.75-.75h-.75Z","clip-rule":"evenodd"})])}function Lr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.75 5.25a.75.75 0 0 1 .75-.75H9a.75.75 0 0 1 .75.75v13.5a.75.75 0 0 1-.75.75H7.5a.75.75 0 0 1-.75-.75V5.25Zm7.5 0A.75.75 0 0 1 15 4.5h1.5a.75.75 0 0 1 .75.75v13.5a.75.75 0 0 1-.75.75H15a.75.75 0 0 1-.75-.75V5.25Z","clip-rule":"evenodd"})])}function Tr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M21.731 2.269a2.625 2.625 0 0 0-3.712 0l-1.157 1.157 3.712 3.712 1.157-1.157a2.625 2.625 0 0 0 0-3.712ZM19.513 8.199l-3.712-3.712-8.4 8.4a5.25 5.25 0 0 0-1.32 2.214l-.8 2.685a.75.75 0 0 0 .933.933l2.685-.8a5.25 5.25 0 0 0 2.214-1.32l8.4-8.4Z"}),(0,r.createElementVNode)("path",{d:"M5.25 5.25a3 3 0 0 0-3 3v10.5a3 3 0 0 0 3 3h10.5a3 3 0 0 0 3-3V13.5a.75.75 0 0 0-1.5 0v5.25a1.5 1.5 0 0 1-1.5 1.5H5.25a1.5 1.5 0 0 1-1.5-1.5V8.25a1.5 1.5 0 0 1 1.5-1.5h5.25a.75.75 0 0 0 0-1.5H5.25Z"})])}function Ir(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M21.731 2.269a2.625 2.625 0 0 0-3.712 0l-1.157 1.157 3.712 3.712 1.157-1.157a2.625 2.625 0 0 0 0-3.712ZM19.513 8.199l-3.712-3.712-12.15 12.15a5.25 5.25 0 0 0-1.32 2.214l-.8 2.685a.75.75 0 0 0 .933.933l2.685-.8a5.25 5.25 0 0 0 2.214-1.32L19.513 8.2Z"})])}function Zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.99 2.243a4.49 4.49 0 0 0-3.398 1.55 4.49 4.49 0 0 0-3.497 1.306 4.491 4.491 0 0 0-1.307 3.498 4.491 4.491 0 0 0-1.548 3.397c0 1.357.6 2.573 1.548 3.397a4.491 4.491 0 0 0 1.307 3.498 4.49 4.49 0 0 0 3.498 1.307 4.49 4.49 0 0 0 3.397 1.549 4.49 4.49 0 0 0 3.397-1.549 4.49 4.49 0 0 0 3.497-1.307 4.491 4.491 0 0 0 1.306-3.497 4.491 4.491 0 0 0 1.55-3.398c0-1.357-.601-2.573-1.549-3.397a4.491 4.491 0 0 0-1.307-3.498 4.49 4.49 0 0 0-3.498-1.307 4.49 4.49 0 0 0-3.396-1.549Zm3.53 7.28a.75.75 0 0 0-1.06-1.06l-6 6a.75.75 0 1 0 1.06 1.06l6-6Zm-5.78-.905a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25Zm4.5 4.5a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25Z","clip-rule":"evenodd"})])}function Or(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.5 9.75a.75.75 0 0 1-.75.75h-4.5a.75.75 0 0 1-.75-.75v-4.5a.75.75 0 0 1 1.5 0v2.69l4.72-4.72a.75.75 0 1 1 1.06 1.06L16.06 9h2.69a.75.75 0 0 1 .75.75Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 4.5a3 3 0 0 1 3-3h1.372c.86 0 1.61.586 1.819 1.42l1.105 4.423a1.875 1.875 0 0 1-.694 1.955l-1.293.97c-.135.101-.164.249-.126.352a11.285 11.285 0 0 0 6.697 6.697c.103.038.25.009.352-.126l.97-1.293a1.875 1.875 0 0 1 1.955-.694l4.423 1.105c.834.209 1.42.959 1.42 1.82V19.5a3 3 0 0 1-3 3h-2.25C8.552 22.5 1.5 15.448 1.5 6.75V4.5Z","clip-rule":"evenodd"})])}function Dr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15 3.75a.75.75 0 0 1 .75-.75h4.5a.75.75 0 0 1 .75.75v4.5a.75.75 0 0 1-1.5 0V5.56l-4.72 4.72a.75.75 0 1 1-1.06-1.06l4.72-4.72h-2.69a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 4.5a3 3 0 0 1 3-3h1.372c.86 0 1.61.586 1.819 1.42l1.105 4.423a1.875 1.875 0 0 1-.694 1.955l-1.293.97c-.135.101-.164.249-.126.352a11.285 11.285 0 0 0 6.697 6.697c.103.038.25.009.352-.126l.97-1.293a1.875 1.875 0 0 1 1.955-.694l4.423 1.105c.834.209 1.42.959 1.42 1.82V19.5a3 3 0 0 1-3 3h-2.25C8.552 22.5 1.5 15.448 1.5 6.75V4.5Z","clip-rule":"evenodd"})])}function Rr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.22 3.22a.75.75 0 0 1 1.06 0L18 4.94l1.72-1.72a.75.75 0 1 1 1.06 1.06L19.06 6l1.72 1.72a.75.75 0 0 1-1.06 1.06L18 7.06l-1.72 1.72a.75.75 0 1 1-1.06-1.06L16.94 6l-1.72-1.72a.75.75 0 0 1 0-1.06ZM1.5 4.5a3 3 0 0 1 3-3h1.372c.86 0 1.61.586 1.819 1.42l1.105 4.423a1.875 1.875 0 0 1-.694 1.955l-1.293.97c-.135.101-.164.249-.126.352a11.285 11.285 0 0 0 6.697 6.697c.103.038.25.009.352-.126l.97-1.293a1.875 1.875 0 0 1 1.955-.694l4.423 1.105c.834.209 1.42.959 1.42 1.82V19.5a3 3 0 0 1-3 3h-2.25C8.552 22.5 1.5 15.448 1.5 6.75V4.5Z","clip-rule":"evenodd"})])}function Hr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 4.5a3 3 0 0 1 3-3h1.372c.86 0 1.61.586 1.819 1.42l1.105 4.423a1.875 1.875 0 0 1-.694 1.955l-1.293.97c-.135.101-.164.249-.126.352a11.285 11.285 0 0 0 6.697 6.697c.103.038.25.009.352-.126l.97-1.293a1.875 1.875 0 0 1 1.955-.694l4.423 1.105c.834.209 1.42.959 1.42 1.82V19.5a3 3 0 0 1-3 3h-2.25C8.552 22.5 1.5 15.448 1.5 6.75V4.5Z","clip-rule":"evenodd"})])}function Pr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 6a2.25 2.25 0 0 1 2.25-2.25h16.5A2.25 2.25 0 0 1 22.5 6v12a2.25 2.25 0 0 1-2.25 2.25H3.75A2.25 2.25 0 0 1 1.5 18V6ZM3 16.06V18c0 .414.336.75.75.75h16.5A.75.75 0 0 0 21 18v-1.94l-2.69-2.689a1.5 1.5 0 0 0-2.12 0l-.88.879.97.97a.75.75 0 1 1-1.06 1.06l-5.16-5.159a1.5 1.5 0 0 0-2.12 0L3 16.061Zm10.125-7.81a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Z","clip-rule":"evenodd"})])}function jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 12c0-5.385 4.365-9.75 9.75-9.75s9.75 4.365 9.75 9.75-4.365 9.75-9.75 9.75S2.25 17.385 2.25 12Zm14.024-.983a1.125 1.125 0 0 1 0 1.966l-5.603 3.113A1.125 1.125 0 0 1 9 15.113V8.887c0-.857.921-1.4 1.671-.983l5.603 3.113Z","clip-rule":"evenodd"})])}function Fr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M15 6.75a.75.75 0 0 0-.75.75V18a.75.75 0 0 0 .75.75h.75a.75.75 0 0 0 .75-.75V7.5a.75.75 0 0 0-.75-.75H15ZM20.25 6.75a.75.75 0 0 0-.75.75V18c0 .414.336.75.75.75H21a.75.75 0 0 0 .75-.75V7.5a.75.75 0 0 0-.75-.75h-.75ZM5.055 7.06C3.805 6.347 2.25 7.25 2.25 8.69v8.122c0 1.44 1.555 2.343 2.805 1.628l7.108-4.061c1.26-.72 1.26-2.536 0-3.256L5.055 7.061Z"})])}function zr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 5.653c0-1.427 1.529-2.33 2.779-1.643l11.54 6.347c1.295.712 1.295 2.573 0 3.286L7.28 19.99c-1.25.687-2.779-.217-2.779-1.643V5.653Z","clip-rule":"evenodd"})])}function qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25ZM12.75 9a.75.75 0 0 0-1.5 0v2.25H9a.75.75 0 0 0 0 1.5h2.25V15a.75.75 0 0 0 1.5 0v-2.25H15a.75.75 0 0 0 0-1.5h-2.25V9Z","clip-rule":"evenodd"})])}function Ur(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 5.25a.75.75 0 0 1 .75.75v5.25H18a.75.75 0 0 1 0 1.5h-5.25V18a.75.75 0 0 1-1.5 0v-5.25H6a.75.75 0 0 1 0-1.5h5.25V6a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function $r(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 3.75a.75.75 0 0 1 .75.75v6.75h6.75a.75.75 0 0 1 0 1.5h-6.75v6.75a.75.75 0 0 1-1.5 0v-6.75H4.5a.75.75 0 0 1 0-1.5h6.75V4.5a.75.75 0 0 1 .75-.75Z","clip-rule":"evenodd"})])}function Wr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25a.75.75 0 0 1 .75.75v9a.75.75 0 0 1-1.5 0V3a.75.75 0 0 1 .75-.75ZM6.166 5.106a.75.75 0 0 1 0 1.06 8.25 8.25 0 1 0 11.668 0 .75.75 0 1 1 1.06-1.06c3.808 3.807 3.808 9.98 0 13.788-3.807 3.808-9.98 3.808-13.788 0-3.808-3.807-3.808-9.98 0-13.788a.75.75 0 0 1 1.06 0Z","clip-rule":"evenodd"})])}function Gr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 2.25a.75.75 0 0 0 0 1.5H3v10.5a3 3 0 0 0 3 3h1.21l-1.172 3.513a.75.75 0 0 0 1.424.474l.329-.987h8.418l.33.987a.75.75 0 0 0 1.422-.474l-1.17-3.513H18a3 3 0 0 0 3-3V3.75h.75a.75.75 0 0 0 0-1.5H2.25Zm6.04 16.5.5-1.5h6.42l.5 1.5H8.29Zm7.46-12a.75.75 0 0 0-1.5 0v6a.75.75 0 0 0 1.5 0v-6Zm-3 2.25a.75.75 0 0 0-1.5 0v3.75a.75.75 0 0 0 1.5 0V9Zm-3 2.25a.75.75 0 0 0-1.5 0v1.5a.75.75 0 0 0 1.5 0v-1.5Z","clip-rule":"evenodd"})])}function Kr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 2.25a.75.75 0 0 0 0 1.5H3v10.5a3 3 0 0 0 3 3h1.21l-1.172 3.513a.75.75 0 0 0 1.424.474l.329-.987h8.418l.33.987a.75.75 0 0 0 1.422-.474l-1.17-3.513H18a3 3 0 0 0 3-3V3.75h.75a.75.75 0 0 0 0-1.5H2.25Zm6.54 15h6.42l.5 1.5H8.29l.5-1.5Zm8.085-8.995a.75.75 0 1 0-.75-1.299 12.81 12.81 0 0 0-3.558 3.05L11.03 8.47a.75.75 0 0 0-1.06 0l-3 3a.75.75 0 1 0 1.06 1.06l2.47-2.47 1.617 1.618a.75.75 0 0 0 1.146-.102 11.312 11.312 0 0 1 3.612-3.321Z","clip-rule":"evenodd"})])}function Yr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.875 1.5C6.839 1.5 6 2.34 6 3.375v2.99c-.426.053-.851.11-1.274.174-1.454.218-2.476 1.483-2.476 2.917v6.294a3 3 0 0 0 3 3h.27l-.155 1.705A1.875 1.875 0 0 0 7.232 22.5h9.536a1.875 1.875 0 0 0 1.867-2.045l-.155-1.705h.27a3 3 0 0 0 3-3V9.456c0-1.434-1.022-2.7-2.476-2.917A48.716 48.716 0 0 0 18 6.366V3.375c0-1.036-.84-1.875-1.875-1.875h-8.25ZM16.5 6.205v-2.83A.375.375 0 0 0 16.125 3h-8.25a.375.375 0 0 0-.375.375v2.83a49.353 49.353 0 0 1 9 0Zm-.217 8.265c.178.018.317.16.333.337l.526 5.784a.375.375 0 0 1-.374.409H7.232a.375.375 0 0 1-.374-.409l.526-5.784a.373.373 0 0 1 .333-.337 41.741 41.741 0 0 1 8.566 0Zm.967-3.97a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H18a.75.75 0 0 1-.75-.75V10.5ZM15 9.75a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V10.5a.75.75 0 0 0-.75-.75H15Z","clip-rule":"evenodd"})])}function Xr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.25 5.337c0-.355-.186-.676-.401-.959a1.647 1.647 0 0 1-.349-1.003c0-1.036 1.007-1.875 2.25-1.875S15 2.34 15 3.375c0 .369-.128.713-.349 1.003-.215.283-.401.604-.401.959 0 .332.278.598.61.578 1.91-.114 3.79-.342 5.632-.676a.75.75 0 0 1 .878.645 49.17 49.17 0 0 1 .376 5.452.657.657 0 0 1-.66.664c-.354 0-.675-.186-.958-.401a1.647 1.647 0 0 0-1.003-.349c-1.035 0-1.875 1.007-1.875 2.25s.84 2.25 1.875 2.25c.369 0 .713-.128 1.003-.349.283-.215.604-.401.959-.401.31 0 .557.262.534.571a48.774 48.774 0 0 1-.595 4.845.75.75 0 0 1-.61.61c-1.82.317-3.673.533-5.555.642a.58.58 0 0 1-.611-.581c0-.355.186-.676.401-.959.221-.29.349-.634.349-1.003 0-1.035-1.007-1.875-2.25-1.875s-2.25.84-2.25 1.875c0 .369.128.713.349 1.003.215.283.401.604.401.959a.641.641 0 0 1-.658.643 49.118 49.118 0 0 1-4.708-.36.75.75 0 0 1-.645-.878c.293-1.614.504-3.257.629-4.924A.53.53 0 0 0 5.337 15c-.355 0-.676.186-.959.401-.29.221-.634.349-1.003.349-1.036 0-1.875-1.007-1.875-2.25s.84-2.25 1.875-2.25c.369 0 .713.128 1.003.349.283.215.604.401.959.401a.656.656 0 0 0 .659-.663 47.703 47.703 0 0 0-.31-4.82.75.75 0 0 1 .83-.832c1.343.155 2.703.254 4.077.294a.64.64 0 0 0 .657-.642Z"})])}function Jr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4.875C3 3.839 3.84 3 4.875 3h4.5c1.036 0 1.875.84 1.875 1.875v4.5c0 1.036-.84 1.875-1.875 1.875h-4.5A1.875 1.875 0 0 1 3 9.375v-4.5ZM4.875 4.5a.375.375 0 0 0-.375.375v4.5c0 .207.168.375.375.375h4.5a.375.375 0 0 0 .375-.375v-4.5a.375.375 0 0 0-.375-.375h-4.5Zm7.875.375c0-1.036.84-1.875 1.875-1.875h4.5C20.16 3 21 3.84 21 4.875v4.5c0 1.036-.84 1.875-1.875 1.875h-4.5a1.875 1.875 0 0 1-1.875-1.875v-4.5Zm1.875-.375a.375.375 0 0 0-.375.375v4.5c0 .207.168.375.375.375h4.5a.375.375 0 0 0 .375-.375v-4.5a.375.375 0 0 0-.375-.375h-4.5ZM6 6.75A.75.75 0 0 1 6.75 6h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75A.75.75 0 0 1 6 7.5v-.75Zm9.75 0A.75.75 0 0 1 16.5 6h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75ZM3 14.625c0-1.036.84-1.875 1.875-1.875h4.5c1.036 0 1.875.84 1.875 1.875v4.5c0 1.035-.84 1.875-1.875 1.875h-4.5A1.875 1.875 0 0 1 3 19.125v-4.5Zm1.875-.375a.375.375 0 0 0-.375.375v4.5c0 .207.168.375.375.375h4.5a.375.375 0 0 0 .375-.375v-4.5a.375.375 0 0 0-.375-.375h-4.5Zm7.875-.75a.75.75 0 0 1 .75-.75h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75Zm6 0a.75.75 0 0 1 .75-.75h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75ZM6 16.5a.75.75 0 0 1 .75-.75h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75Zm9.75 0a.75.75 0 0 1 .75-.75h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75Zm-3 3a.75.75 0 0 1 .75-.75h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75Zm6 0a.75.75 0 0 1 .75-.75h.75a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75Z","clip-rule":"evenodd"})])}function Qr(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 12c0-5.385 4.365-9.75 9.75-9.75s9.75 4.365 9.75 9.75-4.365 9.75-9.75 9.75S2.25 17.385 2.25 12Zm11.378-3.917c-.89-.777-2.366-.777-3.255 0a.75.75 0 0 1-.988-1.129c1.454-1.272 3.776-1.272 5.23 0 1.513 1.324 1.513 3.518 0 4.842a3.75 3.75 0 0 1-.837.552c-.676.328-1.028.774-1.028 1.152v.75a.75.75 0 0 1-1.5 0v-.75c0-1.279 1.06-2.107 1.875-2.502.182-.088.351-.199.503-.331.83-.727.83-1.857 0-2.584ZM12 18a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"})])}function eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.625 3.75a2.625 2.625 0 1 0 0 5.25h12.75a2.625 2.625 0 0 0 0-5.25H5.625ZM3.75 11.25a.75.75 0 0 0 0 1.5h16.5a.75.75 0 0 0 0-1.5H3.75ZM3 15.75a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5H3.75a.75.75 0 0 1-.75-.75ZM3.75 18.75a.75.75 0 0 0 0 1.5h16.5a.75.75 0 0 0 0-1.5H3.75Z"})])}function to(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M20.432 4.103a.75.75 0 0 0-.364-1.456L4.128 6.632l-.2.033C2.498 6.904 1.5 8.158 1.5 9.574v9.176a3 3 0 0 0 3 3h15a3 3 0 0 0 3-3V9.574c0-1.416-.997-2.67-2.429-2.909a49.017 49.017 0 0 0-7.255-.658l7.616-1.904Zm-9.585 8.56a.75.75 0 0 1 0 1.06l-.005.006a.75.75 0 0 1-1.06 0l-.006-.006a.75.75 0 0 1 0-1.06l.005-.005a.75.75 0 0 1 1.06 0l.006.005ZM9.781 15.85a.75.75 0 0 0 1.061 0l.005-.005a.75.75 0 0 0 0-1.061l-.005-.005a.75.75 0 0 0-1.06 0l-.006.005a.75.75 0 0 0 0 1.06l.005.006Zm-1.055-1.066a.75.75 0 0 1 0 1.06l-.005.006a.75.75 0 0 1-1.061 0l-.005-.005a.75.75 0 0 1 0-1.06l.005-.006a.75.75 0 0 1 1.06 0l.006.005ZM7.66 13.73a.75.75 0 0 0 1.061 0l.005-.006a.75.75 0 0 0 0-1.06l-.005-.006a.75.75 0 0 0-1.06 0l-.006.006a.75.75 0 0 0 0 1.06l.005.006ZM9.255 9.75a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75V10.5a.75.75 0 0 1 .75-.75h.008Zm3.624 3.28a.75.75 0 0 0 .275-1.025L13.15 12a.75.75 0 0 0-1.025-.275l-.006.004a.75.75 0 0 0-.275 1.024l.004.007a.75.75 0 0 0 1.025.274l.006-.003Zm-1.38 5.126a.75.75 0 0 1-1.024-.275l-.004-.006a.75.75 0 0 1 .275-1.025l.006-.004a.75.75 0 0 1 1.025.275l.004.007a.75.75 0 0 1-.275 1.024l-.006.004Zm.282-6.776a.75.75 0 0 0-.274-1.025l-.007-.003a.75.75 0 0 0-1.024.274l-.004.007a.75.75 0 0 0 .274 1.024l.007.004a.75.75 0 0 0 1.024-.275l.004-.006Zm1.369 5.129a.75.75 0 0 1-1.025.274l-.006-.004a.75.75 0 0 1-.275-1.024l.004-.007a.75.75 0 0 1 1.025-.274l.006.004a.75.75 0 0 1 .275 1.024l-.004.007Zm-.145-1.502a.75.75 0 0 0 .75-.75v-.007a.75.75 0 0 0-.75-.75h-.008a.75.75 0 0 0-.75.75v.007c0 .415.336.75.75.75h.008Zm-3.75 2.243a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75V18a.75.75 0 0 1 .75-.75h.008Zm-2.871-.47a.75.75 0 0 0 .274-1.025l-.003-.006a.75.75 0 0 0-1.025-.275l-.006.004a.75.75 0 0 0-.275 1.024l.004.007a.75.75 0 0 0 1.024.274l.007-.003Zm1.366-5.12a.75.75 0 0 1-1.025-.274l-.004-.006a.75.75 0 0 1 .275-1.025l.006-.004a.75.75 0 0 1 1.025.275l.004.006a.75.75 0 0 1-.275 1.025l-.006.004Zm.281 6.215a.75.75 0 0 0-.275-1.024l-.006-.004a.75.75 0 0 0-1.025.274l-.003.007a.75.75 0 0 0 .274 1.024l.007.004a.75.75 0 0 0 1.024-.274l.004-.007Zm-1.376-5.116a.75.75 0 0 1-1.025.274l-.006-.003a.75.75 0 0 1-.275-1.025l.004-.007a.75.75 0 0 1 1.025-.274l.006.004a.75.75 0 0 1 .275 1.024l-.004.007Zm-1.15 2.248a.75.75 0 0 0 .75-.75v-.007a.75.75 0 0 0-.75-.75h-.008a.75.75 0 0 0-.75.75v.007c0 .415.336.75.75.75h.008ZM17.25 10.5a1.5 1.5 0 1 1 0 3 1.5 1.5 0 0 1 0-3Zm1.5 6a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0Z","clip-rule":"evenodd"})])}function no(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 1.5c-1.921 0-3.816.111-5.68.327-1.497.174-2.57 1.46-2.57 2.93V21.75a.75.75 0 0 0 1.029.696l3.471-1.388 3.472 1.388a.75.75 0 0 0 .556 0l3.472-1.388 3.471 1.388a.75.75 0 0 0 1.029-.696V4.757c0-1.47-1.073-2.756-2.57-2.93A49.255 49.255 0 0 0 12 1.5Zm3.53 7.28a.75.75 0 0 0-1.06-1.06l-6 6a.75.75 0 1 0 1.06 1.06l6-6ZM8.625 9a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Zm5.625 3.375a1.125 1.125 0 1 0 0 2.25 1.125 1.125 0 0 0 0-2.25Z","clip-rule":"evenodd"})])}function ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 1.5c-1.921 0-3.816.111-5.68.327-1.497.174-2.57 1.46-2.57 2.93V21.75a.75.75 0 0 0 1.029.696l3.471-1.388 3.472 1.388a.75.75 0 0 0 .556 0l3.472-1.388 3.471 1.388a.75.75 0 0 0 1.029-.696V4.757c0-1.47-1.073-2.756-2.57-2.93A49.255 49.255 0 0 0 12 1.5Zm-.97 6.53a.75.75 0 1 0-1.06-1.06L7.72 9.22a.75.75 0 0 0 0 1.06l2.25 2.25a.75.75 0 1 0 1.06-1.06l-.97-.97h3.065a1.875 1.875 0 0 1 0 3.75H12a.75.75 0 0 0 0 1.5h1.125a3.375 3.375 0 1 0 0-6.75h-3.064l.97-.97Z","clip-rule":"evenodd"})])}function oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 7.125c0-1.036.84-1.875 1.875-1.875h6c1.036 0 1.875.84 1.875 1.875v3.75c0 1.036-.84 1.875-1.875 1.875h-6A1.875 1.875 0 0 1 1.5 10.875v-3.75Zm12 1.5c0-1.036.84-1.875 1.875-1.875h5.25c1.035 0 1.875.84 1.875 1.875v8.25c0 1.035-.84 1.875-1.875 1.875h-5.25a1.875 1.875 0 0 1-1.875-1.875v-8.25ZM3 16.125c0-1.036.84-1.875 1.875-1.875h5.25c1.036 0 1.875.84 1.875 1.875v2.25c0 1.035-.84 1.875-1.875 1.875h-5.25A1.875 1.875 0 0 1 3 18.375v-2.25Z","clip-rule":"evenodd"})])}function io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.566 4.657A4.505 4.505 0 0 1 6.75 4.5h10.5c.41 0 .806.055 1.183.157A3 3 0 0 0 15.75 3h-7.5a3 3 0 0 0-2.684 1.657ZM2.25 12a3 3 0 0 1 3-3h13.5a3 3 0 0 1 3 3v6a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3v-6ZM5.25 7.5c-.41 0-.806.055-1.184.157A3 3 0 0 1 6.75 6h10.5a3 3 0 0 1 2.683 1.657A4.505 4.505 0 0 0 18.75 7.5H5.25Z"})])}function ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.315 7.584C12.195 3.883 16.695 1.5 21.75 1.5a.75.75 0 0 1 .75.75c0 5.056-2.383 9.555-6.084 12.436A6.75 6.75 0 0 1 9.75 22.5a.75.75 0 0 1-.75-.75v-4.131A15.838 15.838 0 0 1 6.382 15H2.25a.75.75 0 0 1-.75-.75 6.75 6.75 0 0 1 7.815-6.666ZM15 6.75a2.25 2.25 0 1 0 0 4.5 2.25 2.25 0 0 0 0-4.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M5.26 17.242a.75.75 0 1 0-.897-1.203 5.243 5.243 0 0 0-2.05 5.022.75.75 0 0 0 .625.627 5.243 5.243 0 0 0 5.022-2.051.75.75 0 1 0-1.202-.897 3.744 3.744 0 0 1-3.008 1.51c0-1.23.592-2.323 1.51-3.008Z"})])}function lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.75 4.5a.75.75 0 0 1 .75-.75h.75c8.284 0 15 6.716 15 15v.75a.75.75 0 0 1-.75.75h-.75a.75.75 0 0 1-.75-.75v-.75C18 11.708 12.292 6 5.25 6H4.5a.75.75 0 0 1-.75-.75V4.5Zm0 6.75a.75.75 0 0 1 .75-.75h.75a8.25 8.25 0 0 1 8.25 8.25v.75a.75.75 0 0 1-.75.75H12a.75.75 0 0 1-.75-.75v-.75a6 6 0 0 0-6-6H4.5a.75.75 0 0 1-.75-.75v-.75Zm0 7.5a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Z","clip-rule":"evenodd"})])}function so(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25a.75.75 0 0 1 .75.75v.756a49.106 49.106 0 0 1 9.152 1 .75.75 0 0 1-.152 1.485h-1.918l2.474 10.124a.75.75 0 0 1-.375.84A6.723 6.723 0 0 1 18.75 18a6.723 6.723 0 0 1-3.181-.795.75.75 0 0 1-.375-.84l2.474-10.124H12.75v13.28c1.293.076 2.534.343 3.697.776a.75.75 0 0 1-.262 1.453h-8.37a.75.75 0 0 1-.262-1.453c1.162-.433 2.404-.7 3.697-.775V6.24H6.332l2.474 10.124a.75.75 0 0 1-.375.84A6.723 6.723 0 0 1 5.25 18a6.723 6.723 0 0 1-3.181-.795.75.75 0 0 1-.375-.84L4.168 6.241H2.25a.75.75 0 0 1-.152-1.485 49.105 49.105 0 0 1 9.152-1V3a.75.75 0 0 1 .75-.75Zm4.878 13.543 1.872-7.662 1.872 7.662h-3.744Zm-9.756 0L5.25 8.131l-1.872 7.662h3.744Z","clip-rule":"evenodd"})])}function co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.128 9.155a3.751 3.751 0 1 1 .713-1.321l1.136.656a.75.75 0 0 1 .222 1.104l-.006.007a.75.75 0 0 1-1.032.157 1.421 1.421 0 0 0-.113-.072l-.92-.531Zm-4.827-3.53a2.25 2.25 0 0 1 3.994 2.063.756.756 0 0 0-.122.23 2.25 2.25 0 0 1-3.872-2.293ZM13.348 8.272a5.073 5.073 0 0 0-3.428 3.57 5.08 5.08 0 0 0-.165 1.202 1.415 1.415 0 0 1-.707 1.201l-.96.554a3.751 3.751 0 1 0 .734 1.309l13.729-7.926a.75.75 0 0 0-.181-1.374l-.803-.215a5.25 5.25 0 0 0-2.894.05l-5.325 1.629Zm-9.223 7.03a2.25 2.25 0 1 0 2.25 3.897 2.25 2.25 0 0 0-2.25-3.897ZM12 12.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M16.372 12.615a.75.75 0 0 1 .75 0l5.43 3.135a.75.75 0 0 1-.182 1.374l-.802.215a5.25 5.25 0 0 1-2.894-.051l-5.147-1.574a.75.75 0 0 1-.156-1.367l3-1.732Z"})])}function uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.507 4.048A3 3 0 0 1 7.785 3h8.43a3 3 0 0 1 2.278 1.048l1.722 2.008A4.533 4.533 0 0 0 19.5 6h-15c-.243 0-.482.02-.715.056l1.722-2.008Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 10.5a3 3 0 0 1 3-3h15a3 3 0 1 1 0 6h-15a3 3 0 0 1-3-3Zm15 0a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm2.25.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM4.5 15a3 3 0 1 0 0 6h15a3 3 0 1 0 0-6h-15Zm11.25 3.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM19.5 18a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z","clip-rule":"evenodd"})])}function ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.08 5.227A3 3 0 0 1 6.979 3H17.02a3 3 0 0 1 2.9 2.227l2.113 7.926A5.228 5.228 0 0 0 18.75 12H5.25a5.228 5.228 0 0 0-3.284 1.153L4.08 5.227Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 13.5a3.75 3.75 0 1 0 0 7.5h13.5a3.75 3.75 0 1 0 0-7.5H5.25Zm10.5 4.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm3.75-.75a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Z","clip-rule":"evenodd"})])}function po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.75 4.5a3 3 0 1 1 .825 2.066l-8.421 4.679a3.002 3.002 0 0 1 0 1.51l8.421 4.679a3 3 0 1 1-.729 1.31l-8.421-4.678a3 3 0 1 1 0-4.132l8.421-4.679a3 3 0 0 1-.096-.755Z","clip-rule":"evenodd"})])}function fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.516 2.17a.75.75 0 0 0-1.032 0 11.209 11.209 0 0 1-7.877 3.08.75.75 0 0 0-.722.515A12.74 12.74 0 0 0 2.25 9.75c0 5.942 4.064 10.933 9.563 12.348a.749.749 0 0 0 .374 0c5.499-1.415 9.563-6.406 9.563-12.348 0-1.39-.223-2.73-.635-3.985a.75.75 0 0 0-.722-.516l-.143.001c-2.996 0-5.717-1.17-7.734-3.08Zm3.094 8.016a.75.75 0 1 0-1.22-.872l-3.236 4.53L9.53 12.22a.75.75 0 0 0-1.06 1.06l2.25 2.25a.75.75 0 0 0 1.14-.094l3.75-5.25Z","clip-rule":"evenodd"})])}function mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.484 2.17a.75.75 0 0 1 1.032 0 11.209 11.209 0 0 0 7.877 3.08.75.75 0 0 1 .722.515 12.74 12.74 0 0 1 .635 3.985c0 5.942-4.064 10.933-9.563 12.348a.749.749 0 0 1-.374 0C6.314 20.683 2.25 15.692 2.25 9.75c0-1.39.223-2.73.635-3.985a.75.75 0 0 1 .722-.516l.143.001c2.996 0 5.718-1.17 7.734-3.08ZM12 8.25a.75.75 0 0 1 .75.75v3.75a.75.75 0 0 1-1.5 0V9a.75.75 0 0 1 .75-.75ZM12 15a.75.75 0 0 0-.75.75v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75v-.008a.75.75 0 0 0-.75-.75H12Z","clip-rule":"evenodd"})])}function vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 6v.75H5.513c-.96 0-1.764.724-1.865 1.679l-1.263 12A1.875 1.875 0 0 0 4.25 22.5h15.5a1.875 1.875 0 0 0 1.865-2.071l-1.263-12a1.875 1.875 0 0 0-1.865-1.679H16.5V6a4.5 4.5 0 1 0-9 0ZM12 3a3 3 0 0 0-3 3v.75h6V6a3 3 0 0 0-3-3Zm-3 8.25a3 3 0 1 0 6 0v-.75a.75.75 0 0 1 1.5 0v.75a4.5 4.5 0 1 1-9 0v-.75a.75.75 0 0 1 1.5 0v.75Z","clip-rule":"evenodd"})])}function go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.25 2.25a.75.75 0 0 0 0 1.5h1.386c.17 0 .318.114.362.278l2.558 9.592a3.752 3.752 0 0 0-2.806 3.63c0 .414.336.75.75.75h15.75a.75.75 0 0 0 0-1.5H5.378A2.25 2.25 0 0 1 7.5 15h11.218a.75.75 0 0 0 .674-.421 60.358 60.358 0 0 0 2.96-7.228.75.75 0 0 0-.525-.965A60.864 60.864 0 0 0 5.68 4.509l-.232-.867A1.875 1.875 0 0 0 3.636 2.25H2.25ZM3.75 20.25a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0ZM16.5 20.25a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0Z"})])}function wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.47 2.47a.75.75 0 0 1 1.06 0l8.407 8.407a1.125 1.125 0 0 1 1.186 1.186l1.462 1.461a3.001 3.001 0 0 0-.464-3.645.75.75 0 1 1 1.061-1.061 4.501 4.501 0 0 1 .486 5.79l1.072 1.072a6.001 6.001 0 0 0-.497-7.923.75.75 0 0 1 1.06-1.06 7.501 7.501 0 0 1 .505 10.05l1.064 1.065a9 9 0 0 0-.508-12.176.75.75 0 0 1 1.06-1.06c3.923 3.922 4.093 10.175.512 14.3l1.594 1.594a.75.75 0 1 1-1.06 1.06l-2.106-2.105-2.121-2.122h-.001l-4.705-4.706a.747.747 0 0 1-.127-.126L2.47 3.53a.75.75 0 0 1 0-1.061Zm1.189 4.422a.75.75 0 0 1 .326 1.01 9.004 9.004 0 0 0 1.651 10.462.75.75 0 1 1-1.06 1.06C1.27 16.12.63 11.165 2.648 7.219a.75.75 0 0 1 1.01-.326ZM5.84 9.134a.75.75 0 0 1 .472.95 6 6 0 0 0 1.444 6.159.75.75 0 0 1-1.06 1.06A7.5 7.5 0 0 1 4.89 9.606a.75.75 0 0 1 .95-.472Zm2.341 2.653a.75.75 0 0 1 .848.638c.088.62.37 1.218.849 1.696a.75.75 0 0 1-1.061 1.061 4.483 4.483 0 0 1-1.273-2.546.75.75 0 0 1 .637-.848Z","clip-rule":"evenodd"})])}function yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.636 4.575a.75.75 0 0 1 0 1.061 9 9 0 0 0 0 12.728.75.75 0 1 1-1.06 1.06c-4.101-4.1-4.101-10.748 0-14.849a.75.75 0 0 1 1.06 0Zm12.728 0a.75.75 0 0 1 1.06 0c4.101 4.1 4.101 10.75 0 14.85a.75.75 0 1 1-1.06-1.061 9 9 0 0 0 0-12.728.75.75 0 0 1 0-1.06ZM7.757 6.697a.75.75 0 0 1 0 1.06 6 6 0 0 0 0 8.486.75.75 0 0 1-1.06 1.06 7.5 7.5 0 0 1 0-10.606.75.75 0 0 1 1.06 0Zm8.486 0a.75.75 0 0 1 1.06 0 7.5 7.5 0 0 1 0 10.606.75.75 0 0 1-1.06-1.06 6 6 0 0 0 0-8.486.75.75 0 0 1 0-1.06ZM9.879 8.818a.75.75 0 0 1 0 1.06 3 3 0 0 0 0 4.243.75.75 0 1 1-1.061 1.061 4.5 4.5 0 0 1 0-6.364.75.75 0 0 1 1.06 0Zm4.242 0a.75.75 0 0 1 1.061 0 4.5 4.5 0 0 1 0 6.364.75.75 0 0 1-1.06-1.06 3 3 0 0 0 0-4.243.75.75 0 0 1 0-1.061ZM10.875 12a1.125 1.125 0 1 1 2.25 0 1.125 1.125 0 0 1-2.25 0Z","clip-rule":"evenodd"})])}function bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.256 3.042a.75.75 0 0 1 .449.962l-6 16.5a.75.75 0 1 1-1.41-.513l6-16.5a.75.75 0 0 1 .961-.449Z","clip-rule":"evenodd"})])}function xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9 4.5a.75.75 0 0 1 .721.544l.813 2.846a3.75 3.75 0 0 0 2.576 2.576l2.846.813a.75.75 0 0 1 0 1.442l-2.846.813a3.75 3.75 0 0 0-2.576 2.576l-.813 2.846a.75.75 0 0 1-1.442 0l-.813-2.846a3.75 3.75 0 0 0-2.576-2.576l-2.846-.813a.75.75 0 0 1 0-1.442l2.846-.813A3.75 3.75 0 0 0 7.466 7.89l.813-2.846A.75.75 0 0 1 9 4.5ZM18 1.5a.75.75 0 0 1 .728.568l.258 1.036c.236.94.97 1.674 1.91 1.91l1.036.258a.75.75 0 0 1 0 1.456l-1.036.258c-.94.236-1.674.97-1.91 1.91l-.258 1.036a.75.75 0 0 1-1.456 0l-.258-1.036a2.625 2.625 0 0 0-1.91-1.91l-1.036-.258a.75.75 0 0 1 0-1.456l1.036-.258a2.625 2.625 0 0 0 1.91-1.91l.258-1.036A.75.75 0 0 1 18 1.5ZM16.5 15a.75.75 0 0 1 .712.513l.394 1.183c.15.447.5.799.948.948l1.183.395a.75.75 0 0 1 0 1.422l-1.183.395c-.447.15-.799.5-.948.948l-.395 1.183a.75.75 0 0 1-1.422 0l-.395-1.183a1.5 1.5 0 0 0-.948-.948l-1.183-.395a.75.75 0 0 1 0-1.422l1.183-.395c.447-.15.799-.5.948-.948l.395-1.183A.75.75 0 0 1 16.5 15Z","clip-rule":"evenodd"})])}function ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.5 4.06c0-1.336-1.616-2.005-2.56-1.06l-4.5 4.5H4.508c-1.141 0-2.318.664-2.66 1.905A9.76 9.76 0 0 0 1.5 12c0 .898.121 1.768.35 2.595.341 1.24 1.518 1.905 2.659 1.905h1.93l4.5 4.5c.945.945 2.561.276 2.561-1.06V4.06ZM18.584 5.106a.75.75 0 0 1 1.06 0c3.808 3.807 3.808 9.98 0 13.788a.75.75 0 0 1-1.06-1.06 8.25 8.25 0 0 0 0-11.668.75.75 0 0 1 0-1.06Z"}),(0,r.createElementVNode)("path",{d:"M15.932 7.757a.75.75 0 0 1 1.061 0 6 6 0 0 1 0 8.486.75.75 0 0 1-1.06-1.061 4.5 4.5 0 0 0 0-6.364.75.75 0 0 1 0-1.06Z"})])}function Eo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M13.5 4.06c0-1.336-1.616-2.005-2.56-1.06l-4.5 4.5H4.508c-1.141 0-2.318.664-2.66 1.905A9.76 9.76 0 0 0 1.5 12c0 .898.121 1.768.35 2.595.341 1.24 1.518 1.905 2.659 1.905h1.93l4.5 4.5c.945.945 2.561.276 2.561-1.06V4.06ZM17.78 9.22a.75.75 0 1 0-1.06 1.06L18.44 12l-1.72 1.72a.75.75 0 1 0 1.06 1.06l1.72-1.72 1.72 1.72a.75.75 0 1 0 1.06-1.06L20.56 12l1.72-1.72a.75.75 0 1 0-1.06-1.06l-1.72 1.72-1.72-1.72Z"})])}function Ao(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M16.5 6a3 3 0 0 0-3-3H6a3 3 0 0 0-3 3v7.5a3 3 0 0 0 3 3v-6A4.5 4.5 0 0 1 10.5 6h6Z"}),(0,r.createElementVNode)("path",{d:"M18 7.5a3 3 0 0 1 3 3V18a3 3 0 0 1-3 3h-7.5a3 3 0 0 1-3-3v-7.5a3 3 0 0 1 3-3H18Z"})])}function Co(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M11.644 1.59a.75.75 0 0 1 .712 0l9.75 5.25a.75.75 0 0 1 0 1.32l-9.75 5.25a.75.75 0 0 1-.712 0l-9.75-5.25a.75.75 0 0 1 0-1.32l9.75-5.25Z"}),(0,r.createElementVNode)("path",{d:"m3.265 10.602 7.668 4.129a2.25 2.25 0 0 0 2.134 0l7.668-4.13 1.37.739a.75.75 0 0 1 0 1.32l-9.75 5.25a.75.75 0 0 1-.71 0l-9.75-5.25a.75.75 0 0 1 0-1.32l1.37-.738Z"}),(0,r.createElementVNode)("path",{d:"m10.933 19.231-7.668-4.13-1.37.739a.75.75 0 0 0 0 1.32l9.75 5.25c.221.12.489.12.71 0l9.75-5.25a.75.75 0 0 0 0-1.32l-1.37-.738-7.668 4.13a2.25 2.25 0 0 1-2.134-.001Z"})])}function Bo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6a3 3 0 0 1 3-3h2.25a3 3 0 0 1 3 3v2.25a3 3 0 0 1-3 3H6a3 3 0 0 1-3-3V6Zm9.75 0a3 3 0 0 1 3-3H18a3 3 0 0 1 3 3v2.25a3 3 0 0 1-3 3h-2.25a3 3 0 0 1-3-3V6ZM3 15.75a3 3 0 0 1 3-3h2.25a3 3 0 0 1 3 3V18a3 3 0 0 1-3 3H6a3 3 0 0 1-3-3v-2.25Zm9.75 0a3 3 0 0 1 3-3H18a3 3 0 0 1 3 3V18a3 3 0 0 1-3 3h-2.25a3 3 0 0 1-3-3v-2.25Z","clip-rule":"evenodd"})])}function Mo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6 3a3 3 0 0 0-3 3v2.25a3 3 0 0 0 3 3h2.25a3 3 0 0 0 3-3V6a3 3 0 0 0-3-3H6ZM15.75 3a3 3 0 0 0-3 3v2.25a3 3 0 0 0 3 3H18a3 3 0 0 0 3-3V6a3 3 0 0 0-3-3h-2.25ZM6 12.75a3 3 0 0 0-3 3V18a3 3 0 0 0 3 3h2.25a3 3 0 0 0 3-3v-2.25a3 3 0 0 0-3-3H6ZM17.625 13.5a.75.75 0 0 0-1.5 0v2.625H13.5a.75.75 0 0 0 0 1.5h2.625v2.625a.75.75 0 0 0 1.5 0v-2.625h2.625a.75.75 0 0 0 0-1.5h-2.625V13.5Z"})])}function _o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.788 3.21c.448-1.077 1.976-1.077 2.424 0l2.082 5.006 5.404.434c1.164.093 1.636 1.545.749 2.305l-4.117 3.527 1.257 5.273c.271 1.136-.964 2.033-1.96 1.425L12 18.354 7.373 21.18c-.996.608-2.231-.29-1.96-1.425l1.257-5.273-4.117-3.527c-.887-.76-.415-2.212.749-2.305l5.404-.434 2.082-5.005Z","clip-rule":"evenodd"})])}function So(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 12c0-5.385 4.365-9.75 9.75-9.75s9.75 4.365 9.75 9.75-4.365 9.75-9.75 9.75S2.25 17.385 2.25 12Zm6-2.438c0-.724.588-1.312 1.313-1.312h4.874c.725 0 1.313.588 1.313 1.313v4.874c0 .725-.588 1.313-1.313 1.313H9.564a1.312 1.312 0 0 1-1.313-1.313V9.564Z","clip-rule":"evenodd"})])}function No(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.5 7.5a3 3 0 0 1 3-3h9a3 3 0 0 1 3 3v9a3 3 0 0 1-3 3h-9a3 3 0 0 1-3-3v-9Z","clip-rule":"evenodd"})])}function Vo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.657 4.728c-1.086.385-1.766 1.057-1.979 1.85-.214.8.046 1.733.81 2.616.746.862 1.93 1.612 3.388 2.003.07.019.14.037.21.053h8.163a.75.75 0 0 1 0 1.5h-8.24a.66.66 0 0 1-.02 0H3.75a.75.75 0 0 1 0-1.5h4.78a7.108 7.108 0 0 1-1.175-1.074C6.372 9.042 5.849 7.61 6.229 6.19c.377-1.408 1.528-2.38 2.927-2.876 1.402-.497 3.127-.55 4.855-.086A8.937 8.937 0 0 1 16.94 4.6a.75.75 0 0 1-.881 1.215 7.437 7.437 0 0 0-2.436-1.14c-1.473-.394-2.885-.331-3.966.052Zm6.533 9.632a.75.75 0 0 1 1.03.25c.592.974.846 2.094.55 3.2-.378 1.408-1.529 2.38-2.927 2.876-1.402.497-3.127.55-4.855.087-1.712-.46-3.168-1.354-4.134-2.47a.75.75 0 0 1 1.134-.982c.746.862 1.93 1.612 3.388 2.003 1.473.394 2.884.331 3.966-.052 1.085-.384 1.766-1.056 1.978-1.85.169-.628.046-1.33-.381-2.032a.75.75 0 0 1 .25-1.03Z","clip-rule":"evenodd"})])}function Lo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M12 2.25a.75.75 0 0 1 .75.75v2.25a.75.75 0 0 1-1.5 0V3a.75.75 0 0 1 .75-.75ZM7.5 12a4.5 4.5 0 1 1 9 0 4.5 4.5 0 0 1-9 0ZM18.894 6.166a.75.75 0 0 0-1.06-1.06l-1.591 1.59a.75.75 0 1 0 1.06 1.061l1.591-1.59ZM21.75 12a.75.75 0 0 1-.75.75h-2.25a.75.75 0 0 1 0-1.5H21a.75.75 0 0 1 .75.75ZM17.834 18.894a.75.75 0 0 0 1.06-1.06l-1.59-1.591a.75.75 0 1 0-1.061 1.06l1.59 1.591ZM12 18a.75.75 0 0 1 .75.75V21a.75.75 0 0 1-1.5 0v-2.25A.75.75 0 0 1 12 18ZM7.758 17.303a.75.75 0 0 0-1.061-1.06l-1.591 1.59a.75.75 0 0 0 1.06 1.061l1.591-1.59ZM6 12a.75.75 0 0 1-.75.75H3a.75.75 0 0 1 0-1.5h2.25A.75.75 0 0 1 6 12ZM6.697 7.757a.75.75 0 0 0 1.06-1.06l-1.59-1.591a.75.75 0 0 0-1.061 1.06l1.59 1.591Z"})])}function To(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 4.125c0-1.036.84-1.875 1.875-1.875h5.25c1.036 0 1.875.84 1.875 1.875V17.25a4.5 4.5 0 1 1-9 0V4.125Zm4.5 14.25a1.125 1.125 0 1 0 0-2.25 1.125 1.125 0 0 0 0 2.25Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M10.719 21.75h9.156c1.036 0 1.875-.84 1.875-1.875v-5.25c0-1.036-.84-1.875-1.875-1.875h-.14l-8.742 8.743c-.09.089-.18.175-.274.257ZM12.738 17.625l6.474-6.474a1.875 1.875 0 0 0 0-2.651L15.5 4.787a1.875 1.875 0 0 0-2.651 0l-.1.099V17.25c0 .126-.003.251-.01.375Z"})])}function Io(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 5.625c0-1.036.84-1.875 1.875-1.875h17.25c1.035 0 1.875.84 1.875 1.875v12.75c0 1.035-.84 1.875-1.875 1.875H3.375A1.875 1.875 0 0 1 1.5 18.375V5.625ZM21 9.375A.375.375 0 0 0 20.625 9h-7.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h7.5a.375.375 0 0 0 .375-.375v-1.5Zm0 3.75a.375.375 0 0 0-.375-.375h-7.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h7.5a.375.375 0 0 0 .375-.375v-1.5Zm0 3.75a.375.375 0 0 0-.375-.375h-7.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h7.5a.375.375 0 0 0 .375-.375v-1.5ZM10.875 18.75a.375.375 0 0 0 .375-.375v-1.5a.375.375 0 0 0-.375-.375h-7.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375h7.5ZM3.375 15h7.5a.375.375 0 0 0 .375-.375v-1.5a.375.375 0 0 0-.375-.375h-7.5a.375.375 0 0 0-.375.375v1.5c0 .207.168.375.375.375Zm0-3.75h7.5a.375.375 0 0 0 .375-.375v-1.5A.375.375 0 0 0 10.875 9h-7.5A.375.375 0 0 0 3 9.375v1.5c0 .207.168.375.375.375Z","clip-rule":"evenodd"})])}function Zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.25 2.25a3 3 0 0 0-3 3v4.318a3 3 0 0 0 .879 2.121l9.58 9.581c.92.92 2.39 1.186 3.548.428a18.849 18.849 0 0 0 5.441-5.44c.758-1.16.492-2.629-.428-3.548l-9.58-9.581a3 3 0 0 0-2.122-.879H5.25ZM6.375 7.5a1.125 1.125 0 1 0 0-2.25 1.125 1.125 0 0 0 0 2.25Z","clip-rule":"evenodd"})])}function Oo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.5 6.375c0-1.036.84-1.875 1.875-1.875h17.25c1.035 0 1.875.84 1.875 1.875v3.026a.75.75 0 0 1-.375.65 2.249 2.249 0 0 0 0 3.898.75.75 0 0 1 .375.65v3.026c0 1.035-.84 1.875-1.875 1.875H3.375A1.875 1.875 0 0 1 1.5 17.625v-3.026a.75.75 0 0 1 .374-.65 2.249 2.249 0 0 0 0-3.898.75.75 0 0 1-.374-.65V6.375Zm15-1.125a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-1.5 0V6a.75.75 0 0 1 .75-.75Zm.75 4.5a.75.75 0 0 0-1.5 0v.75a.75.75 0 0 0 1.5 0v-.75Zm-.75 3a.75.75 0 0 1 .75.75v.75a.75.75 0 0 1-1.5 0v-.75a.75.75 0 0 1 .75-.75Zm.75 4.5a.75.75 0 0 0-1.5 0V18a.75.75 0 0 0 1.5 0v-.75ZM6 12a.75.75 0 0 1 .75-.75H12a.75.75 0 0 1 0 1.5H6.75A.75.75 0 0 1 6 12Zm.75 2.25a.75.75 0 0 0 0 1.5h3a.75.75 0 0 0 0-1.5h-3Z","clip-rule":"evenodd"})])}function Do(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.5 4.478v.227a48.816 48.816 0 0 1 3.878.512.75.75 0 1 1-.256 1.478l-.209-.035-1.005 13.07a3 3 0 0 1-2.991 2.77H8.084a3 3 0 0 1-2.991-2.77L4.087 6.66l-.209.035a.75.75 0 0 1-.256-1.478A48.567 48.567 0 0 1 7.5 4.705v-.227c0-1.564 1.213-2.9 2.816-2.951a52.662 52.662 0 0 1 3.369 0c1.603.051 2.815 1.387 2.815 2.951Zm-6.136-1.452a51.196 51.196 0 0 1 3.273 0C14.39 3.05 15 3.684 15 4.478v.113a49.488 49.488 0 0 0-6 0v-.113c0-.794.609-1.428 1.364-1.452Zm-.355 5.945a.75.75 0 1 0-1.5.058l.347 9a.75.75 0 1 0 1.499-.058l-.346-9Zm5.48.058a.75.75 0 1 0-1.498-.058l-.347 9a.75.75 0 0 0 1.5.058l.345-9Z","clip-rule":"evenodd"})])}function Ro(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.166 2.621v.858c-1.035.148-2.059.33-3.071.543a.75.75 0 0 0-.584.859 6.753 6.753 0 0 0 6.138 5.6 6.73 6.73 0 0 0 2.743 1.346A6.707 6.707 0 0 1 9.279 15H8.54c-1.036 0-1.875.84-1.875 1.875V19.5h-.75a2.25 2.25 0 0 0-2.25 2.25c0 .414.336.75.75.75h15a.75.75 0 0 0 .75-.75 2.25 2.25 0 0 0-2.25-2.25h-.75v-2.625c0-1.036-.84-1.875-1.875-1.875h-.739a6.706 6.706 0 0 1-1.112-3.173 6.73 6.73 0 0 0 2.743-1.347 6.753 6.753 0 0 0 6.139-5.6.75.75 0 0 0-.585-.858 47.077 47.077 0 0 0-3.07-.543V2.62a.75.75 0 0 0-.658-.744 49.22 49.22 0 0 0-6.093-.377c-2.063 0-4.096.128-6.093.377a.75.75 0 0 0-.657.744Zm0 2.629c0 1.196.312 2.32.857 3.294A5.266 5.266 0 0 1 3.16 5.337a45.6 45.6 0 0 1 2.006-.343v.256Zm13.5 0v-.256c.674.1 1.343.214 2.006.343a5.265 5.265 0 0 1-2.863 3.207 6.72 6.72 0 0 0 .857-3.294Z","clip-rule":"evenodd"})])}function Ho(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M3.375 4.5C2.339 4.5 1.5 5.34 1.5 6.375V13.5h12V6.375c0-1.036-.84-1.875-1.875-1.875h-8.25ZM13.5 15h-12v2.625c0 1.035.84 1.875 1.875 1.875h.375a3 3 0 1 1 6 0h3a.75.75 0 0 0 .75-.75V15Z"}),(0,r.createElementVNode)("path",{d:"M8.25 19.5a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0ZM15.75 6.75a.75.75 0 0 0-.75.75v11.25c0 .087.015.17.042.248a3 3 0 0 1 5.958.464c.853-.175 1.522-.935 1.464-1.883a18.659 18.659 0 0 0-3.732-10.104 1.837 1.837 0 0 0-1.47-.725H15.75Z"}),(0,r.createElementVNode)("path",{d:"M19.5 19.5a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0Z"})])}function Po(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M19.5 6h-15v9h15V6Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.375 3C2.339 3 1.5 3.84 1.5 4.875v11.25C1.5 17.16 2.34 18 3.375 18H9.75v1.5H6A.75.75 0 0 0 6 21h12a.75.75 0 0 0 0-1.5h-3.75V18h6.375c1.035 0 1.875-.84 1.875-1.875V4.875C22.5 3.839 21.66 3 20.625 3H3.375Zm0 13.5h17.25a.375.375 0 0 0 .375-.375V4.875a.375.375 0 0 0-.375-.375H3.375A.375.375 0 0 0 3 4.875v11.25c0 .207.168.375.375.375Z","clip-rule":"evenodd"})])}function jo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.995 2.994a.75.75 0 0 1 .75.75v7.5a5.25 5.25 0 1 0 10.5 0v-7.5a.75.75 0 0 1 1.5 0v7.5a6.75 6.75 0 1 1-13.5 0v-7.5a.75.75 0 0 1 .75-.75Zm-3 17.252a.75.75 0 0 1 .75-.75h16.5a.75.75 0 0 1 0 1.5h-16.5a.75.75 0 0 1-.75-.75Z","clip-rule":"evenodd"})])}function Fo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18.685 19.097A9.723 9.723 0 0 0 21.75 12c0-5.385-4.365-9.75-9.75-9.75S2.25 6.615 2.25 12a9.723 9.723 0 0 0 3.065 7.097A9.716 9.716 0 0 0 12 21.75a9.716 9.716 0 0 0 6.685-2.653Zm-12.54-1.285A7.486 7.486 0 0 1 12 15a7.486 7.486 0 0 1 5.855 2.812A8.224 8.224 0 0 1 12 20.25a8.224 8.224 0 0 1-5.855-2.438ZM15.75 9a3.75 3.75 0 1 1-7.5 0 3.75 3.75 0 0 1 7.5 0Z","clip-rule":"evenodd"})])}function zo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.25 6.75a3.75 3.75 0 1 1 7.5 0 3.75 3.75 0 0 1-7.5 0ZM15.75 9.75a3 3 0 1 1 6 0 3 3 0 0 1-6 0ZM2.25 9.75a3 3 0 1 1 6 0 3 3 0 0 1-6 0ZM6.31 15.117A6.745 6.745 0 0 1 12 12a6.745 6.745 0 0 1 6.709 7.498.75.75 0 0 1-.372.568A12.696 12.696 0 0 1 12 21.75c-2.305 0-4.47-.612-6.337-1.684a.75.75 0 0 1-.372-.568 6.787 6.787 0 0 1 1.019-4.38Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"M5.082 14.254a8.287 8.287 0 0 0-1.308 5.135 9.687 9.687 0 0 1-1.764-.44l-.115-.04a.563.563 0 0 1-.373-.487l-.01-.121a3.75 3.75 0 0 1 3.57-4.047ZM20.226 19.389a8.287 8.287 0 0 0-1.308-5.135 3.75 3.75 0 0 1 3.57 4.047l-.01.121a.563.563 0 0 1-.373.486l-.115.04c-.567.2-1.156.349-1.764.441Z"})])}function qo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M10.375 2.25a4.125 4.125 0 1 0 0 8.25 4.125 4.125 0 0 0 0-8.25ZM10.375 12a7.125 7.125 0 0 0-7.124 7.247.75.75 0 0 0 .363.63 13.067 13.067 0 0 0 6.761 1.873c2.472 0 4.786-.684 6.76-1.873a.75.75 0 0 0 .364-.63l.001-.12v-.002A7.125 7.125 0 0 0 10.375 12ZM16 9.75a.75.75 0 0 0 0 1.5h6a.75.75 0 0 0 0-1.5h-6Z"})])}function Uo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M5.25 6.375a4.125 4.125 0 1 1 8.25 0 4.125 4.125 0 0 1-8.25 0ZM2.25 19.125a7.125 7.125 0 0 1 14.25 0v.003l-.001.119a.75.75 0 0 1-.363.63 13.067 13.067 0 0 1-6.761 1.873c-2.472 0-4.786-.684-6.76-1.873a.75.75 0 0 1-.364-.63l-.001-.122ZM18.75 7.5a.75.75 0 0 0-1.5 0v2.25H15a.75.75 0 0 0 0 1.5h2.25v2.25a.75.75 0 0 0 1.5 0v-2.25H21a.75.75 0 0 0 0-1.5h-2.25V7.5Z"})])}function $o(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.5 6a4.5 4.5 0 1 1 9 0 4.5 4.5 0 0 1-9 0ZM3.751 20.105a8.25 8.25 0 0 1 16.498 0 .75.75 0 0 1-.437.695A18.683 18.683 0 0 1 12 22.5c-2.786 0-5.433-.608-7.812-1.7a.75.75 0 0 1-.437-.695Z","clip-rule":"evenodd"})])}function Wo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.5 6.375a4.125 4.125 0 1 1 8.25 0 4.125 4.125 0 0 1-8.25 0ZM14.25 8.625a3.375 3.375 0 1 1 6.75 0 3.375 3.375 0 0 1-6.75 0ZM1.5 19.125a7.125 7.125 0 0 1 14.25 0v.003l-.001.119a.75.75 0 0 1-.363.63 13.067 13.067 0 0 1-6.761 1.873c-2.472 0-4.786-.684-6.76-1.873a.75.75 0 0 1-.364-.63l-.001-.122ZM17.25 19.128l-.001.144a2.25 2.25 0 0 1-.233.96 10.088 10.088 0 0 0 5.06-1.01.75.75 0 0 0 .42-.643 4.875 4.875 0 0 0-6.957-4.611 8.586 8.586 0 0 1 1.71 5.157v.003Z"})])}function Go(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M19.253 2.292a.75.75 0 0 1 .955.461A28.123 28.123 0 0 1 21.75 12c0 3.266-.547 6.388-1.542 9.247a.75.75 0 1 1-1.416-.494c.94-2.7 1.458-5.654 1.458-8.753s-.519-6.054-1.458-8.754a.75.75 0 0 1 .461-.954Zm-14.227.013a.75.75 0 0 1 .414.976A23.183 23.183 0 0 0 3.75 12c0 3.085.6 6.027 1.69 8.718a.75.75 0 0 1-1.39.563c-1.161-2.867-1.8-6-1.8-9.281 0-3.28.639-6.414 1.8-9.281a.75.75 0 0 1 .976-.414Zm4.275 5.052a1.5 1.5 0 0 1 2.21.803l.716 2.148L13.6 8.246a2.438 2.438 0 0 1 2.978-.892l.213.09a.75.75 0 1 1-.584 1.381l-.214-.09a.937.937 0 0 0-1.145.343l-2.021 3.033 1.084 3.255 1.445-.89a.75.75 0 1 1 .786 1.278l-1.444.889a1.5 1.5 0 0 1-2.21-.803l-.716-2.148-1.374 2.062a2.437 2.437 0 0 1-2.978.892l-.213-.09a.75.75 0 0 1 .584-1.381l.214.09a.938.938 0 0 0 1.145-.344l2.021-3.032-1.084-3.255-1.445.89a.75.75 0 1 1-.786-1.278l1.444-.89Z","clip-rule":"evenodd"})])}function Ko(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M.97 3.97a.75.75 0 0 1 1.06 0l15 15a.75.75 0 1 1-1.06 1.06l-15-15a.75.75 0 0 1 0-1.06ZM17.25 16.06l2.69 2.69c.944.945 2.56.276 2.56-1.06V6.31c0-1.336-1.616-2.005-2.56-1.06l-2.69 2.69v8.12ZM15.75 7.5v8.068L4.682 4.5h8.068a3 3 0 0 1 3 3ZM1.5 16.5V7.682l11.773 11.773c-.17.03-.345.045-.523.045H4.5a3 3 0 0 1-3-3Z"})])}function Yo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M4.5 4.5a3 3 0 0 0-3 3v9a3 3 0 0 0 3 3h8.25a3 3 0 0 0 3-3v-9a3 3 0 0 0-3-3H4.5ZM19.94 18.75l-2.69-2.69V7.94l2.69-2.69c.944-.945 2.56-.276 2.56 1.06v11.38c0 1.336-1.616 2.005-2.56 1.06Z"})])}function Xo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M15 3.75H9v16.5h6V3.75ZM16.5 20.25h3.375c1.035 0 1.875-.84 1.875-1.875V5.625c0-1.036-.84-1.875-1.875-1.875H16.5v16.5ZM4.125 3.75H7.5v16.5H4.125a1.875 1.875 0 0 1-1.875-1.875V5.625c0-1.036.84-1.875 1.875-1.875Z"})])}function Jo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M6 3a3 3 0 0 0-3 3v1.5a.75.75 0 0 0 1.5 0V6A1.5 1.5 0 0 1 6 4.5h1.5a.75.75 0 0 0 0-1.5H6ZM16.5 3a.75.75 0 0 0 0 1.5H18A1.5 1.5 0 0 1 19.5 6v1.5a.75.75 0 0 0 1.5 0V6a3 3 0 0 0-3-3h-1.5ZM12 8.25a3.75 3.75 0 1 0 0 7.5 3.75 3.75 0 0 0 0-7.5ZM4.5 16.5a.75.75 0 0 0-1.5 0V18a3 3 0 0 0 3 3h1.5a.75.75 0 0 0 0-1.5H6A1.5 1.5 0 0 1 4.5 18v-1.5ZM21 16.5a.75.75 0 0 0-1.5 0V18a1.5 1.5 0 0 1-1.5 1.5h-1.5a.75.75 0 0 0 0 1.5H18a3 3 0 0 0 3-3v-1.5Z"})])}function Qo(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{d:"M2.273 5.625A4.483 4.483 0 0 1 5.25 4.5h13.5c1.141 0 2.183.425 2.977 1.125A3 3 0 0 0 18.75 3H5.25a3 3 0 0 0-2.977 2.625ZM2.273 8.625A4.483 4.483 0 0 1 5.25 7.5h13.5c1.141 0 2.183.425 2.977 1.125A3 3 0 0 0 18.75 6H5.25a3 3 0 0 0-2.977 2.625ZM5.25 9a3 3 0 0 0-3 3v6a3 3 0 0 0 3 3h13.5a3 3 0 0 0 3-3v-6a3 3 0 0 0-3-3H15a.75.75 0 0 0-.75.75 2.25 2.25 0 0 1-4.5 0A.75.75 0 0 0 9 9H5.25Z"})])}function ei(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M1.371 8.143c5.858-5.857 15.356-5.857 21.213 0a.75.75 0 0 1 0 1.061l-.53.53a.75.75 0 0 1-1.06 0c-4.98-4.979-13.053-4.979-18.032 0a.75.75 0 0 1-1.06 0l-.53-.53a.75.75 0 0 1 0-1.06Zm3.182 3.182c4.1-4.1 10.749-4.1 14.85 0a.75.75 0 0 1 0 1.061l-.53.53a.75.75 0 0 1-1.062 0 8.25 8.25 0 0 0-11.667 0 .75.75 0 0 1-1.06 0l-.53-.53a.75.75 0 0 1 0-1.06Zm3.204 3.182a6 6 0 0 1 8.486 0 .75.75 0 0 1 0 1.061l-.53.53a.75.75 0 0 1-1.061 0 3.75 3.75 0 0 0-5.304 0 .75.75 0 0 1-1.06 0l-.53-.53a.75.75 0 0 1 0-1.06Zm3.182 3.182a1.5 1.5 0 0 1 2.122 0 .75.75 0 0 1 0 1.061l-.53.53a.75.75 0 0 1-1.061 0l-.53-.53a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function ti(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.25 6a3 3 0 0 1 3-3h13.5a3 3 0 0 1 3 3v12a3 3 0 0 1-3 3H5.25a3 3 0 0 1-3-3V6Zm18 3H3.75v9a1.5 1.5 0 0 0 1.5 1.5h13.5a1.5 1.5 0 0 0 1.5-1.5V9Zm-15-3.75A.75.75 0 0 0 4.5 6v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V6a.75.75 0 0 0-.75-.75H5.25Zm1.5.75a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75H7.5a.75.75 0 0 1-.75-.75V6Zm3-.75A.75.75 0 0 0 9 6v.008c0 .414.336.75.75.75h.008a.75.75 0 0 0 .75-.75V6a.75.75 0 0 0-.75-.75H9.75Z","clip-rule":"evenodd"})])}function ni(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 6.75a5.25 5.25 0 0 1 6.775-5.025.75.75 0 0 1 .313 1.248l-3.32 3.319c.063.475.276.934.641 1.299.365.365.824.578 1.3.64l3.318-3.319a.75.75 0 0 1 1.248.313 5.25 5.25 0 0 1-5.472 6.756c-1.018-.086-1.87.1-2.309.634L7.344 21.3A3.298 3.298 0 1 1 2.7 16.657l8.684-7.151c.533-.44.72-1.291.634-2.309A5.342 5.342 0 0 1 12 6.75ZM4.117 19.125a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75v-.008Z","clip-rule":"evenodd"}),(0,r.createElementVNode)("path",{d:"m10.076 8.64-2.201-2.2V4.874a.75.75 0 0 0-.364-.643l-3.75-2.25a.75.75 0 0 0-.916.113l-.75.75a.75.75 0 0 0-.113.916l2.25 3.75a.75.75 0 0 0 .643.364h1.564l2.062 2.062 1.575-1.297Z"}),(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"m12.556 17.329 4.183 4.182a3.375 3.375 0 0 0 4.773-4.773l-3.306-3.305a6.803 6.803 0 0 1-1.53.043c-.394-.034-.682-.006-.867.042a.589.589 0 0 0-.167.063l-3.086 3.748Zm3.414-1.36a.75.75 0 0 1 1.06 0l1.875 1.876a.75.75 0 1 1-1.06 1.06L15.97 17.03a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}function ri(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 6.75a5.25 5.25 0 0 1 6.775-5.025.75.75 0 0 1 .313 1.248l-3.32 3.319c.063.475.276.934.641 1.299.365.365.824.578 1.3.64l3.318-3.319a.75.75 0 0 1 1.248.313 5.25 5.25 0 0 1-5.472 6.756c-1.018-.086-1.87.1-2.309.634L7.344 21.3A3.298 3.298 0 1 1 2.7 16.657l8.684-7.151c.533-.44.72-1.291.634-2.309A5.342 5.342 0 0 1 12 6.75ZM4.117 19.125a.75.75 0 0 1 .75-.75h.008a.75.75 0 0 1 .75.75v.008a.75.75 0 0 1-.75.75h-.008a.75.75 0 0 1-.75-.75v-.008Z","clip-rule":"evenodd"})])}function oi(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 2.25c-5.385 0-9.75 4.365-9.75 9.75s4.365 9.75 9.75 9.75 9.75-4.365 9.75-9.75S17.385 2.25 12 2.25Zm-1.72 6.97a.75.75 0 1 0-1.06 1.06L10.94 12l-1.72 1.72a.75.75 0 1 0 1.06 1.06L12 13.06l1.72 1.72a.75.75 0 1 0 1.06-1.06L13.06 12l1.72-1.72a.75.75 0 1 0-1.06-1.06L12 10.94l-1.72-1.72Z","clip-rule":"evenodd"})])}function ii(e,t){return(0,r.openBlock)(),(0,r.createElementBlock)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 24 24",fill:"currentColor","aria-hidden":"true","data-slot":"icon"},[(0,r.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.47 5.47a.75.75 0 0 1 1.06 0L12 10.94l5.47-5.47a.75.75 0 1 1 1.06 1.06L13.06 12l5.47 5.47a.75.75 0 1 1-1.06 1.06L12 13.06l-5.47 5.47a.75.75 0 0 1-1.06-1.06L10.94 12 5.47 6.53a.75.75 0 0 1 0-1.06Z","clip-rule":"evenodd"})])}},403:(e,t,n)=>{"use strict";n.d(t,{Cv:()=>ge,QB:()=>ke,S9:()=>B,TI:()=>ve,_M:()=>xe,af:()=>Y,hg:()=>be});var r=n(14744),o=n(55373),i=n(94335);function a(e,t){let n;return function(...r){clearTimeout(n),n=setTimeout((()=>e.apply(this,r)),t)}}function l(e,t){return document.dispatchEvent(new CustomEvent(`inertia:${e}`,t))}var s=e=>l("before",{cancelable:!0,detail:{visit:e}}),c=e=>l("navigate",{detail:{page:e}}),u=class{static set(e,t){typeof window<"u"&&window.sessionStorage.setItem(e,JSON.stringify(t))}static get(e){if(typeof window<"u")return JSON.parse(window.sessionStorage.getItem(e)||"null")}static merge(e,t){let n=this.get(e);null===n?this.set(e,t):this.set(e,{...n,...t})}static remove(e){typeof window<"u"&&window.sessionStorage.removeItem(e)}static removeNested(e,t){let n=this.get(e);null!==n&&(delete n[t],this.set(e,n))}static exists(e){try{return null!==this.get(e)}catch{return!1}}static clear(){typeof window<"u"&&window.sessionStorage.clear()}};u.locationVisitKey="inertiaLocationVisit";var d="historyKey",h="historyIv",p=async(e,t,n)=>{if(typeof window>"u")throw new Error("Unable to encrypt history");if(typeof window.crypto.subtle>"u")return console.warn("Encryption is not supported in this environment. SSL is required."),Promise.resolve(n);let r=new TextEncoder,o=JSON.stringify(n),i=new Uint8Array(3*o.length),a=r.encodeInto(o,i);return window.crypto.subtle.encrypt({name:"AES-GCM",iv:e},t,i.subarray(0,a.written))},f=async(e,t,n)=>{if(typeof window.crypto.subtle>"u")return console.warn("Decryption is not supported in this environment. SSL is required."),Promise.resolve(n);let r=await window.crypto.subtle.decrypt({name:"AES-GCM",iv:e},t,n);return JSON.parse((new TextDecoder).decode(r))},m=()=>{let e=u.get(h);if(e)return new Uint8Array(e);let t=window.crypto.getRandomValues(new Uint8Array(12));return u.set(h,Array.from(t)),t},v=async e=>{if(e)return e;let t=await(async()=>typeof window.crypto.subtle>"u"?(console.warn("Encryption is not supported in this environment. SSL is required."),Promise.resolve(null)):window.crypto.subtle.generateKey({name:"AES-GCM",length:256},!0,["encrypt","decrypt"]))();return t?(await(async e=>{if(typeof window.crypto.subtle>"u")return console.warn("Encryption is not supported in this environment. SSL is required."),Promise.resolve();let t=await window.crypto.subtle.exportKey("raw",e);u.set(d,Array.from(new Uint8Array(t)))})(t),t):null},g=async()=>{let e=u.get(d);return e?await window.crypto.subtle.importKey("raw",new Uint8Array(e),{name:"AES-GCM",length:256},!0,["encrypt","decrypt"]):null},w=class{static save(e){L.replaceState({...e,scrollRegions:Array.from(this.regions()).map((e=>({top:e.scrollTop,left:e.scrollLeft})))})}static regions(){return document.querySelectorAll("[scroll-region]")}static reset(e){typeof window<"u"&&window.scrollTo(0,0),this.regions().forEach((e=>{"function"==typeof e.scrollTo?e.scrollTo(0,0):(e.scrollTop=0,e.scrollLeft=0)})),this.save(e),window.location.hash&&setTimeout((()=>document.getElementById(window.location.hash.slice(1))?.scrollIntoView()))}static restore(e){e.scrollRegions&&this.regions().forEach(((t,n)=>{let r=e.scrollRegions[n];r&&("function"==typeof t.scrollTo?t.scrollTo(r.left,r.top):(t.scrollTop=r.top,t.scrollLeft=r.left))}))}static onScroll(e){let t=e.target;"function"==typeof t.hasAttribute&&t.hasAttribute("scroll-region")&&this.save(N.get())}};function y(e){return e instanceof File||e instanceof Blob||e instanceof FileList&&e.length>0||e instanceof FormData&&Array.from(e.values()).some((e=>y(e)))||"object"==typeof e&&null!==e&&Object.values(e).some((e=>y(e)))}var b=e=>e instanceof FormData;function x(e,t=new FormData,n=null){e=e||{};for(let r in e)Object.prototype.hasOwnProperty.call(e,r)&&E(t,k(n,r),e[r]);return t}function k(e,t){return e?e+"["+t+"]":t}function E(e,t,n){return Array.isArray(n)?Array.from(n.keys()).forEach((r=>E(e,k(t,r.toString()),n[r]))):n instanceof Date?e.append(t,n.toISOString()):n instanceof File?e.append(t,n,n.name):n instanceof Blob?e.append(t,n):"boolean"==typeof n?e.append(t,n?"1":"0"):"string"==typeof n?e.append(t,n):"number"==typeof n?e.append(t,`${n}`):null==n?e.append(t,""):void x(n,e,t)}function A(e){return new URL(e.toString(),typeof window>"u"?void 0:window.location.toString())}var C=(e,t,n,r,o)=>{let i="string"==typeof e?A(e):e;if((y(t)||r)&&!b(t)&&(t=x(t)),b(t))return[i,t];let[a,l]=B(n,i,t,o);return[A(a),l]};function B(e,t,n,i="brackets"){let a=/^https?:\/\//.test(t.toString()),l=a||t.toString().startsWith("/"),s=!l&&!t.toString().startsWith("#")&&!t.toString().startsWith("?"),c=t.toString().includes("?")||"get"===e&&Object.keys(n).length,u=t.toString().includes("#"),d=new URL(t.toString(),"http://localhost");return"get"===e&&Object.keys(n).length&&(d.search=o.stringify(r(o.parse(d.search,{ignoreQueryPrefix:!0}),n),{encodeValuesOnly:!0,arrayFormat:i}),n={}),[[a?`${d.protocol}//${d.host}`:"",l?d.pathname:"",s?d.pathname.substring(1):"",c?d.search:"",u?d.hash:""].join(""),n]}function M(e){return(e=new URL(e.href)).hash="",e}var _=(e,t)=>{e.hash&&!t.hash&&M(e).href===t.href&&(t.hash=e.hash)},S=(e,t)=>M(e).href===M(t).href,N=new class{constructor(){this.componentId={},this.listeners=[],this.isFirstPageLoad=!0,this.cleared=!1}init({initialPage:e,swapComponent:t,resolveComponent:n}){return this.page=e,this.swapComponent=t,this.resolveComponent=n,this}set(e,{replace:t=!1,preserveScroll:n=!1,preserveState:r=!1}={}){this.componentId={};let o=this.componentId;return e.clearHistory&&L.clear(),this.resolve(e.component).then((i=>{if(o!==this.componentId)return;e.scrollRegions??(e.scrollRegions=[]),e.rememberedState??(e.rememberedState={});let a=typeof window<"u"?window.location:new URL(e.url);return t=t||S(A(e.url),a),new Promise((n=>{t?L.replaceState(e,(()=>n(null))):L.pushState(e,(()=>n(null)))})).then((()=>{let o=!this.isTheSame(e);return this.page=e,this.cleared=!1,o&&this.fireEventsFor("newComponent"),this.isFirstPageLoad&&this.fireEventsFor("firstLoad"),this.isFirstPageLoad=!1,this.swap({component:i,page:e,preserveState:r}).then((()=>{n||w.reset(e),T.fireInternalEvent("loadDeferredProps"),t||c(e)}))}))}))}setQuietly(e,{preserveState:t=!1}={}){return this.resolve(e.component).then((n=>(this.page=e,this.cleared=!1,this.swap({component:n,page:e,preserveState:t}))))}clear(){this.cleared=!0}isCleared(){return this.cleared}get(){return this.page}merge(e){this.page={...this.page,...e}}setUrlHash(e){this.page.url+=e}remember(e){this.page.rememberedState=e}scrollRegions(e){this.page.scrollRegions=e}swap({component:e,page:t,preserveState:n}){return this.swapComponent({component:e,page:t,preserveState:n})}resolve(e){return Promise.resolve(this.resolveComponent(e))}isTheSame(e){return this.page.component===e.component}on(e,t){return this.listeners.push({event:e,callback:t}),()=>{this.listeners=this.listeners.filter((n=>n.event!==e&&n.callback!==t))}}fireEventsFor(e){this.listeners.filter((t=>t.event===e)).forEach((e=>e.callback()))}},V=typeof window>"u",L=new class{constructor(){this.rememberedState="rememberedState",this.scrollRegions="scrollRegions",this.preserveUrl=!1,this.current={},this.queue=[],this.initialState=null}remember(e,t){this.replaceState({...N.get(),rememberedState:{...N.get()?.rememberedState??{},[t]:e}})}restore(e){if(!V)return this.initialState?.[this.rememberedState]?.[e]}pushState(e,t=null){V||this.preserveUrl||(this.current=e,this.addToQueue((()=>this.getPageData(e).then((n=>{window.history.pushState({page:n,timestamp:Date.now()},"",e.url),t&&t()})))))}getPageData(e){return new Promise((t=>e.encryptHistory?(async e=>{if(typeof window>"u")throw new Error("Unable to encrypt history");let t=m(),n=await g(),r=await v(n);if(!r)throw new Error("Unable to encrypt history");return await p(t,r,e)})(e).then(t):t(e)))}processQueue(){let e=this.queue.shift();return e?e().then((()=>this.processQueue())):Promise.resolve()}decrypt(e=null){if(V)return Promise.resolve(e??N.get());let t=e??window.history.state?.page;return this.decryptPageData(t).then((e=>{if(!e)throw new Error("Unable to decrypt history");return null===this.initialState?this.initialState=e??void 0:this.current=e??{},e}))}decryptPageData(e){return e instanceof ArrayBuffer?(async e=>{let t=m(),n=await g();if(!n)throw new Error("Unable to decrypt history");return await f(t,n,e)})(e):Promise.resolve(e)}replaceState(e,t=null){N.merge(e),!V&&!this.preserveUrl&&(this.current=e,this.addToQueue((()=>this.getPageData(e).then((n=>{window.history.replaceState({page:n,timestamp:Date.now()},"",e.url),t&&t()})))))}addToQueue(e){this.queue.push(e),this.processQueue()}getState(e,t){return this.current?.[e]??t}deleteState(e){void 0!==this.current[e]&&(delete this.current[e],this.replaceState(this.current))}hasAnyState(){return!!this.getAllState()}clear(){u.remove(d),u.remove(h)}isValidState(e){return!!e.page}getAllState(){return this.current}},T=new class{constructor(){this.internalListeners=[]}init(){typeof window<"u"&&window.addEventListener("popstate",this.handlePopstateEvent.bind(this)),typeof document<"u"&&document.addEventListener("scroll",a(w.onScroll.bind(w),100),!0)}onGlobalEvent(e,t){return this.registerListener(`inertia:${e}`,(e=>{let n=t(e);e.cancelable&&!e.defaultPrevented&&!1===n&&e.preventDefault()}))}on(e,t){return this.internalListeners.push({event:e,listener:t}),()=>{this.internalListeners=this.internalListeners.filter((e=>e.listener!==t))}}onMissingHistoryItem(){N.clear(),this.fireInternalEvent("missingHistoryItem")}fireInternalEvent(e){this.internalListeners.filter((t=>t.event===e)).forEach((e=>e.listener()))}registerListener(e,t){return document.addEventListener(e,t),()=>document.removeEventListener(e,t)}handlePopstateEvent(e){let t=e.state||null;if(null===t){let e=A(N.get().url);return e.hash=window.location.hash,L.replaceState({...N.get(),url:e.href}),void w.reset(N.get())}L.isValidState(t)?L.decrypt(t.page).then((e=>{N.setQuietly(e,{preserveState:!1}).then((()=>{w.restore(N.get()),c(N.get())}))})).catch((()=>{this.onMissingHistoryItem()})):this.onMissingHistoryItem()}},I=new class{constructor(){typeof window<"u"&&window?.performance.getEntriesByType("navigation").length>0?this.type=window.performance.getEntriesByType("navigation")[0].type:this.type="navigate"}get(){return this.type}isBackForward(){return"back_forward"===this.type}isReload(){return"reload"===this.type}},Z=class{static handle(){this.clearRememberedStateOnReload(),[this.handleBackForward,this.handleLocation,this.handleDefault].find((e=>e.bind(this)()))}static clearRememberedStateOnReload(){I.isReload()&&L.deleteState(L.rememberedState)}static handleBackForward(){return!(!I.isBackForward()||!L.hasAnyState())&&(L.decrypt().then((e=>{N.set(e,{preserveScroll:!0,preserveState:!0}).then((()=>{w.restore(N.get()),c(N.get())}))})).catch((()=>{T.onMissingHistoryItem()})),!0)}static handleLocation(){if(!u.exists(u.locationVisitKey))return!1;let e=u.get(u.locationVisitKey)||{};return u.remove(u.locationVisitKey),typeof window<"u"&&N.setUrlHash(window.location.hash),L.decrypt().then((()=>{let t=L.getState(L.rememberedState,{}),n=L.getState(L.scrollRegions,[]);N.remember(t),N.scrollRegions(n),N.set(N.get(),{preserveScroll:e.preserveScroll,preserveState:!0}).then((()=>{e.preserveScroll&&w.restore(N.get()),c(N.get())}))})).catch((()=>{T.onMissingHistoryItem()})),!0}static handleDefault(){typeof window<"u"&&N.setUrlHash(window.location.hash),N.set(N.get(),{preserveState:!0}).then((()=>{c(N.get())}))}},O=class{constructor(e,t,n){this.id=null,this.throttle=!1,this.keepAlive=!1,this.cbCount=0,this.keepAlive=n.keepAlive??!1,this.cb=t,this.interval=e,(n.autoStart??1)&&this.start()}stop(){this.id&&clearInterval(this.id)}start(){typeof window>"u"||(this.stop(),this.id=window.setInterval((()=>{(!this.throttle||this.cbCount%10==0)&&this.cb(),this.throttle&&this.cbCount++}),this.interval))}isInBackground(e){this.throttle=!this.keepAlive&&e,this.throttle&&(this.cbCount=0)}},D=new class{constructor(){this.polls=[],this.setupVisibilityListener()}add(e,t,n){let r=new O(e,t,n);return this.polls.push(r),{stop:()=>r.stop(),start:()=>r.start()}}clear(){this.polls.forEach((e=>e.stop())),this.polls=[]}setupVisibilityListener(){typeof document>"u"||document.addEventListener("visibilitychange",(()=>{this.polls.forEach((e=>e.isInBackground(document.hidden)))}),!1)}},R=(e,t,n)=>{if(e===t)return!0;for(let r in e)if(!n.includes(r)&&e[r]!==t[r]&&!H(e[r],t[r]))return!1;return!0},H=(e,t)=>{switch(typeof e){case"object":return R(e,t,[]);case"function":return e.toString()===t.toString();default:return e===t}},P={ms:1,s:1e3,m:6e4,h:36e5,d:864e5},j=e=>{if("number"==typeof e)return e;for(let[t,n]of Object.entries(P))if(e.endsWith(t))return parseFloat(e)*n;return parseInt(e)},F=new class{constructor(){this.cached=[],this.inFlightRequests=[],this.removalTimers=[],this.currentUseId=null}add(e,t,{cacheFor:n}){if(this.findInFlight(e))return Promise.resolve();let r=this.findCached(e);if(!e.fresh&&r&&r.staleTimestamp>Date.now())return Promise.resolve();let[o,i]=this.extractStaleValues(n),a=new Promise(((n,r)=>{t({...e,onCancel:()=>{this.remove(e),e.onCancel(),r()},onError:t=>{this.remove(e),e.onError(t),r()},onPrefetching(t){e.onPrefetching(t)},onPrefetched(t,n){e.onPrefetched(t,n)},onPrefetchResponse(e){n(e)}})})).then((t=>(this.remove(e),this.cached.push({params:{...e},staleTimestamp:Date.now()+o,response:a,singleUse:0===n,timestamp:Date.now(),inFlight:!1}),this.scheduleForRemoval(e,i),this.inFlightRequests=this.inFlightRequests.filter((t=>!this.paramsAreEqual(t.params,e))),t.handlePrefetch(),t)));return this.inFlightRequests.push({params:{...e},response:a,staleTimestamp:null,inFlight:!0}),a}removeAll(){this.cached=[],this.removalTimers.forEach((e=>{clearTimeout(e.timer)})),this.removalTimers=[]}remove(e){this.cached=this.cached.filter((t=>!this.paramsAreEqual(t.params,e))),this.clearTimer(e)}extractStaleValues(e){let[t,n]=this.cacheForToStaleAndExpires(e);return[j(t),j(n)]}cacheForToStaleAndExpires(e){if(!Array.isArray(e))return[e,e];switch(e.length){case 0:return[0,0];case 1:return[e[0],e[0]];default:return[e[0],e[1]]}}clearTimer(e){let t=this.removalTimers.find((t=>this.paramsAreEqual(t.params,e)));t&&(clearTimeout(t.timer),this.removalTimers=this.removalTimers.filter((e=>e!==t)))}scheduleForRemoval(e,t){if(!(typeof window>"u")&&(this.clearTimer(e),t>0)){let n=window.setTimeout((()=>this.remove(e)),t);this.removalTimers.push({params:e,timer:n})}}get(e){return this.findCached(e)||this.findInFlight(e)}use(e,t){let n=`${t.url.pathname}-${Date.now()}-${Math.random().toString(36).substring(7)}`;return this.currentUseId=n,e.response.then((e=>{if(this.currentUseId===n)return e.mergeParams({...t,onPrefetched:()=>{}}),this.removeSingleUseItems(t),e.handle()}))}removeSingleUseItems(e){this.cached=this.cached.filter((t=>!this.paramsAreEqual(t.params,e)||!t.singleUse))}findCached(e){return this.cached.find((t=>this.paramsAreEqual(t.params,e)))||null}findInFlight(e){return this.inFlightRequests.find((t=>this.paramsAreEqual(t.params,e)))||null}paramsAreEqual(e,t){return R(e,t,["showProgress","replace","prefetch","onBefore","onStart","onProgress","onFinish","onCancel","onSuccess","onError","onPrefetched","onCancelToken","onPrefetching","async"])}},z=class{constructor(e){if(this.callbacks=[],e.prefetch){let t={onBefore:this.wrapCallback(e,"onBefore"),onStart:this.wrapCallback(e,"onStart"),onProgress:this.wrapCallback(e,"onProgress"),onFinish:this.wrapCallback(e,"onFinish"),onCancel:this.wrapCallback(e,"onCancel"),onSuccess:this.wrapCallback(e,"onSuccess"),onError:this.wrapCallback(e,"onError"),onCancelToken:this.wrapCallback(e,"onCancelToken"),onPrefetched:this.wrapCallback(e,"onPrefetched"),onPrefetching:this.wrapCallback(e,"onPrefetching")};this.params={...e,...t,onPrefetchResponse:e.onPrefetchResponse||(()=>{})}}else this.params=e}static create(e){return new z(e)}data(){return"get"===this.params.method?{}:this.params.data}queryParams(){return"get"===this.params.method?this.params.data:{}}isPartial(){return this.params.only.length>0||this.params.except.length>0||this.params.reset.length>0}onCancelToken(e){this.params.onCancelToken({cancel:e})}markAsFinished(){this.params.completed=!0,this.params.cancelled=!1,this.params.interrupted=!1}markAsCancelled({cancelled:e=!0,interrupted:t=!1}){this.params.onCancel(),this.params.completed=!1,this.params.cancelled=e,this.params.interrupted=t}wasCancelledAtAll(){return this.params.cancelled||this.params.interrupted}onFinish(){this.params.onFinish(this.params)}onStart(){this.params.onStart(this.params)}onPrefetching(){this.params.onPrefetching(this.params)}onPrefetchResponse(e){this.params.onPrefetchResponse&&this.params.onPrefetchResponse(e)}all(){return this.params}headers(){let e={...this.params.headers};this.isPartial()&&(e["X-Inertia-Partial-Component"]=N.get().component);let t=this.params.only.concat(this.params.reset);return t.length>0&&(e["X-Inertia-Partial-Data"]=t.join(",")),this.params.except.length>0&&(e["X-Inertia-Partial-Except"]=this.params.except.join(",")),this.params.reset.length>0&&(e["X-Inertia-Reset"]=this.params.reset.join(",")),this.params.errorBag&&this.params.errorBag.length>0&&(e["X-Inertia-Error-Bag"]=this.params.errorBag),e}setPreserveOptions(e){this.params.preserveScroll=this.resolvePreserveOption(this.params.preserveScroll,e),this.params.preserveState=this.resolvePreserveOption(this.params.preserveState,e)}runCallbacks(){this.callbacks.forEach((({name:e,args:t})=>{this.params[e](...t)}))}merge(e){this.params={...this.params,...e}}wrapCallback(e,t){return(...n)=>{this.recordCallback(t,n),e[t](...n)}}recordCallback(e,t){this.callbacks.push({name:e,args:t})}resolvePreserveOption(e,t){return"function"==typeof e?e(t):"errors"===e?Object.keys(t.props.errors||{}).length>0:e}},q={modal:null,listener:null,show(e){"object"==typeof e&&(e=`All Inertia requests must receive a valid Inertia response, however a plain JSON response was received.<hr>${JSON.stringify(e)}`);let t=document.createElement("html");t.innerHTML=e,t.querySelectorAll("a").forEach((e=>e.setAttribute("target","_top"))),this.modal=document.createElement("div"),this.modal.style.position="fixed",this.modal.style.width="100vw",this.modal.style.height="100vh",this.modal.style.padding="50px",this.modal.style.boxSizing="border-box",this.modal.style.backgroundColor="rgba(0, 0, 0, .6)",this.modal.style.zIndex=2e5,this.modal.addEventListener("click",(()=>this.hide()));let n=document.createElement("iframe");if(n.style.backgroundColor="white",n.style.borderRadius="5px",n.style.width="100%",n.style.height="100%",this.modal.appendChild(n),document.body.prepend(this.modal),document.body.style.overflow="hidden",!n.contentWindow)throw new Error("iframe not yet ready.");n.contentWindow.document.open(),n.contentWindow.document.write(t.outerHTML),n.contentWindow.document.close(),this.listener=this.hideOnEscape.bind(this),document.addEventListener("keydown",this.listener)},hide(){this.modal.outerHTML="",this.modal=null,document.body.style.overflow="visible",document.removeEventListener("keydown",this.listener)},hideOnEscape(e){27===e.keyCode&&this.hide()}},U=new class{constructor(){this.queue=[],this.processing=!1}add(e){this.queue.push(e)}async process(){return this.processing||(this.processing=!0,await this.processQueue(),this.processing=!1),Promise.resolve()}async processQueue(){let e=this.queue.shift();return e?(await e.process(),this.processQueue()):Promise.resolve()}},$=class{constructor(e,t,n){this.requestParams=e,this.response=t,this.originatingPage=n}static create(e,t,n){return new $(e,t,n)}async handlePrefetch(){S(this.requestParams.all().url,window.location)&&this.handle()}async handle(){return U.add(this),U.process()}async process(){if(this.requestParams.all().prefetch)return this.requestParams.all().prefetch=!1,this.requestParams.all().onPrefetched(this.response,this.requestParams.all()),((e,t)=>{l("prefetched",{detail:{fetchedAt:Date.now(),response:e.data,visit:t}})})(this.response,this.requestParams.all()),Promise.resolve();if(this.requestParams.runCallbacks(),!this.isInertiaResponse())return this.handleNonInertiaResponse();await L.processQueue(),L.preserveUrl=this.requestParams.all().preserveUrl,await this.setPage();let e=N.get().props.errors||{};if(Object.keys(e).length>0){let t=this.getScopedErrors(e);return l("error",{detail:{errors:t}}),this.requestParams.all().onError(t)}(e=>{l("success",{detail:{page:e}})})(N.get()),await this.requestParams.all().onSuccess(N.get()),L.preserveUrl=!1}mergeParams(e){this.requestParams.merge(e)}async handleNonInertiaResponse(){if(this.isLocationVisit()){let e=A(this.getHeader("x-inertia-location"));return _(this.requestParams.all().url,e),this.locationVisit(e)}let e={...this.response,data:this.getDataFromResponse(this.response.data)};if(l("invalid",{cancelable:!0,detail:{response:e}}))return q.show(e.data)}isInertiaResponse(){return this.hasHeader("x-inertia")}hasStatus(e){return this.response.status===e}getHeader(e){return this.response.headers[e]}hasHeader(e){return void 0!==this.getHeader(e)}isLocationVisit(){return this.hasStatus(409)&&this.hasHeader("x-inertia-location")}locationVisit(e){try{if(u.set(u.locationVisitKey,{preserveScroll:!0===this.requestParams.all().preserveScroll}),typeof window>"u")return;S(window.location,e)?window.location.reload():window.location.href=e.href}catch{return!1}}async setPage(){let e=this.getDataFromResponse(this.response.data);return this.shouldSetPage(e)?(this.mergeProps(e),await this.setRememberedState(e),this.requestParams.setPreserveOptions(e),e.url=L.preserveUrl?N.get().url:this.pageUrl(e),N.set(e,{replace:this.requestParams.all().replace,preserveScroll:this.requestParams.all().preserveScroll,preserveState:this.requestParams.all().preserveState})):Promise.resolve()}getDataFromResponse(e){if("string"!=typeof e)return e;try{return JSON.parse(e)}catch{return e}}shouldSetPage(e){if(!this.requestParams.all().async||this.originatingPage.component!==e.component)return!0;if(this.originatingPage.component!==N.get().component)return!1;let t=A(this.originatingPage.url),n=A(N.get().url);return t.origin===n.origin&&t.pathname===n.pathname}pageUrl(e){let t=A(e.url);return _(this.requestParams.all().url,t),t.href.split(t.host).pop()}mergeProps(e){this.requestParams.isPartial()&&e.component===N.get().component&&((e.mergeProps||[]).forEach((t=>{let n=e.props[t];Array.isArray(n)?e.props[t]=[...N.get().props[t]||[],...n]:"object"==typeof n&&(e.props[t]={...N.get().props[t]||[],...n})})),e.props={...N.get().props,...e.props})}async setRememberedState(e){let t=await L.getState(L.rememberedState,{});this.requestParams.all().preserveState&&t&&e.component===N.get().component&&(e.rememberedState=t)}getScopedErrors(e){return this.requestParams.all().errorBag?e[this.requestParams.all().errorBag||""]||{}:e}},W=class{constructor(e,t){this.page=t,this.requestHasFinished=!1,this.requestParams=z.create(e),this.cancelToken=new AbortController}static create(e,t){return new W(e,t)}async send(){this.requestParams.onCancelToken((()=>this.cancel({cancelled:!0}))),l("start",{detail:{visit:this.requestParams.all()}}),this.requestParams.onStart(),this.requestParams.all().prefetch&&(this.requestParams.onPrefetching(),(e=>{l("prefetching",{detail:{visit:e}})})(this.requestParams.all()));let e=this.requestParams.all().prefetch;return(0,i.A)({method:this.requestParams.all().method,url:M(this.requestParams.all().url).href,data:this.requestParams.data(),params:this.requestParams.queryParams(),signal:this.cancelToken.signal,headers:this.getHeaders(),onUploadProgress:this.onProgress.bind(this),responseType:"text"}).then((e=>(this.response=$.create(this.requestParams,e,this.page),this.response.handle()))).catch((e=>e?.response?(this.response=$.create(this.requestParams,e.response,this.page),this.response.handle()):Promise.reject(e))).catch((e=>{if(!i.A.isCancel(e)&&(e=>l("exception",{cancelable:!0,detail:{exception:e}}))(e))return Promise.reject(e)})).finally((()=>{this.finish(),e&&this.response&&this.requestParams.onPrefetchResponse(this.response)}))}finish(){this.requestParams.wasCancelledAtAll()||(this.requestParams.markAsFinished(),this.fireFinishEvents())}fireFinishEvents(){this.requestHasFinished||(this.requestHasFinished=!0,l("finish",{detail:{visit:this.requestParams.all()}}),this.requestParams.onFinish())}cancel({cancelled:e=!1,interrupted:t=!1}){this.requestHasFinished||(this.cancelToken.abort(),this.requestParams.markAsCancelled({cancelled:e,interrupted:t}),this.fireFinishEvents())}onProgress(e){this.requestParams.data()instanceof FormData&&(e.percentage=e.progress?Math.round(100*e.progress):0,l("progress",{detail:{progress:e}}),this.requestParams.all().onProgress(e))}getHeaders(){let e={...this.requestParams.headers(),Accept:"text/html, application/xhtml+xml","X-Requested-With":"XMLHttpRequest","X-Inertia":!0};return N.get().version&&(e["X-Inertia-Version"]=N.get().version),e}},G=class{constructor({maxConcurrent:e,interruptible:t}){this.requests=[],this.maxConcurrent=e,this.interruptible=t}send(e){this.requests.push(e),e.send().then((()=>{this.requests=this.requests.filter((t=>t!==e))}))}interruptInFlight(){this.cancel({interrupted:!0},!1)}cancelInFlight(){this.cancel({cancelled:!0},!0)}cancel({cancelled:e=!1,interrupted:t=!1}={},n){this.shouldCancel(n)&&this.requests.shift()?.cancel({interrupted:t,cancelled:e})}shouldCancel(e){return!!e||this.interruptible&&this.requests.length>=this.maxConcurrent}},K={buildDOMElement(e){let t=document.createElement("template");t.innerHTML=e;let n=t.content.firstChild;if(!e.startsWith("<script "))return n;let r=document.createElement("script");return r.innerHTML=n.innerHTML,n.getAttributeNames().forEach((e=>{r.setAttribute(e,n.getAttribute(e)||"")})),r},isInertiaManagedElement:e=>e.nodeType===Node.ELEMENT_NODE&&null!==e.getAttribute("inertia"),findMatchingElementIndex(e,t){let n=e.getAttribute("inertia");return null!==n?t.findIndex((e=>e.getAttribute("inertia")===n)):-1},update:a((function(e){let t=e.map((e=>this.buildDOMElement(e)));Array.from(document.head.childNodes).filter((e=>this.isInertiaManagedElement(e))).forEach((e=>{let n=this.findMatchingElementIndex(e,t);if(-1===n)return void e?.parentNode?.removeChild(e);let r=t.splice(n,1)[0];r&&!e.isEqualNode(r)&&e?.parentNode?.replaceChild(r,e)})),t.forEach((e=>document.head.appendChild(e)))}),1)};function Y(e,t,n){let r={},o=0;function i(){let e=t(""),n={...e?{title:`<title inertia="">${e}</title>`}:{}},o=Object.values(r).reduce(((e,t)=>e.concat(t)),[]).reduce(((e,n)=>{if(-1===n.indexOf("<"))return e;if(0===n.indexOf("<title ")){let r=n.match(/(<title [^>]+>)(.*?)(<\/title>)/);return e.title=r?`${r[1]}${t(r[2])}${r[3]}`:n,e}let r=n.match(/ inertia="[^"]+"/);return r?e[r[0]]=n:e[Object.keys(e).length]=n,e}),n);return Object.values(o)}function a(){e?n(i()):K.update(i())}return a(),{forceUpdate:a,createProvider:function(){let e=function(){let e=o+=1;return r[e]=[],e.toString()}();return{update:t=>function(e,t=[]){null!==e&&Object.keys(r).indexOf(e)>-1&&(r[e]=t),a()}(e,t),disconnect:()=>function(e){null===e||-1===Object.keys(r).indexOf(e)||(delete r[e],a())}(e)}}}}var X="nprogress",J={minimum:.08,easing:"linear",positionUsing:"translate3d",speed:200,trickle:!0,trickleSpeed:200,showSpinner:!0,barSelector:'[role="bar"]',spinnerSelector:'[role="spinner"]',parent:"body",color:"#29d",includeCSS:!0,template:['<div class="bar" role="bar">','<div class="peg"></div>',"</div>",'<div class="spinner" role="spinner">','<div class="spinner-icon"></div>',"</div>"].join("")},Q=null,ee=e=>{let t=te();e=ce(e,J.minimum,1),Q=1===e?null:e;let n=oe(!t),r=n.querySelector(J.barSelector),o=J.speed,i=J.easing;n.offsetWidth,de((t=>{let a="translate3d"===J.positionUsing?{transition:`all ${o}ms ${i}`,transform:`translate3d(${ue(e)}%,0,0)`}:"translate"===J.positionUsing?{transition:`all ${o}ms ${i}`,transform:`translate(${ue(e)}%,0)`}:{marginLeft:`${ue(e)}%`};for(let e in a)r.style[e]=a[e];if(1!==e)return setTimeout(t,o);n.style.transition="none",n.style.opacity="1",n.offsetWidth,setTimeout((()=>{n.style.transition=`all ${o}ms linear`,n.style.opacity="0",setTimeout((()=>{ae(),t()}),o)}),o)}))},te=()=>"number"==typeof Q,ne=()=>{Q||ee(0);let e=function(){setTimeout((function(){Q&&(re(),e())}),J.trickleSpeed)};J.trickle&&e()},re=e=>{let t=Q;return null===t?ne():t>1?void 0:(e="number"==typeof e?e:(()=>{let e={.1:[0,.2],.04:[.2,.5],.02:[.5,.8],.005:[.8,.99]};for(let n in e)if(t>=e[n][0]&&t<e[n][1])return parseFloat(n);return 0})(),ee(ce(t+e,0,.994)))},oe=e=>{if(le())return document.getElementById(X);document.documentElement.classList.add(`${X}-busy`);let t=document.createElement("div");t.id=X,t.innerHTML=J.template;let n=t.querySelector(J.barSelector),r=e?"-100":ue(Q||0),o=ie();return n.style.transition="all 0 linear",n.style.transform=`translate3d(${r}%,0,0)`,J.showSpinner||t.querySelector(J.spinnerSelector)?.remove(),o!==document.body&&o.classList.add(`${X}-custom-parent`),o.appendChild(t),t},ie=()=>se(J.parent)?J.parent:document.querySelector(J.parent),ae=()=>{document.documentElement.classList.remove(`${X}-busy`),ie().classList.remove(`${X}-custom-parent`),document.getElementById(X)?.remove()},le=()=>null!==document.getElementById(X),se=e=>"object"==typeof HTMLElement?e instanceof HTMLElement:e&&"object"==typeof e&&1===e.nodeType&&"string"==typeof e.nodeName;function ce(e,t,n){return e<t?t:e>n?n:e}var ue=e=>100*(-1+e),de=(()=>{let e=[],t=()=>{let n=e.shift();n&&n(t)};return n=>{e.push(n),1===e.length&&t()}})(),he=e=>{let t=document.createElement("style");t.textContent=`\n    #${X} {\n      pointer-events: none;\n    }\n\n    #${X} .bar {\n      background: ${e};\n\n      position: fixed;\n      z-index: 1031;\n      top: 0;\n      left: 0;\n\n      width: 100%;\n      height: 2px;\n    }\n\n    #${X} .peg {\n      display: block;\n      position: absolute;\n      right: 0px;\n      width: 100px;\n      height: 100%;\n      box-shadow: 0 0 10px ${e}, 0 0 5px ${e};\n      opacity: 1.0;\n\n      transform: rotate(3deg) translate(0px, -4px);\n    }\n\n    #${X} .spinner {\n      display: block;\n      position: fixed;\n      z-index: 1031;\n      top: 15px;\n      right: 15px;\n    }\n\n    #${X} .spinner-icon {\n      width: 18px;\n      height: 18px;\n      box-sizing: border-box;\n\n      border: solid 2px transparent;\n      border-top-color: ${e};\n      border-left-color: ${e};\n      border-radius: 50%;\n\n      animation: ${X}-spinner 400ms linear infinite;\n    }\n\n    .${X}-custom-parent {\n      overflow: hidden;\n      position: relative;\n    }\n\n    .${X}-custom-parent #${X} .spinner,\n    .${X}-custom-parent #${X} .bar {\n      position: absolute;\n    }\n\n    @keyframes ${X}-spinner {\n      0%   { transform: rotate(0deg); }\n      100% { transform: rotate(360deg); }\n    }\n  `,document.head.appendChild(t)},pe=(()=>{if(typeof document>"u")return null;let e=document.createElement("style");return e.innerHTML=`#${X} { display: none; }`,e})(),fe={configure:e=>{Object.assign(J,e),J.includeCSS&&he(J.color)},isStarted:te,done:e=>{!e&&!Q||(re(.3+.5*Math.random()),ee(1))},set:ee,remove:ae,start:ne,status:Q,show:()=>{if(pe&&document.head.contains(pe))return document.head.removeChild(pe)},hide:()=>{pe&&!document.head.contains(pe)&&document.head.appendChild(pe)}},me=0,ve=(e=!1)=>{me=Math.max(0,me-1),(e||0===me)&&fe.show()},ge=()=>{me++,fe.hide()};function we(e){document.addEventListener("inertia:start",(t=>function(e,t){e.detail.visit.showProgress||ge();let n=setTimeout((()=>fe.start()),t);document.addEventListener("inertia:finish",(e=>function(e,t){clearTimeout(t),fe.isStarted()&&(e.detail.visit.completed?fe.done():e.detail.visit.interrupted?fe.set(0):e.detail.visit.cancelled&&(fe.done(),fe.remove()))}(e,n)),{once:!0})}(t,e))),document.addEventListener("inertia:progress",ye)}function ye(e){fe.isStarted()&&e.detail.progress?.percentage&&fe.set(Math.max(fe.status,e.detail.progress.percentage/100*.9))}function be({delay:e=250,color:t="#29d",includeCSS:n=!0,showSpinner:r=!1}={}){we(e),fe.configure({showSpinner:r,includeCSS:n,color:t})}function xe(e){let t="a"===e.currentTarget.tagName.toLowerCase();return!(e.target&&(e?.target).isContentEditable||e.defaultPrevented||t&&e.which>1||t&&e.altKey||t&&e.ctrlKey||t&&e.metaKey||t&&e.shiftKey||t&&"button"in e&&0!==e.button)}var ke=new class{constructor(){this.syncRequestStream=new G({maxConcurrent:1,interruptible:!0}),this.asyncRequestStream=new G({maxConcurrent:1/0,interruptible:!1})}init({initialPage:e,resolveComponent:t,swapComponent:n}){N.init({initialPage:e,resolveComponent:t,swapComponent:n}),Z.handle(),T.init(),T.on("missingHistoryItem",(()=>{typeof window<"u"&&this.visit(window.location.href,{preserveState:!0,preserveScroll:!0,replace:!0})})),T.on("loadDeferredProps",(()=>{this.loadDeferredProps()}))}get(e,t={},n={}){return this.visit(e,{...n,method:"get",data:t})}post(e,t={},n={}){return this.visit(e,{preserveState:!0,...n,method:"post",data:t})}put(e,t={},n={}){return this.visit(e,{preserveState:!0,...n,method:"put",data:t})}patch(e,t={},n={}){return this.visit(e,{preserveState:!0,...n,method:"patch",data:t})}delete(e,t={}){return this.visit(e,{preserveState:!0,...t,method:"delete"})}reload(e={}){if(!(typeof window>"u"))return this.visit(window.location.href,{...e,preserveScroll:!0,preserveState:!0,async:!0,headers:{...e.headers||{},"Cache-Control":"no-cache"}})}remember(e,t="default"){L.remember(e,t)}restore(e="default"){return L.restore(e)}on(e,t){return T.onGlobalEvent(e,t)}cancel(){this.syncRequestStream.cancelInFlight()}cancelAll(){this.asyncRequestStream.cancelInFlight(),this.syncRequestStream.cancelInFlight()}poll(e,t={},n={}){return D.add(e,(()=>this.reload(t)),{autoStart:n.autoStart??!0,keepAlive:n.keepAlive??!1})}visit(e,t={}){let n=this.getPendingVisit(e,{...t,showProgress:t.showProgress??!t.async}),r=this.getVisitEvents(t);if(!1===r.onBefore(n)||!s(n))return;let o=n.async?this.asyncRequestStream:this.syncRequestStream;o.interruptInFlight(),!N.isCleared()&&!n.preserveUrl&&w.save(N.get());let i={...n,...r},a=F.get(i);a?(ve(a.inFlight),F.use(a,i)):(ve(!0),o.send(W.create(i,N.get())))}getCached(e,t={}){return F.findCached(this.getPrefetchParams(e,t))}flush(e,t={}){F.remove(this.getPrefetchParams(e,t))}flushAll(){F.removeAll()}getPrefetching(e,t={}){return F.findInFlight(this.getPrefetchParams(e,t))}prefetch(e,t={},{cacheFor:n}){if("get"!==t.method)throw new Error("Prefetch requests must use the GET method");let r=this.getPendingVisit(e,{...t,async:!0,showProgress:!1,prefetch:!0});if(r.url.origin+r.url.pathname+r.url.search===window.location.origin+window.location.pathname+window.location.search)return;let o=this.getVisitEvents(t);if(!1===o.onBefore(r)||!s(r))return;ge(),this.asyncRequestStream.interruptInFlight();let i={...r,...o};new Promise((e=>{let t=()=>{N.get()?e():setTimeout(t,50)};t()})).then((()=>{F.add(i,(e=>{this.asyncRequestStream.send(W.create(e,N.get()))}),{cacheFor:n})}))}clearHistory(){L.clear()}decryptHistory(){return L.decrypt()}replace(e){this.clientVisit(e,{replace:!0})}push(e){this.clientVisit(e)}clientVisit(e,{replace:t=!1}={}){let n=N.get(),r="function"==typeof e.props?e.props(n.props):e.props??n.props;N.set({...n,...e,props:r},{replace:t,preserveScroll:e.preserveScroll,preserveState:e.preserveState})}getPrefetchParams(e,t){return{...this.getPendingVisit(e,{...t,async:!0,showProgress:!1,prefetch:!0}),...this.getVisitEvents(t)}}getPendingVisit(e,t,n={}){let r={method:"get",data:{},replace:!1,preserveScroll:!1,preserveState:!1,only:[],except:[],headers:{},errorBag:"",forceFormData:!1,queryStringArrayFormat:"brackets",async:!1,showProgress:!0,fresh:!1,reset:[],preserveUrl:!1,prefetch:!1,...t},[o,i]=C(e,r.data,r.method,r.forceFormData,r.queryStringArrayFormat);return{cancelled:!1,completed:!1,interrupted:!1,...r,...n,url:o,data:i}}getVisitEvents(e){return{onCancelToken:e.onCancelToken||(()=>{}),onBefore:e.onBefore||(()=>{}),onStart:e.onStart||(()=>{}),onProgress:e.onProgress||(()=>{}),onFinish:e.onFinish||(()=>{}),onCancel:e.onCancel||(()=>{}),onSuccess:e.onSuccess||(()=>{}),onError:e.onError||(()=>{}),onPrefetched:e.onPrefetched||(()=>{}),onPrefetching:e.onPrefetching||(()=>{})}}loadDeferredProps(){let e=N.get()?.deferredProps;e&&Object.entries(e).forEach((([e,t])=>{this.reload({only:t})}))}}},59977:(e,t,n)=>{"use strict";n.d(t,{N5:()=>v,N_:()=>y,QB:()=>r.QB,p3:()=>w,sj:()=>g});var r=n(403),o=n(29726),i=n(67193),a=n(8142),l={created(){if(!this.$options.remember)return;Array.isArray(this.$options.remember)&&(this.$options.remember={data:this.$options.remember}),"string"==typeof this.$options.remember&&(this.$options.remember={data:[this.$options.remember]}),"string"==typeof this.$options.remember.data&&(this.$options.remember={data:[this.$options.remember.data]});let e=this.$options.remember.key instanceof Function?this.$options.remember.key.call(this):this.$options.remember.key,t=r.QB.restore(e),n=this.$options.remember.data.filter((e=>!(null!==this[e]&&"object"==typeof this[e]&&!1===this[e].__rememberable))),o=e=>null!==this[e]&&"object"==typeof this[e]&&"function"==typeof this[e].__remember&&"function"==typeof this[e].__restore;n.forEach((a=>{void 0!==this[a]&&void 0!==t&&void 0!==t[a]&&(o(a)?this[a].__restore(t[a]):this[a]=t[a]),this.$watch(a,(()=>{r.QB.remember(n.reduce(((e,t)=>({...e,[t]:i(o(t)?this[t].__remember():this[t])})),{}),e)}),{immediate:!0,deep:!0})}))}};function s(e,t){let n="string"==typeof e?e:null,l="string"==typeof e?t:e,s=n?r.QB.restore(n):null,c=i("object"==typeof l?l:l()),u=null,d=null,h=e=>e,p=(0,o.reactive)({...s?s.data:i(c),isDirty:!1,errors:s?s.errors:{},hasErrors:!1,processing:!1,progress:null,wasSuccessful:!1,recentlySuccessful:!1,data(){return Object.keys(c).reduce(((e,t)=>(e[t]=this[t],e)),{})},transform(e){return h=e,this},defaults(e,t){if("function"==typeof l)throw new Error("You cannot call `defaults()` when using a function to define your form data.");return c=typeof e>"u"?this.data():Object.assign({},i(c),"string"==typeof e?{[e]:t}:e),this},reset(...e){let t=i("object"==typeof l?c:l()),n=i(t);return 0===e.length?(c=n,Object.assign(this,t)):Object.keys(t).filter((t=>e.includes(t))).forEach((e=>{c[e]=n[e],this[e]=t[e]})),this},setError(e,t){return Object.assign(this.errors,"string"==typeof e?{[e]:t}:e),this.hasErrors=Object.keys(this.errors).length>0,this},clearErrors(...e){return this.errors=Object.keys(this.errors).reduce(((t,n)=>({...t,...e.length>0&&!e.includes(n)?{[n]:this.errors[n]}:{}})),{}),this.hasErrors=Object.keys(this.errors).length>0,this},submit(e,t,n={}){let o=h(this.data()),a={...n,onCancelToken:e=>{if(u=e,n.onCancelToken)return n.onCancelToken(e)},onBefore:e=>{if(this.wasSuccessful=!1,this.recentlySuccessful=!1,clearTimeout(d),n.onBefore)return n.onBefore(e)},onStart:e=>{if(this.processing=!0,n.onStart)return n.onStart(e)},onProgress:e=>{if(this.progress=e,n.onProgress)return n.onProgress(e)},onSuccess:async e=>{this.processing=!1,this.progress=null,this.clearErrors(),this.wasSuccessful=!0,this.recentlySuccessful=!0,d=setTimeout((()=>this.recentlySuccessful=!1),2e3);let t=n.onSuccess?await n.onSuccess(e):null;return c=i(this.data()),this.isDirty=!1,t},onError:e=>{if(this.processing=!1,this.progress=null,this.clearErrors().setError(e),n.onError)return n.onError(e)},onCancel:()=>{if(this.processing=!1,this.progress=null,n.onCancel)return n.onCancel()},onFinish:e=>{if(this.processing=!1,this.progress=null,u=null,n.onFinish)return n.onFinish(e)}};"delete"===e?r.QB.delete(t,{...a,data:o}):r.QB[e](t,o,a)},get(e,t){this.submit("get",e,t)},post(e,t){this.submit("post",e,t)},put(e,t){this.submit("put",e,t)},patch(e,t){this.submit("patch",e,t)},delete(e,t){this.submit("delete",e,t)},cancel(){u&&u.cancel()},__rememberable:null===n,__remember(){return{data:this.data(),errors:this.errors}},__restore(e){Object.assign(this,e.data),this.setError(e.errors)}});return(0,o.watch)(p,(e=>{p.isDirty=!a(p.data(),c),n&&r.QB.remember(i(e.__remember()),n)}),{immediate:!0,deep:!0}),p}var c=(0,o.ref)(null),u=(0,o.ref)(null),d=(0,o.shallowRef)(null),h=(0,o.ref)(null),p=null,f=(0,o.defineComponent)({name:"Inertia",props:{initialPage:{type:Object,required:!0},initialComponent:{type:Object,required:!1},resolveComponent:{type:Function,required:!1},titleCallback:{type:Function,required:!1,default:e=>e},onHeadUpdate:{type:Function,required:!1,default:()=>()=>{}}},setup({initialPage:e,initialComponent:t,resolveComponent:n,titleCallback:i,onHeadUpdate:a}){c.value=t?(0,o.markRaw)(t):null,u.value=e,h.value=null;let l=typeof window>"u";return p=(0,r.af)(l,i,a),l||(r.QB.init({initialPage:e,resolveComponent:n,swapComponent:async e=>{c.value=(0,o.markRaw)(e.component),u.value=e.page,h.value=e.preserveState?h.value:Date.now()}}),r.QB.on("navigate",(()=>p.forceUpdate()))),()=>{if(c.value){c.value.inheritAttrs=!!c.value.inheritAttrs;let e=(0,o.h)(c.value,{...u.value.props,key:h.value});return d.value&&(c.value.layout=d.value,d.value=null),c.value.layout?"function"==typeof c.value.layout?c.value.layout(o.h,e):(Array.isArray(c.value.layout)?c.value.layout:[c.value.layout]).concat(e).reverse().reduce(((e,t)=>(t.inheritAttrs=!!t.inheritAttrs,(0,o.h)(t,{...u.value.props},(()=>e))))):e}}}}),m={install(e){r.QB.form=s,Object.defineProperty(e.config.globalProperties,"$inertia",{get:()=>r.QB}),Object.defineProperty(e.config.globalProperties,"$page",{get:()=>u.value}),Object.defineProperty(e.config.globalProperties,"$headManager",{get:()=>p}),e.mixin(l)}};function v(){return(0,o.reactive)({props:(0,o.computed)((()=>u.value?.props)),url:(0,o.computed)((()=>u.value?.url)),component:(0,o.computed)((()=>u.value?.component)),version:(0,o.computed)((()=>u.value?.version)),clearHistory:(0,o.computed)((()=>u.value?.clearHistory)),deferredProps:(0,o.computed)((()=>u.value?.deferredProps)),mergeProps:(0,o.computed)((()=>u.value?.mergeProps)),scrollRegions:(0,o.computed)((()=>u.value?.scrollRegions)),rememberedState:(0,o.computed)((()=>u.value?.rememberedState)),encryptHistory:(0,o.computed)((()=>u.value?.encryptHistory))})}async function g({id:e="app",resolve:t,setup:n,title:i,progress:a={},page:l,render:s}){let c=typeof window>"u",u=c?null:document.getElementById(e),d=l||JSON.parse(u.dataset.page),h=e=>Promise.resolve(t(e)).then((e=>e.default||e)),p=[],v=await Promise.all([h(d.component),r.QB.decryptHistory().catch((()=>{}))]).then((([e])=>n({el:u,App:f,props:{initialPage:d,initialComponent:e,resolveComponent:h,titleCallback:i,onHeadUpdate:c?e=>p=e:null},plugin:m})));if(!c&&a&&(0,r.hg)(a),c){let t=await s((0,o.createSSRApp)({render:()=>(0,o.h)("div",{id:e,"data-page":JSON.stringify(d),innerHTML:v?s(v):""})}));return{head:p,body:t}}}(0,o.defineComponent)({name:"Deferred",props:{data:{type:[String,Array],required:!0}},render(){let e=Array.isArray(this.$props.data)?this.$props.data:[this.$props.data];if(!this.$slots.fallback)throw new Error("`<Deferred>` requires a `<template #fallback>` slot");return e.every((e=>void 0!==this.$page.props[e]))?this.$slots.default():this.$slots.fallback()}});var w=(0,o.defineComponent)({props:{title:{type:String,required:!1}},data(){return{provider:this.$headManager.createProvider()}},beforeUnmount(){this.provider.disconnect()},methods:{isUnaryTag:e=>["area","base","br","col","embed","hr","img","input","keygen","link","meta","param","source","track","wbr"].indexOf(e.type)>-1,renderTagStart(e){e.props=e.props||{},e.props.inertia=void 0!==e.props["head-key"]?e.props["head-key"]:"";let t=Object.keys(e.props).reduce(((t,n)=>{let r=e.props[n];return["key","head-key"].includes(n)?t:""===r?t+` ${n}`:t+` ${n}="${r}"`}),"");return`<${e.type}${t}>`},renderTagChildren(e){return"string"==typeof e.children?e.children:e.children.reduce(((e,t)=>e+this.renderTag(t)),"")},isFunctionNode:e=>"function"==typeof e.type,isComponentNode:e=>"object"==typeof e.type,isCommentNode:e=>/(comment|cmt)/i.test(e.type.toString()),isFragmentNode:e=>/(fragment|fgt|symbol\(\))/i.test(e.type.toString()),isTextNode:e=>/(text|txt)/i.test(e.type.toString()),renderTag(e){if(this.isTextNode(e))return e.children;if(this.isFragmentNode(e))return"";if(this.isCommentNode(e))return"";let t=this.renderTagStart(e);return e.children&&(t+=this.renderTagChildren(e)),this.isUnaryTag(e)||(t+=`</${e.type}>`),t},addTitleElement(e){return this.title&&!e.find((e=>e.startsWith("<title")))&&e.push(`<title inertia>${this.title}</title>`),e},renderNodes(e){return this.addTitleElement(e.flatMap((e=>this.resolveNode(e))).map((e=>this.renderTag(e))).filter((e=>e)))},resolveNode(e){return this.isFunctionNode(e)?this.resolveNode(e.type()):this.isComponentNode(e)?(console.warn("Using components in the <Head> component is not supported."),[]):this.isTextNode(e)&&e.children?e:this.isFragmentNode(e)&&e.children?e.children.flatMap((e=>this.resolveNode(e))):this.isCommentNode(e)?[]:e}},render(){this.provider.update(this.renderNodes(this.$slots.default?this.$slots.default():[]))}}),y=(0,o.defineComponent)({name:"Link",props:{as:{type:String,default:"a"},data:{type:Object,default:()=>({})},href:{type:String,required:!0},method:{type:String,default:"get"},replace:{type:Boolean,default:!1},preserveScroll:{type:Boolean,default:!1},preserveState:{type:Boolean,default:null},only:{type:Array,default:()=>[]},except:{type:Array,default:()=>[]},headers:{type:Object,default:()=>({})},queryStringArrayFormat:{type:String,default:"brackets"},async:{type:Boolean,default:!1},prefetch:{type:[Boolean,String,Array],default:!1},cacheFor:{type:[Number,String,Array],default:0},onStart:{type:Function,default:e=>{}},onProgress:{type:Function,default:()=>{}},onFinish:{type:Function,default:()=>{}},onBefore:{type:Function,default:()=>{}},onCancel:{type:Function,default:()=>{}},onSuccess:{type:Function,default:()=>{}},onError:{type:Function,default:()=>{}},onCancelToken:{type:Function,default:()=>{}}},setup(e,{slots:t,attrs:n}){let i=(0,o.ref)(0),a=(0,o.ref)(null),l=!0===e.prefetch?["hover"]:!1===e.prefetch?[]:Array.isArray(e.prefetch)?e.prefetch:[e.prefetch],s=0!==e.cacheFor?e.cacheFor:1===l.length&&"click"===l[0]?0:3e4;(0,o.onMounted)((()=>{l.includes("mount")&&g()})),(0,o.onUnmounted)((()=>{clearTimeout(a.value)}));let c=e.method.toLowerCase(),u="get"!==c?"button":e.as.toLowerCase(),d=(0,o.computed)((()=>(0,r.S9)(c,e.href||"",e.data,e.queryStringArrayFormat))),h=(0,o.computed)((()=>d.value[0])),p=(0,o.computed)((()=>d.value[1])),f=(0,o.computed)((()=>({a:{href:h.value},button:{type:"button"}}))),m={data:p.value,method:c,replace:e.replace,preserveScroll:e.preserveScroll,preserveState:e.preserveState??"get"!==c,only:e.only,except:e.except,headers:e.headers,async:e.async},v={...m,onCancelToken:e.onCancelToken,onBefore:e.onBefore,onStart:t=>{i.value++,e.onStart(t)},onProgress:e.onProgress,onFinish:t=>{i.value--,e.onFinish(t)},onCancel:e.onCancel,onSuccess:e.onSuccess,onError:e.onError},g=()=>{r.QB.prefetch(h.value,m,{cacheFor:s})},w={onClick:e=>{(0,r._M)(e)&&(e.preventDefault(),r.QB.visit(h.value,v))}},y={onMouseenter:()=>{a.value=setTimeout((()=>{g()}),75)},onMouseleave:()=>{clearTimeout(a.value)},onClick:w.onClick},b={onMousedown:e=>{(0,r._M)(e)&&(e.preventDefault(),g())},onMouseup:e=>{e.preventDefault(),r.QB.visit(h.value,v)},onClick:e=>{(0,r._M)(e)&&e.preventDefault()}};return()=>(0,o.h)(u,{...n,...f.value[u]||{},"data-loading":i.value>0?"":void 0,...l.includes("hover")?y:l.includes("click")?b:w},t)}});(0,o.defineComponent)({name:"WhenVisible",props:{data:{type:[String,Array]},params:{type:Object},buffer:{type:Number,default:0},as:{type:String,default:"div"},always:{type:Boolean,default:!1}},data:()=>({loaded:!1,fetching:!1,observer:null}),unmounted(){this.observer?.disconnect()},mounted(){this.observer=new IntersectionObserver((e=>{if(!e[0].isIntersecting||(this.$props.always||this.observer.disconnect(),this.fetching))return;this.fetching=!0;let t=this.getReloadParams();r.QB.reload({...t,onStart:e=>{this.fetching=!0,t.onStart?.(e)},onFinish:e=>{this.loaded=!0,this.fetching=!1,t.onFinish?.(e)}})}),{rootMargin:`${this.$props.buffer}px`}),this.observer.observe(this.$el.nextSibling)},methods:{getReloadParams(){if(this.$props.data)return{only:Array.isArray(this.$props.data)?this.$props.data:[this.$props.data]};if(!this.$props.params)throw new Error("You must provide either a `data` or `params` prop.");return this.$props.params}},render(){let e=[];return(this.$props.always||!this.loaded)&&e.push((0,o.h)(this.$props.as)),this.loaded?this.$slots.default&&e.push(this.$slots.default()):e.push(this.$slots.fallback?this.$slots.fallback():null),e}})},96433:(e,t,n)=>{"use strict";n.d(t,{F4c:()=>i,MLh:()=>l});var r=n(52307),o=n(29726);function i(e){var t;const n=(0,r.BA)(e);return null!=(t=null==n?void 0:n.$el)?t:n}const a=r.oc?window:void 0;r.oc&&window.document,r.oc&&window.navigator,r.oc&&window.location;function l(...e){let t,n,l,s;if("string"==typeof e[0]||Array.isArray(e[0])?([n,l,s]=e,t=a):[t,n,l,s]=e,!t)return r.lQ;Array.isArray(n)||(n=[n]),Array.isArray(l)||(l=[l]);const c=[],u=()=>{c.forEach((e=>e())),c.length=0},d=(0,o.watch)((()=>[i(t),(0,r.BA)(s)]),(([e,t])=>{if(u(),!e)return;const o=(0,r.Gv)(t)?{...t}:t;c.push(...n.flatMap((t=>l.map((n=>((e,t,n,r)=>(e.addEventListener(t,n,r),()=>e.removeEventListener(t,n,r)))(e,t,n,o))))))}),{immediate:!0,flush:"post"}),h=()=>{d(),u()};return(0,r.Uo)(h),h}"undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:"undefined"!=typeof global?global:"undefined"!=typeof self&&self;Number.POSITIVE_INFINITY;const s={easeInSine:[.12,0,.39,0],easeOutSine:[.61,1,.88,1],easeInOutSine:[.37,0,.63,1],easeInQuad:[.11,0,.5,0],easeOutQuad:[.5,1,.89,1],easeInOutQuad:[.45,0,.55,1],easeInCubic:[.32,0,.67,0],easeOutCubic:[.33,1,.68,1],easeInOutCubic:[.65,0,.35,1],easeInQuart:[.5,0,.75,0],easeOutQuart:[.25,1,.5,1],easeInOutQuart:[.76,0,.24,1],easeInQuint:[.64,0,.78,0],easeOutQuint:[.22,1,.36,1],easeInOutQuint:[.83,0,.17,1],easeInExpo:[.7,0,.84,0],easeOutExpo:[.16,1,.3,1],easeInOutExpo:[.87,0,.13,1],easeInCirc:[.55,0,1,.45],easeOutCirc:[0,.55,.45,1],easeInOutCirc:[.85,0,.15,1],easeInBack:[.36,0,.66,-.56],easeOutBack:[.34,1.56,.64,1],easeInOutBack:[.68,-.6,.32,1.6]};r.D_},5620:(e,t,n)=>{"use strict";n.d(t,{r:()=>z});var r=n(96433),o=n(52307),i=n(29726);var a=["input:not([inert])","select:not([inert])","textarea:not([inert])","a[href]:not([inert])","button:not([inert])","[tabindex]:not(slot):not([inert])","audio[controls]:not([inert])","video[controls]:not([inert])",'[contenteditable]:not([contenteditable="false"]):not([inert])',"details>summary:first-of-type:not([inert])","details:not([inert])"],l=a.join(","),s="undefined"==typeof Element,c=s?function(){}:Element.prototype.matches||Element.prototype.msMatchesSelector||Element.prototype.webkitMatchesSelector,u=!s&&Element.prototype.getRootNode?function(e){var t;return null==e||null===(t=e.getRootNode)||void 0===t?void 0:t.call(e)}:function(e){return null==e?void 0:e.ownerDocument},d=function e(t,n){var r;void 0===n&&(n=!0);var o=null==t||null===(r=t.getAttribute)||void 0===r?void 0:r.call(t,"inert");return""===o||"true"===o||n&&t&&e(t.parentNode)},h=function(e,t,n){if(d(e))return[];var r=Array.prototype.slice.apply(e.querySelectorAll(l));return t&&c.call(e,l)&&r.unshift(e),r=r.filter(n)},p=function e(t,n,r){for(var o=[],i=Array.from(t);i.length;){var a=i.shift();if(!d(a,!1))if("SLOT"===a.tagName){var s=a.assignedElements(),u=e(s.length?s:a.children,!0,r);r.flatten?o.push.apply(o,u):o.push({scopeParent:a,candidates:u})}else{c.call(a,l)&&r.filter(a)&&(n||!t.includes(a))&&o.push(a);var h=a.shadowRoot||"function"==typeof r.getShadowRoot&&r.getShadowRoot(a),p=!d(h,!1)&&(!r.shadowRootFilter||r.shadowRootFilter(a));if(h&&p){var f=e(!0===h?a.children:h.children,!0,r);r.flatten?o.push.apply(o,f):o.push({scopeParent:a,candidates:f})}else i.unshift.apply(i,a.children)}}return o},f=function(e){return!isNaN(parseInt(e.getAttribute("tabindex"),10))},m=function(e){if(!e)throw new Error("No node provided");return e.tabIndex<0&&(/^(AUDIO|VIDEO|DETAILS)$/.test(e.tagName)||function(e){var t,n=null==e||null===(t=e.getAttribute)||void 0===t?void 0:t.call(e,"contenteditable");return""===n||"true"===n}(e))&&!f(e)?0:e.tabIndex},v=function(e,t){return e.tabIndex===t.tabIndex?e.documentOrder-t.documentOrder:e.tabIndex-t.tabIndex},g=function(e){return"INPUT"===e.tagName},w=function(e){return function(e){return g(e)&&"radio"===e.type}(e)&&!function(e){if(!e.name)return!0;var t,n=e.form||u(e),r=function(e){return n.querySelectorAll('input[type="radio"][name="'+e+'"]')};if("undefined"!=typeof window&&void 0!==window.CSS&&"function"==typeof window.CSS.escape)t=r(window.CSS.escape(e.name));else try{t=r(e.name)}catch(e){return console.error("Looks like you have a radio button with a name attribute containing invalid CSS selector characters and need the CSS.escape polyfill: %s",e.message),!1}var o=function(e,t){for(var n=0;n<e.length;n++)if(e[n].checked&&e[n].form===t)return e[n]}(t,e.form);return!o||o===e}(e)},y=function(e){var t=e.getBoundingClientRect(),n=t.width,r=t.height;return 0===n&&0===r},b=function(e,t){var n=t.displayCheck,r=t.getShadowRoot;if("hidden"===getComputedStyle(e).visibility)return!0;var o=c.call(e,"details>summary:first-of-type")?e.parentElement:e;if(c.call(o,"details:not([open]) *"))return!0;if(n&&"full"!==n&&"legacy-full"!==n){if("non-zero-area"===n)return y(e)}else{if("function"==typeof r){for(var i=e;e;){var a=e.parentElement,l=u(e);if(a&&!a.shadowRoot&&!0===r(a))return y(e);e=e.assignedSlot?e.assignedSlot:a||l===e.ownerDocument?a:l.host}e=i}if(function(e){var t,n,r,o,i=e&&u(e),a=null===(t=i)||void 0===t?void 0:t.host,l=!1;if(i&&i!==e)for(l=!!(null!==(n=a)&&void 0!==n&&null!==(r=n.ownerDocument)&&void 0!==r&&r.contains(a)||null!=e&&null!==(o=e.ownerDocument)&&void 0!==o&&o.contains(e));!l&&a;){var s,c,d;l=!(null===(c=a=null===(s=i=u(a))||void 0===s?void 0:s.host)||void 0===c||null===(d=c.ownerDocument)||void 0===d||!d.contains(a))}return l}(e))return!e.getClientRects().length;if("legacy-full"!==n)return!0}return!1},x=function(e,t){return!(t.disabled||d(t)||function(e){return g(e)&&"hidden"===e.type}(t)||b(t,e)||function(e){return"DETAILS"===e.tagName&&Array.prototype.slice.apply(e.children).some((function(e){return"SUMMARY"===e.tagName}))}(t)||function(e){if(/^(INPUT|BUTTON|SELECT|TEXTAREA)$/.test(e.tagName))for(var t=e.parentElement;t;){if("FIELDSET"===t.tagName&&t.disabled){for(var n=0;n<t.children.length;n++){var r=t.children.item(n);if("LEGEND"===r.tagName)return!!c.call(t,"fieldset[disabled] *")||!r.contains(e)}return!0}t=t.parentElement}return!1}(t))},k=function(e,t){return!(w(t)||m(t)<0||!x(e,t))},E=function(e){var t=parseInt(e.getAttribute("tabindex"),10);return!!(isNaN(t)||t>=0)},A=function e(t){var n=[],r=[];return t.forEach((function(t,o){var i=!!t.scopeParent,a=i?t.scopeParent:t,l=function(e,t){var n=m(e);return n<0&&t&&!f(e)?0:n}(a,i),s=i?e(t.candidates):a;0===l?i?n.push.apply(n,s):n.push(a):r.push({documentOrder:o,tabIndex:l,item:t,isScope:i,content:s})})),r.sort(v).reduce((function(e,t){return t.isScope?e.push.apply(e,t.content):e.push(t.content),e}),[]).concat(n)},C=function(e,t){if(t=t||{},!e)throw new Error("No node provided");return!1!==c.call(e,l)&&k(t,e)},B=a.concat("iframe").join(","),M=function(e,t){if(t=t||{},!e)throw new Error("No node provided");return!1!==c.call(e,B)&&x(t,e)};function _(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,r=Array(t);n<t;n++)r[n]=e[n];return r}function S(e,t,n){return(t=function(e){var t=function(e,t){if("object"!=typeof e||!e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var r=n.call(e,t||"default");if("object"!=typeof r)return r;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e,"string");return"symbol"==typeof t?t:t+""}(t))in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function N(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(e);t&&(r=r.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,r)}return n}function V(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?N(Object(n),!0).forEach((function(t){S(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):N(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}function L(e){return function(e){if(Array.isArray(e))return _(e)}(e)||function(e){if("undefined"!=typeof Symbol&&null!=e[Symbol.iterator]||null!=e["@@iterator"])return Array.from(e)}(e)||function(e,t){if(e){if("string"==typeof e)return _(e,t);var n={}.toString.call(e).slice(8,-1);return"Object"===n&&e.constructor&&(n=e.constructor.name),"Map"===n||"Set"===n?Array.from(e):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?_(e,t):void 0}}(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}var T=function(e,t){if(e.length>0){var n=e[e.length-1];n!==t&&n.pause()}var r=e.indexOf(t);-1===r||e.splice(r,1),e.push(t)},I=function(e,t){var n=e.indexOf(t);-1!==n&&e.splice(n,1),e.length>0&&e[e.length-1].unpause()},Z=function(e){return"Tab"===(null==e?void 0:e.key)||9===(null==e?void 0:e.keyCode)},O=function(e){return Z(e)&&!e.shiftKey},D=function(e){return Z(e)&&e.shiftKey},R=function(e){return setTimeout(e,0)},H=function(e){for(var t=arguments.length,n=new Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];return"function"==typeof e?e.apply(void 0,n):e},P=function(e){return e.target.shadowRoot&&"function"==typeof e.composedPath?e.composedPath()[0]:e.target},j=[],F=function(e,t){var n,r=(null==t?void 0:t.document)||document,o=(null==t?void 0:t.trapStack)||j,i=V({returnFocusOnDeactivate:!0,escapeDeactivates:!0,delayInitialFocus:!0,isKeyForward:O,isKeyBackward:D},t),a={containers:[],containerGroups:[],tabbableGroups:[],nodeFocusedBeforeActivation:null,mostRecentlyFocusedNode:null,active:!1,paused:!1,delayInitialFocusTimer:void 0,recentNavEvent:void 0},l=function(e,t,n){return e&&void 0!==e[t]?e[t]:i[n||t]},s=function(e,t){var n="function"==typeof(null==t?void 0:t.composedPath)?t.composedPath():void 0;return a.containerGroups.findIndex((function(t){var r=t.container,o=t.tabbableNodes;return r.contains(e)||(null==n?void 0:n.includes(r))||o.find((function(t){return t===e}))}))},c=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=t.hasFallback,o=void 0!==n&&n,a=t.params,l=void 0===a?[]:a,s=i[e];if("function"==typeof s&&(s=s.apply(void 0,L(l))),!0===s&&(s=void 0),!s){if(void 0===s||!1===s)return s;throw new Error("`".concat(e,"` was specified but was not a node, or did not return a node"))}var c=s;if("string"==typeof s){try{c=r.querySelector(s)}catch(t){throw new Error("`".concat(e,'` appears to be an invalid selector; error="').concat(t.message,'"'))}if(!c&&!o)throw new Error("`".concat(e,"` as selector refers to no known node"))}return c},u=function(){var e=c("initialFocus",{hasFallback:!0});if(!1===e)return!1;if(void 0===e||e&&!M(e,i.tabbableOptions))if(s(r.activeElement)>=0)e=r.activeElement;else{var t=a.tabbableGroups[0];e=t&&t.firstTabbableNode||c("fallbackFocus")}else null===e&&(e=c("fallbackFocus"));if(!e)throw new Error("Your focus-trap needs to have at least one focusable element");return e},d=function(){if(a.containerGroups=a.containers.map((function(e){var t=function(e,t){var n;return n=(t=t||{}).getShadowRoot?p([e],t.includeContainer,{filter:k.bind(null,t),flatten:!1,getShadowRoot:t.getShadowRoot,shadowRootFilter:E}):h(e,t.includeContainer,k.bind(null,t)),A(n)}(e,i.tabbableOptions),n=function(e,t){return(t=t||{}).getShadowRoot?p([e],t.includeContainer,{filter:x.bind(null,t),flatten:!0,getShadowRoot:t.getShadowRoot}):h(e,t.includeContainer,x.bind(null,t))}(e,i.tabbableOptions),r=t.length>0?t[0]:void 0,o=t.length>0?t[t.length-1]:void 0,a=n.find((function(e){return C(e)})),l=n.slice().reverse().find((function(e){return C(e)})),s=!!t.find((function(e){return m(e)>0}));return{container:e,tabbableNodes:t,focusableNodes:n,posTabIndexesFound:s,firstTabbableNode:r,lastTabbableNode:o,firstDomTabbableNode:a,lastDomTabbableNode:l,nextTabbableNode:function(e){var r=!(arguments.length>1&&void 0!==arguments[1])||arguments[1],o=t.indexOf(e);return o<0?r?n.slice(n.indexOf(e)+1).find((function(e){return C(e)})):n.slice(0,n.indexOf(e)).reverse().find((function(e){return C(e)})):t[o+(r?1:-1)]}}})),a.tabbableGroups=a.containerGroups.filter((function(e){return e.tabbableNodes.length>0})),a.tabbableGroups.length<=0&&!c("fallbackFocus"))throw new Error("Your focus-trap must have at least one container with at least one tabbable node in it at all times");if(a.containerGroups.find((function(e){return e.posTabIndexesFound}))&&a.containerGroups.length>1)throw new Error("At least one node with a positive tabindex was found in one of your focus-trap's multiple containers. Positive tabindexes are only supported in single-container focus-traps.")},f=function(e){var t=e.activeElement;if(t)return t.shadowRoot&&null!==t.shadowRoot.activeElement?f(t.shadowRoot):t},v=function(e){!1!==e&&e!==f(document)&&(e&&e.focus?(e.focus({preventScroll:!!i.preventScroll}),a.mostRecentlyFocusedNode=e,function(e){return e.tagName&&"input"===e.tagName.toLowerCase()&&"function"==typeof e.select}(e)&&e.select()):v(u()))},g=function(e){var t=c("setReturnFocus",{params:[e]});return t||!1!==t&&e},w=function(e){var t=e.target,n=e.event,r=e.isBackward,o=void 0!==r&&r;t=t||P(n),d();var l=null;if(a.tabbableGroups.length>0){var u=s(t,n),h=u>=0?a.containerGroups[u]:void 0;if(u<0)l=o?a.tabbableGroups[a.tabbableGroups.length-1].lastTabbableNode:a.tabbableGroups[0].firstTabbableNode;else if(o){var p=a.tabbableGroups.findIndex((function(e){var n=e.firstTabbableNode;return t===n}));if(p<0&&(h.container===t||M(t,i.tabbableOptions)&&!C(t,i.tabbableOptions)&&!h.nextTabbableNode(t,!1))&&(p=u),p>=0){var f=0===p?a.tabbableGroups.length-1:p-1,v=a.tabbableGroups[f];l=m(t)>=0?v.lastTabbableNode:v.lastDomTabbableNode}else Z(n)||(l=h.nextTabbableNode(t,!1))}else{var g=a.tabbableGroups.findIndex((function(e){var n=e.lastTabbableNode;return t===n}));if(g<0&&(h.container===t||M(t,i.tabbableOptions)&&!C(t,i.tabbableOptions)&&!h.nextTabbableNode(t))&&(g=u),g>=0){var w=g===a.tabbableGroups.length-1?0:g+1,y=a.tabbableGroups[w];l=m(t)>=0?y.firstTabbableNode:y.firstDomTabbableNode}else Z(n)||(l=h.nextTabbableNode(t))}}else l=c("fallbackFocus");return l},y=function(e){var t=P(e);s(t,e)>=0||(H(i.clickOutsideDeactivates,e)?n.deactivate({returnFocus:i.returnFocusOnDeactivate}):H(i.allowOutsideClick,e)||e.preventDefault())},b=function(e){var t=P(e),n=s(t,e)>=0;if(n||t instanceof Document)n&&(a.mostRecentlyFocusedNode=t);else{var r;e.stopImmediatePropagation();var o=!0;if(a.mostRecentlyFocusedNode)if(m(a.mostRecentlyFocusedNode)>0){var l=s(a.mostRecentlyFocusedNode),c=a.containerGroups[l].tabbableNodes;if(c.length>0){var d=c.findIndex((function(e){return e===a.mostRecentlyFocusedNode}));d>=0&&(i.isKeyForward(a.recentNavEvent)?d+1<c.length&&(r=c[d+1],o=!1):d-1>=0&&(r=c[d-1],o=!1))}}else a.containerGroups.some((function(e){return e.tabbableNodes.some((function(e){return m(e)>0}))}))||(o=!1);else o=!1;o&&(r=w({target:a.mostRecentlyFocusedNode,isBackward:i.isKeyBackward(a.recentNavEvent)})),v(r||(a.mostRecentlyFocusedNode||u()))}a.recentNavEvent=void 0},B=function(e){(i.isKeyForward(e)||i.isKeyBackward(e))&&function(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1];a.recentNavEvent=e;var n=w({event:e,isBackward:t});n&&(Z(e)&&e.preventDefault(),v(n))}(e,i.isKeyBackward(e))},_=function(e){(function(e){return"Escape"===(null==e?void 0:e.key)||"Esc"===(null==e?void 0:e.key)||27===(null==e?void 0:e.keyCode)})(e)&&!1!==H(i.escapeDeactivates,e)&&(e.preventDefault(),n.deactivate())},S=function(e){var t=P(e);s(t,e)>=0||H(i.clickOutsideDeactivates,e)||H(i.allowOutsideClick,e)||(e.preventDefault(),e.stopImmediatePropagation())},N=function(){if(a.active)return T(o,n),a.delayInitialFocusTimer=i.delayInitialFocus?R((function(){v(u())})):v(u()),r.addEventListener("focusin",b,!0),r.addEventListener("mousedown",y,{capture:!0,passive:!1}),r.addEventListener("touchstart",y,{capture:!0,passive:!1}),r.addEventListener("click",S,{capture:!0,passive:!1}),r.addEventListener("keydown",B,{capture:!0,passive:!1}),r.addEventListener("keydown",_),n},F=function(){if(a.active)return r.removeEventListener("focusin",b,!0),r.removeEventListener("mousedown",y,!0),r.removeEventListener("touchstart",y,!0),r.removeEventListener("click",S,!0),r.removeEventListener("keydown",B,!0),r.removeEventListener("keydown",_),n},z="undefined"!=typeof window&&"MutationObserver"in window?new MutationObserver((function(e){e.some((function(e){return Array.from(e.removedNodes).some((function(e){return e===a.mostRecentlyFocusedNode}))}))&&v(u())})):void 0,q=function(){z&&(z.disconnect(),a.active&&!a.paused&&a.containers.map((function(e){z.observe(e,{subtree:!0,childList:!0})})))};return(n={get active(){return a.active},get paused(){return a.paused},activate:function(e){if(a.active)return this;var t=l(e,"onActivate"),n=l(e,"onPostActivate"),o=l(e,"checkCanFocusTrap");o||d(),a.active=!0,a.paused=!1,a.nodeFocusedBeforeActivation=r.activeElement,null==t||t();var i=function(){o&&d(),N(),q(),null==n||n()};return o?(o(a.containers.concat()).then(i,i),this):(i(),this)},deactivate:function(e){if(!a.active)return this;var t=V({onDeactivate:i.onDeactivate,onPostDeactivate:i.onPostDeactivate,checkCanReturnFocus:i.checkCanReturnFocus},e);clearTimeout(a.delayInitialFocusTimer),a.delayInitialFocusTimer=void 0,F(),a.active=!1,a.paused=!1,q(),I(o,n);var r=l(t,"onDeactivate"),s=l(t,"onPostDeactivate"),c=l(t,"checkCanReturnFocus"),u=l(t,"returnFocus","returnFocusOnDeactivate");null==r||r();var d=function(){R((function(){u&&v(g(a.nodeFocusedBeforeActivation)),null==s||s()}))};return u&&c?(c(g(a.nodeFocusedBeforeActivation)).then(d,d),this):(d(),this)},pause:function(e){if(a.paused||!a.active)return this;var t=l(e,"onPause"),n=l(e,"onPostPause");return a.paused=!0,null==t||t(),F(),q(),null==n||n(),this},unpause:function(e){if(!a.paused||!a.active)return this;var t=l(e,"onUnpause"),n=l(e,"onPostUnpause");return a.paused=!1,null==t||t(),d(),N(),q(),null==n||n(),this},updateContainerElements:function(e){var t=[].concat(e).filter(Boolean);return a.containers=t.map((function(e){return"string"==typeof e?r.querySelector(e):e})),a.active&&d(),q(),this}}).updateContainerElements(e),n};function z(e,t={}){let n;const{immediate:a,...l}=t,s=(0,i.ref)(!1),c=(0,i.ref)(!1),u=e=>n&&n.activate(e),d=e=>n&&n.deactivate(e);return(0,i.watch)((()=>(0,r.F4c)(e)),(e=>{e&&(n=F(e,{...l,onActivate(){s.value=!0,t.onActivate&&t.onActivate()},onDeactivate(){s.value=!1,t.onDeactivate&&t.onDeactivate()}}),a&&u())}),{flush:"post"}),(0,o.Uo)((()=>d())),{hasFocus:s,isPaused:c,activate:u,deactivate:d,pause:()=>{n&&(n.pause(),c.value=!0)},unpause:()=>{n&&(n.unpause(),c.value=!1)}}}},52307:(e,t,n)=>{"use strict";n.d(t,{D_:()=>p,oc:()=>a,Gv:()=>s,lQ:()=>c,BA:()=>i,Uo:()=>o});var r=n(29726);function o(e){return!!(0,r.getCurrentScope)()&&((0,r.onScopeDispose)(e),!0)}function i(e){return"function"==typeof e?e():(0,r.unref)(e)}const a="undefined"!=typeof window&&"undefined"!=typeof document,l=("undefined"!=typeof WorkerGlobalScope&&(globalThis,WorkerGlobalScope),Object.prototype.toString),s=e=>"[object Object]"===l.call(e),c=()=>{};function u(e){const t=Object.create(null);return n=>t[n]||(t[n]=e(n))}const d=/\B([A-Z])/g,h=(u((e=>e.replace(d,"-$1").toLowerCase())),/-(\w)/g);u((e=>e.replace(h,((e,t)=>t?t.toUpperCase():""))));function p(e){return e}},53110:(e,t,n)=>{"use strict";n.d(t,{FZ:()=>l,qm:()=>s});var r=n(94335);const{Axios:o,AxiosError:i,CanceledError:a,isCancel:l,CancelToken:s,VERSION:c,all:u,Cancel:d,isAxiosError:h,spread:p,toFormData:f,AxiosHeaders:m,HttpStatusCode:v,formToJSON:g,getAdapter:w,mergeConfig:y}=r.A},94335:(e,t,n)=>{"use strict";n.d(t,{A:()=>Bt});var r={};function o(e,t){return function(){return e.apply(t,arguments)}}n.r(r),n.d(r,{hasBrowserEnv:()=>me,hasStandardBrowserEnv:()=>ge,hasStandardBrowserWebWorkerEnv:()=>we,navigator:()=>ve,origin:()=>ye});var i=n(65606);const{toString:a}=Object.prototype,{getPrototypeOf:l}=Object,s=(c=Object.create(null),e=>{const t=a.call(e);return c[t]||(c[t]=t.slice(8,-1).toLowerCase())});var c;const u=e=>(e=e.toLowerCase(),t=>s(t)===e),d=e=>t=>typeof t===e,{isArray:h}=Array,p=d("undefined");const f=u("ArrayBuffer");const m=d("string"),v=d("function"),g=d("number"),w=e=>null!==e&&"object"==typeof e,y=e=>{if("object"!==s(e))return!1;const t=l(e);return!(null!==t&&t!==Object.prototype&&null!==Object.getPrototypeOf(t)||Symbol.toStringTag in e||Symbol.iterator in e)},b=u("Date"),x=u("File"),k=u("Blob"),E=u("FileList"),A=u("URLSearchParams"),[C,B,M,_]=["ReadableStream","Request","Response","Headers"].map(u);function S(e,t,{allOwnKeys:n=!1}={}){if(null==e)return;let r,o;if("object"!=typeof e&&(e=[e]),h(e))for(r=0,o=e.length;r<o;r++)t.call(null,e[r],r,e);else{const o=n?Object.getOwnPropertyNames(e):Object.keys(e),i=o.length;let a;for(r=0;r<i;r++)a=o[r],t.call(null,e[a],a,e)}}function N(e,t){t=t.toLowerCase();const n=Object.keys(e);let r,o=n.length;for(;o-- >0;)if(r=n[o],t===r.toLowerCase())return r;return null}const V="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof self?self:"undefined"!=typeof window?window:global,L=e=>!p(e)&&e!==V;const T=(I="undefined"!=typeof Uint8Array&&l(Uint8Array),e=>I&&e instanceof I);var I;const Z=u("HTMLFormElement"),O=(({hasOwnProperty:e})=>(t,n)=>e.call(t,n))(Object.prototype),D=u("RegExp"),R=(e,t)=>{const n=Object.getOwnPropertyDescriptors(e),r={};S(n,((n,o)=>{let i;!1!==(i=t(n,o,e))&&(r[o]=i||n)})),Object.defineProperties(e,r)},H="abcdefghijklmnopqrstuvwxyz",P="0123456789",j={DIGIT:P,ALPHA:H,ALPHA_DIGIT:H+H.toUpperCase()+P};const F=u("AsyncFunction"),z=(q="function"==typeof setImmediate,U=v(V.postMessage),q?setImmediate:U?($=`axios@${Math.random()}`,W=[],V.addEventListener("message",(({source:e,data:t})=>{e===V&&t===$&&W.length&&W.shift()()}),!1),e=>{W.push(e),V.postMessage($,"*")}):e=>setTimeout(e));var q,U,$,W;const G="undefined"!=typeof queueMicrotask?queueMicrotask.bind(V):void 0!==i&&i.nextTick||z,K={isArray:h,isArrayBuffer:f,isBuffer:function(e){return null!==e&&!p(e)&&null!==e.constructor&&!p(e.constructor)&&v(e.constructor.isBuffer)&&e.constructor.isBuffer(e)},isFormData:e=>{let t;return e&&("function"==typeof FormData&&e instanceof FormData||v(e.append)&&("formdata"===(t=s(e))||"object"===t&&v(e.toString)&&"[object FormData]"===e.toString()))},isArrayBufferView:function(e){let t;return t="undefined"!=typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(e):e&&e.buffer&&f(e.buffer),t},isString:m,isNumber:g,isBoolean:e=>!0===e||!1===e,isObject:w,isPlainObject:y,isReadableStream:C,isRequest:B,isResponse:M,isHeaders:_,isUndefined:p,isDate:b,isFile:x,isBlob:k,isRegExp:D,isFunction:v,isStream:e=>w(e)&&v(e.pipe),isURLSearchParams:A,isTypedArray:T,isFileList:E,forEach:S,merge:function e(){const{caseless:t}=L(this)&&this||{},n={},r=(r,o)=>{const i=t&&N(n,o)||o;y(n[i])&&y(r)?n[i]=e(n[i],r):y(r)?n[i]=e({},r):h(r)?n[i]=r.slice():n[i]=r};for(let e=0,t=arguments.length;e<t;e++)arguments[e]&&S(arguments[e],r);return n},extend:(e,t,n,{allOwnKeys:r}={})=>(S(t,((t,r)=>{n&&v(t)?e[r]=o(t,n):e[r]=t}),{allOwnKeys:r}),e),trim:e=>e.trim?e.trim():e.replace(/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,""),stripBOM:e=>(65279===e.charCodeAt(0)&&(e=e.slice(1)),e),inherits:(e,t,n,r)=>{e.prototype=Object.create(t.prototype,r),e.prototype.constructor=e,Object.defineProperty(e,"super",{value:t.prototype}),n&&Object.assign(e.prototype,n)},toFlatObject:(e,t,n,r)=>{let o,i,a;const s={};if(t=t||{},null==e)return t;do{for(o=Object.getOwnPropertyNames(e),i=o.length;i-- >0;)a=o[i],r&&!r(a,e,t)||s[a]||(t[a]=e[a],s[a]=!0);e=!1!==n&&l(e)}while(e&&(!n||n(e,t))&&e!==Object.prototype);return t},kindOf:s,kindOfTest:u,endsWith:(e,t,n)=>{e=String(e),(void 0===n||n>e.length)&&(n=e.length),n-=t.length;const r=e.indexOf(t,n);return-1!==r&&r===n},toArray:e=>{if(!e)return null;if(h(e))return e;let t=e.length;if(!g(t))return null;const n=new Array(t);for(;t-- >0;)n[t]=e[t];return n},forEachEntry:(e,t)=>{const n=(e&&e[Symbol.iterator]).call(e);let r;for(;(r=n.next())&&!r.done;){const n=r.value;t.call(e,n[0],n[1])}},matchAll:(e,t)=>{let n;const r=[];for(;null!==(n=e.exec(t));)r.push(n);return r},isHTMLForm:Z,hasOwnProperty:O,hasOwnProp:O,reduceDescriptors:R,freezeMethods:e=>{R(e,((t,n)=>{if(v(e)&&-1!==["arguments","caller","callee"].indexOf(n))return!1;const r=e[n];v(r)&&(t.enumerable=!1,"writable"in t?t.writable=!1:t.set||(t.set=()=>{throw Error("Can not rewrite read-only method '"+n+"'")}))}))},toObjectSet:(e,t)=>{const n={},r=e=>{e.forEach((e=>{n[e]=!0}))};return h(e)?r(e):r(String(e).split(t)),n},toCamelCase:e=>e.toLowerCase().replace(/[-_\s]([a-z\d])(\w*)/g,(function(e,t,n){return t.toUpperCase()+n})),noop:()=>{},toFiniteNumber:(e,t)=>null!=e&&Number.isFinite(e=+e)?e:t,findKey:N,global:V,isContextDefined:L,ALPHABET:j,generateString:(e=16,t=j.ALPHA_DIGIT)=>{let n="";const{length:r}=t;for(;e--;)n+=t[Math.random()*r|0];return n},isSpecCompliantForm:function(e){return!!(e&&v(e.append)&&"FormData"===e[Symbol.toStringTag]&&e[Symbol.iterator])},toJSONObject:e=>{const t=new Array(10),n=(e,r)=>{if(w(e)){if(t.indexOf(e)>=0)return;if(!("toJSON"in e)){t[r]=e;const o=h(e)?[]:{};return S(e,((e,t)=>{const i=n(e,r+1);!p(i)&&(o[t]=i)})),t[r]=void 0,o}}return e};return n(e,0)},isAsyncFn:F,isThenable:e=>e&&(w(e)||v(e))&&v(e.then)&&v(e.catch),setImmediate:z,asap:G};function Y(e,t,n,r,o){Error.call(this),Error.captureStackTrace?Error.captureStackTrace(this,this.constructor):this.stack=(new Error).stack,this.message=e,this.name="AxiosError",t&&(this.code=t),n&&(this.config=n),r&&(this.request=r),o&&(this.response=o,this.status=o.status?o.status:null)}K.inherits(Y,Error,{toJSON:function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:K.toJSONObject(this.config),code:this.code,status:this.status}}});const X=Y.prototype,J={};["ERR_BAD_OPTION_VALUE","ERR_BAD_OPTION","ECONNABORTED","ETIMEDOUT","ERR_NETWORK","ERR_FR_TOO_MANY_REDIRECTS","ERR_DEPRECATED","ERR_BAD_RESPONSE","ERR_BAD_REQUEST","ERR_CANCELED","ERR_NOT_SUPPORT","ERR_INVALID_URL"].forEach((e=>{J[e]={value:e}})),Object.defineProperties(Y,J),Object.defineProperty(X,"isAxiosError",{value:!0}),Y.from=(e,t,n,r,o,i)=>{const a=Object.create(X);return K.toFlatObject(e,a,(function(e){return e!==Error.prototype}),(e=>"isAxiosError"!==e)),Y.call(a,e.message,t,n,r,o),a.cause=e,a.name=e.name,i&&Object.assign(a,i),a};const Q=Y;var ee=n(48287).hp;function te(e){return K.isPlainObject(e)||K.isArray(e)}function ne(e){return K.endsWith(e,"[]")?e.slice(0,-2):e}function re(e,t,n){return e?e.concat(t).map((function(e,t){return e=ne(e),!n&&t?"["+e+"]":e})).join(n?".":""):t}const oe=K.toFlatObject(K,{},null,(function(e){return/^is[A-Z]/.test(e)}));const ie=function(e,t,n){if(!K.isObject(e))throw new TypeError("target must be an object");t=t||new FormData;const r=(n=K.toFlatObject(n,{metaTokens:!0,dots:!1,indexes:!1},!1,(function(e,t){return!K.isUndefined(t[e])}))).metaTokens,o=n.visitor||c,i=n.dots,a=n.indexes,l=(n.Blob||"undefined"!=typeof Blob&&Blob)&&K.isSpecCompliantForm(t);if(!K.isFunction(o))throw new TypeError("visitor must be a function");function s(e){if(null===e)return"";if(K.isDate(e))return e.toISOString();if(!l&&K.isBlob(e))throw new Q("Blob is not supported. Use a Buffer instead.");return K.isArrayBuffer(e)||K.isTypedArray(e)?l&&"function"==typeof Blob?new Blob([e]):ee.from(e):e}function c(e,n,o){let l=e;if(e&&!o&&"object"==typeof e)if(K.endsWith(n,"{}"))n=r?n:n.slice(0,-2),e=JSON.stringify(e);else if(K.isArray(e)&&function(e){return K.isArray(e)&&!e.some(te)}(e)||(K.isFileList(e)||K.endsWith(n,"[]"))&&(l=K.toArray(e)))return n=ne(n),l.forEach((function(e,r){!K.isUndefined(e)&&null!==e&&t.append(!0===a?re([n],r,i):null===a?n:n+"[]",s(e))})),!1;return!!te(e)||(t.append(re(o,n,i),s(e)),!1)}const u=[],d=Object.assign(oe,{defaultVisitor:c,convertValue:s,isVisitable:te});if(!K.isObject(e))throw new TypeError("data must be an object");return function e(n,r){if(!K.isUndefined(n)){if(-1!==u.indexOf(n))throw Error("Circular reference detected in "+r.join("."));u.push(n),K.forEach(n,(function(n,i){!0===(!(K.isUndefined(n)||null===n)&&o.call(t,n,K.isString(i)?i.trim():i,r,d))&&e(n,r?r.concat(i):[i])})),u.pop()}}(e),t};function ae(e){const t={"!":"%21","'":"%27","(":"%28",")":"%29","~":"%7E","%20":"+","%00":"\0"};return encodeURIComponent(e).replace(/[!'()~]|%20|%00/g,(function(e){return t[e]}))}function le(e,t){this._pairs=[],e&&ie(e,this,t)}const se=le.prototype;se.append=function(e,t){this._pairs.push([e,t])},se.toString=function(e){const t=e?function(t){return e.call(this,t,ae)}:ae;return this._pairs.map((function(e){return t(e[0])+"="+t(e[1])}),"").join("&")};const ce=le;function ue(e){return encodeURIComponent(e).replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}function de(e,t,n){if(!t)return e;const r=n&&n.encode||ue;K.isFunction(n)&&(n={serialize:n});const o=n&&n.serialize;let i;if(i=o?o(t,n):K.isURLSearchParams(t)?t.toString():new ce(t,n).toString(r),i){const t=e.indexOf("#");-1!==t&&(e=e.slice(0,t)),e+=(-1===e.indexOf("?")?"?":"&")+i}return e}const he=class{constructor(){this.handlers=[]}use(e,t,n){return this.handlers.push({fulfilled:e,rejected:t,synchronous:!!n&&n.synchronous,runWhen:n?n.runWhen:null}),this.handlers.length-1}eject(e){this.handlers[e]&&(this.handlers[e]=null)}clear(){this.handlers&&(this.handlers=[])}forEach(e){K.forEach(this.handlers,(function(t){null!==t&&e(t)}))}},pe={silentJSONParsing:!0,forcedJSONParsing:!0,clarifyTimeoutError:!1},fe={isBrowser:!0,classes:{URLSearchParams:"undefined"!=typeof URLSearchParams?URLSearchParams:ce,FormData:"undefined"!=typeof FormData?FormData:null,Blob:"undefined"!=typeof Blob?Blob:null},protocols:["http","https","file","blob","url","data"]},me="undefined"!=typeof window&&"undefined"!=typeof document,ve="object"==typeof navigator&&navigator||void 0,ge=me&&(!ve||["ReactNative","NativeScript","NS"].indexOf(ve.product)<0),we="undefined"!=typeof WorkerGlobalScope&&self instanceof WorkerGlobalScope&&"function"==typeof self.importScripts,ye=me&&window.location.href||"http://localhost",be={...r,...fe};const xe=function(e){function t(e,n,r,o){let i=e[o++];if("__proto__"===i)return!0;const a=Number.isFinite(+i),l=o>=e.length;if(i=!i&&K.isArray(r)?r.length:i,l)return K.hasOwnProp(r,i)?r[i]=[r[i],n]:r[i]=n,!a;r[i]&&K.isObject(r[i])||(r[i]=[]);return t(e,n,r[i],o)&&K.isArray(r[i])&&(r[i]=function(e){const t={},n=Object.keys(e);let r;const o=n.length;let i;for(r=0;r<o;r++)i=n[r],t[i]=e[i];return t}(r[i])),!a}if(K.isFormData(e)&&K.isFunction(e.entries)){const n={};return K.forEachEntry(e,((e,r)=>{t(function(e){return K.matchAll(/\w+|\[(\w*)]/g,e).map((e=>"[]"===e[0]?"":e[1]||e[0]))}(e),r,n,0)})),n}return null};const ke={transitional:pe,adapter:["xhr","http","fetch"],transformRequest:[function(e,t){const n=t.getContentType()||"",r=n.indexOf("application/json")>-1,o=K.isObject(e);o&&K.isHTMLForm(e)&&(e=new FormData(e));if(K.isFormData(e))return r?JSON.stringify(xe(e)):e;if(K.isArrayBuffer(e)||K.isBuffer(e)||K.isStream(e)||K.isFile(e)||K.isBlob(e)||K.isReadableStream(e))return e;if(K.isArrayBufferView(e))return e.buffer;if(K.isURLSearchParams(e))return t.setContentType("application/x-www-form-urlencoded;charset=utf-8",!1),e.toString();let i;if(o){if(n.indexOf("application/x-www-form-urlencoded")>-1)return function(e,t){return ie(e,new be.classes.URLSearchParams,Object.assign({visitor:function(e,t,n,r){return be.isNode&&K.isBuffer(e)?(this.append(t,e.toString("base64")),!1):r.defaultVisitor.apply(this,arguments)}},t))}(e,this.formSerializer).toString();if((i=K.isFileList(e))||n.indexOf("multipart/form-data")>-1){const t=this.env&&this.env.FormData;return ie(i?{"files[]":e}:e,t&&new t,this.formSerializer)}}return o||r?(t.setContentType("application/json",!1),function(e,t,n){if(K.isString(e))try{return(t||JSON.parse)(e),K.trim(e)}catch(e){if("SyntaxError"!==e.name)throw e}return(n||JSON.stringify)(e)}(e)):e}],transformResponse:[function(e){const t=this.transitional||ke.transitional,n=t&&t.forcedJSONParsing,r="json"===this.responseType;if(K.isResponse(e)||K.isReadableStream(e))return e;if(e&&K.isString(e)&&(n&&!this.responseType||r)){const n=!(t&&t.silentJSONParsing)&&r;try{return JSON.parse(e)}catch(e){if(n){if("SyntaxError"===e.name)throw Q.from(e,Q.ERR_BAD_RESPONSE,this,null,this.response);throw e}}}return e}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,maxBodyLength:-1,env:{FormData:be.classes.FormData,Blob:be.classes.Blob},validateStatus:function(e){return e>=200&&e<300},headers:{common:{Accept:"application/json, text/plain, */*","Content-Type":void 0}}};K.forEach(["delete","get","head","post","put","patch"],(e=>{ke.headers[e]={}}));const Ee=ke,Ae=K.toObjectSet(["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"]),Ce=Symbol("internals");function Be(e){return e&&String(e).trim().toLowerCase()}function Me(e){return!1===e||null==e?e:K.isArray(e)?e.map(Me):String(e)}function _e(e,t,n,r,o){return K.isFunction(r)?r.call(this,t,n):(o&&(t=n),K.isString(t)?K.isString(r)?-1!==t.indexOf(r):K.isRegExp(r)?r.test(t):void 0:void 0)}class Se{constructor(e){e&&this.set(e)}set(e,t,n){const r=this;function o(e,t,n){const o=Be(t);if(!o)throw new Error("header name must be a non-empty string");const i=K.findKey(r,o);(!i||void 0===r[i]||!0===n||void 0===n&&!1!==r[i])&&(r[i||t]=Me(e))}const i=(e,t)=>K.forEach(e,((e,n)=>o(e,n,t)));if(K.isPlainObject(e)||e instanceof this.constructor)i(e,t);else if(K.isString(e)&&(e=e.trim())&&!/^[-_a-zA-Z0-9^`|~,!#$%&'*+.]+$/.test(e.trim()))i((e=>{const t={};let n,r,o;return e&&e.split("\n").forEach((function(e){o=e.indexOf(":"),n=e.substring(0,o).trim().toLowerCase(),r=e.substring(o+1).trim(),!n||t[n]&&Ae[n]||("set-cookie"===n?t[n]?t[n].push(r):t[n]=[r]:t[n]=t[n]?t[n]+", "+r:r)})),t})(e),t);else if(K.isHeaders(e))for(const[t,r]of e.entries())o(r,t,n);else null!=e&&o(t,e,n);return this}get(e,t){if(e=Be(e)){const n=K.findKey(this,e);if(n){const e=this[n];if(!t)return e;if(!0===t)return function(e){const t=Object.create(null),n=/([^\s,;=]+)\s*(?:=\s*([^,;]+))?/g;let r;for(;r=n.exec(e);)t[r[1]]=r[2];return t}(e);if(K.isFunction(t))return t.call(this,e,n);if(K.isRegExp(t))return t.exec(e);throw new TypeError("parser must be boolean|regexp|function")}}}has(e,t){if(e=Be(e)){const n=K.findKey(this,e);return!(!n||void 0===this[n]||t&&!_e(0,this[n],n,t))}return!1}delete(e,t){const n=this;let r=!1;function o(e){if(e=Be(e)){const o=K.findKey(n,e);!o||t&&!_e(0,n[o],o,t)||(delete n[o],r=!0)}}return K.isArray(e)?e.forEach(o):o(e),r}clear(e){const t=Object.keys(this);let n=t.length,r=!1;for(;n--;){const o=t[n];e&&!_e(0,this[o],o,e,!0)||(delete this[o],r=!0)}return r}normalize(e){const t=this,n={};return K.forEach(this,((r,o)=>{const i=K.findKey(n,o);if(i)return t[i]=Me(r),void delete t[o];const a=e?function(e){return e.trim().toLowerCase().replace(/([a-z\d])(\w*)/g,((e,t,n)=>t.toUpperCase()+n))}(o):String(o).trim();a!==o&&delete t[o],t[a]=Me(r),n[a]=!0})),this}concat(...e){return this.constructor.concat(this,...e)}toJSON(e){const t=Object.create(null);return K.forEach(this,((n,r)=>{null!=n&&!1!==n&&(t[r]=e&&K.isArray(n)?n.join(", "):n)})),t}[Symbol.iterator](){return Object.entries(this.toJSON())[Symbol.iterator]()}toString(){return Object.entries(this.toJSON()).map((([e,t])=>e+": "+t)).join("\n")}get[Symbol.toStringTag](){return"AxiosHeaders"}static from(e){return e instanceof this?e:new this(e)}static concat(e,...t){const n=new this(e);return t.forEach((e=>n.set(e))),n}static accessor(e){const t=(this[Ce]=this[Ce]={accessors:{}}).accessors,n=this.prototype;function r(e){const r=Be(e);t[r]||(!function(e,t){const n=K.toCamelCase(" "+t);["get","set","has"].forEach((r=>{Object.defineProperty(e,r+n,{value:function(e,n,o){return this[r].call(this,t,e,n,o)},configurable:!0})}))}(n,e),t[r]=!0)}return K.isArray(e)?e.forEach(r):r(e),this}}Se.accessor(["Content-Type","Content-Length","Accept","Accept-Encoding","User-Agent","Authorization"]),K.reduceDescriptors(Se.prototype,(({value:e},t)=>{let n=t[0].toUpperCase()+t.slice(1);return{get:()=>e,set(e){this[n]=e}}})),K.freezeMethods(Se);const Ne=Se;function Ve(e,t){const n=this||Ee,r=t||n,o=Ne.from(r.headers);let i=r.data;return K.forEach(e,(function(e){i=e.call(n,i,o.normalize(),t?t.status:void 0)})),o.normalize(),i}function Le(e){return!(!e||!e.__CANCEL__)}function Te(e,t,n){Q.call(this,null==e?"canceled":e,Q.ERR_CANCELED,t,n),this.name="CanceledError"}K.inherits(Te,Q,{__CANCEL__:!0});const Ie=Te;function Ze(e,t,n){const r=n.config.validateStatus;n.status&&r&&!r(n.status)?t(new Q("Request failed with status code "+n.status,[Q.ERR_BAD_REQUEST,Q.ERR_BAD_RESPONSE][Math.floor(n.status/100)-4],n.config,n.request,n)):e(n)}const Oe=function(e,t){e=e||10;const n=new Array(e),r=new Array(e);let o,i=0,a=0;return t=void 0!==t?t:1e3,function(l){const s=Date.now(),c=r[a];o||(o=s),n[i]=l,r[i]=s;let u=a,d=0;for(;u!==i;)d+=n[u++],u%=e;if(i=(i+1)%e,i===a&&(a=(a+1)%e),s-o<t)return;const h=c&&s-c;return h?Math.round(1e3*d/h):void 0}};const De=function(e,t){let n,r,o=0,i=1e3/t;const a=(t,i=Date.now())=>{o=i,n=null,r&&(clearTimeout(r),r=null),e.apply(null,t)};return[(...e)=>{const t=Date.now(),l=t-o;l>=i?a(e,t):(n=e,r||(r=setTimeout((()=>{r=null,a(n)}),i-l)))},()=>n&&a(n)]},Re=(e,t,n=3)=>{let r=0;const o=Oe(50,250);return De((n=>{const i=n.loaded,a=n.lengthComputable?n.total:void 0,l=i-r,s=o(l);r=i;e({loaded:i,total:a,progress:a?i/a:void 0,bytes:l,rate:s||void 0,estimated:s&&a&&i<=a?(a-i)/s:void 0,event:n,lengthComputable:null!=a,[t?"download":"upload"]:!0})}),n)},He=(e,t)=>{const n=null!=e;return[r=>t[0]({lengthComputable:n,total:e,loaded:r}),t[1]]},Pe=e=>(...t)=>K.asap((()=>e(...t))),je=be.hasStandardBrowserEnv?((e,t)=>n=>(n=new URL(n,be.origin),e.protocol===n.protocol&&e.host===n.host&&(t||e.port===n.port)))(new URL(be.origin),be.navigator&&/(msie|trident)/i.test(be.navigator.userAgent)):()=>!0,Fe=be.hasStandardBrowserEnv?{write(e,t,n,r,o,i){const a=[e+"="+encodeURIComponent(t)];K.isNumber(n)&&a.push("expires="+new Date(n).toGMTString()),K.isString(r)&&a.push("path="+r),K.isString(o)&&a.push("domain="+o),!0===i&&a.push("secure"),document.cookie=a.join("; ")},read(e){const t=document.cookie.match(new RegExp("(^|;\\s*)("+e+")=([^;]*)"));return t?decodeURIComponent(t[3]):null},remove(e){this.write(e,"",Date.now()-864e5)}}:{write(){},read:()=>null,remove(){}};function ze(e,t){return e&&!/^([a-z][a-z\d+\-.]*:)?\/\//i.test(t)?function(e,t){return t?e.replace(/\/?\/$/,"")+"/"+t.replace(/^\/+/,""):e}(e,t):t}const qe=e=>e instanceof Ne?{...e}:e;function Ue(e,t){t=t||{};const n={};function r(e,t,n,r){return K.isPlainObject(e)&&K.isPlainObject(t)?K.merge.call({caseless:r},e,t):K.isPlainObject(t)?K.merge({},t):K.isArray(t)?t.slice():t}function o(e,t,n,o){return K.isUndefined(t)?K.isUndefined(e)?void 0:r(void 0,e,0,o):r(e,t,0,o)}function i(e,t){if(!K.isUndefined(t))return r(void 0,t)}function a(e,t){return K.isUndefined(t)?K.isUndefined(e)?void 0:r(void 0,e):r(void 0,t)}function l(n,o,i){return i in t?r(n,o):i in e?r(void 0,n):void 0}const s={url:i,method:i,data:i,baseURL:a,transformRequest:a,transformResponse:a,paramsSerializer:a,timeout:a,timeoutMessage:a,withCredentials:a,withXSRFToken:a,adapter:a,responseType:a,xsrfCookieName:a,xsrfHeaderName:a,onUploadProgress:a,onDownloadProgress:a,decompress:a,maxContentLength:a,maxBodyLength:a,beforeRedirect:a,transport:a,httpAgent:a,httpsAgent:a,cancelToken:a,socketPath:a,responseEncoding:a,validateStatus:l,headers:(e,t,n)=>o(qe(e),qe(t),0,!0)};return K.forEach(Object.keys(Object.assign({},e,t)),(function(r){const i=s[r]||o,a=i(e[r],t[r],r);K.isUndefined(a)&&i!==l||(n[r]=a)})),n}const $e=e=>{const t=Ue({},e);let n,{data:r,withXSRFToken:o,xsrfHeaderName:i,xsrfCookieName:a,headers:l,auth:s}=t;if(t.headers=l=Ne.from(l),t.url=de(ze(t.baseURL,t.url),e.params,e.paramsSerializer),s&&l.set("Authorization","Basic "+btoa((s.username||"")+":"+(s.password?unescape(encodeURIComponent(s.password)):""))),K.isFormData(r))if(be.hasStandardBrowserEnv||be.hasStandardBrowserWebWorkerEnv)l.setContentType(void 0);else if(!1!==(n=l.getContentType())){const[e,...t]=n?n.split(";").map((e=>e.trim())).filter(Boolean):[];l.setContentType([e||"multipart/form-data",...t].join("; "))}if(be.hasStandardBrowserEnv&&(o&&K.isFunction(o)&&(o=o(t)),o||!1!==o&&je(t.url))){const e=i&&a&&Fe.read(a);e&&l.set(i,e)}return t},We="undefined"!=typeof XMLHttpRequest&&function(e){return new Promise((function(t,n){const r=$e(e);let o=r.data;const i=Ne.from(r.headers).normalize();let a,l,s,c,u,{responseType:d,onUploadProgress:h,onDownloadProgress:p}=r;function f(){c&&c(),u&&u(),r.cancelToken&&r.cancelToken.unsubscribe(a),r.signal&&r.signal.removeEventListener("abort",a)}let m=new XMLHttpRequest;function v(){if(!m)return;const r=Ne.from("getAllResponseHeaders"in m&&m.getAllResponseHeaders());Ze((function(e){t(e),f()}),(function(e){n(e),f()}),{data:d&&"text"!==d&&"json"!==d?m.response:m.responseText,status:m.status,statusText:m.statusText,headers:r,config:e,request:m}),m=null}m.open(r.method.toUpperCase(),r.url,!0),m.timeout=r.timeout,"onloadend"in m?m.onloadend=v:m.onreadystatechange=function(){m&&4===m.readyState&&(0!==m.status||m.responseURL&&0===m.responseURL.indexOf("file:"))&&setTimeout(v)},m.onabort=function(){m&&(n(new Q("Request aborted",Q.ECONNABORTED,e,m)),m=null)},m.onerror=function(){n(new Q("Network Error",Q.ERR_NETWORK,e,m)),m=null},m.ontimeout=function(){let t=r.timeout?"timeout of "+r.timeout+"ms exceeded":"timeout exceeded";const o=r.transitional||pe;r.timeoutErrorMessage&&(t=r.timeoutErrorMessage),n(new Q(t,o.clarifyTimeoutError?Q.ETIMEDOUT:Q.ECONNABORTED,e,m)),m=null},void 0===o&&i.setContentType(null),"setRequestHeader"in m&&K.forEach(i.toJSON(),(function(e,t){m.setRequestHeader(t,e)})),K.isUndefined(r.withCredentials)||(m.withCredentials=!!r.withCredentials),d&&"json"!==d&&(m.responseType=r.responseType),p&&([s,u]=Re(p,!0),m.addEventListener("progress",s)),h&&m.upload&&([l,c]=Re(h),m.upload.addEventListener("progress",l),m.upload.addEventListener("loadend",c)),(r.cancelToken||r.signal)&&(a=t=>{m&&(n(!t||t.type?new Ie(null,e,m):t),m.abort(),m=null)},r.cancelToken&&r.cancelToken.subscribe(a),r.signal&&(r.signal.aborted?a():r.signal.addEventListener("abort",a)));const g=function(e){const t=/^([-+\w]{1,25})(:?\/\/|:)/.exec(e);return t&&t[1]||""}(r.url);g&&-1===be.protocols.indexOf(g)?n(new Q("Unsupported protocol "+g+":",Q.ERR_BAD_REQUEST,e)):m.send(o||null)}))},Ge=(e,t)=>{const{length:n}=e=e?e.filter(Boolean):[];if(t||n){let n,r=new AbortController;const o=function(e){if(!n){n=!0,a();const t=e instanceof Error?e:this.reason;r.abort(t instanceof Q?t:new Ie(t instanceof Error?t.message:t))}};let i=t&&setTimeout((()=>{i=null,o(new Q(`timeout ${t} of ms exceeded`,Q.ETIMEDOUT))}),t);const a=()=>{e&&(i&&clearTimeout(i),i=null,e.forEach((e=>{e.unsubscribe?e.unsubscribe(o):e.removeEventListener("abort",o)})),e=null)};e.forEach((e=>e.addEventListener("abort",o)));const{signal:l}=r;return l.unsubscribe=()=>K.asap(a),l}},Ke=function*(e,t){let n=e.byteLength;if(!t||n<t)return void(yield e);let r,o=0;for(;o<n;)r=o+t,yield e.slice(o,r),o=r},Ye=async function*(e){if(e[Symbol.asyncIterator])return void(yield*e);const t=e.getReader();try{for(;;){const{done:e,value:n}=await t.read();if(e)break;yield n}}finally{await t.cancel()}},Xe=(e,t,n,r)=>{const o=async function*(e,t){for await(const n of Ye(e))yield*Ke(n,t)}(e,t);let i,a=0,l=e=>{i||(i=!0,r&&r(e))};return new ReadableStream({async pull(e){try{const{done:t,value:r}=await o.next();if(t)return l(),void e.close();let i=r.byteLength;if(n){let e=a+=i;n(e)}e.enqueue(new Uint8Array(r))}catch(e){throw l(e),e}},cancel:e=>(l(e),o.return())},{highWaterMark:2})},Je="function"==typeof fetch&&"function"==typeof Request&&"function"==typeof Response,Qe=Je&&"function"==typeof ReadableStream,et=Je&&("function"==typeof TextEncoder?(tt=new TextEncoder,e=>tt.encode(e)):async e=>new Uint8Array(await new Response(e).arrayBuffer()));var tt;const nt=(e,...t)=>{try{return!!e(...t)}catch(e){return!1}},rt=Qe&&nt((()=>{let e=!1;const t=new Request(be.origin,{body:new ReadableStream,method:"POST",get duplex(){return e=!0,"half"}}).headers.has("Content-Type");return e&&!t})),ot=Qe&&nt((()=>K.isReadableStream(new Response("").body))),it={stream:ot&&(e=>e.body)};var at;Je&&(at=new Response,["text","arrayBuffer","blob","formData","stream"].forEach((e=>{!it[e]&&(it[e]=K.isFunction(at[e])?t=>t[e]():(t,n)=>{throw new Q(`Response type '${e}' is not supported`,Q.ERR_NOT_SUPPORT,n)})})));const lt=async(e,t)=>{const n=K.toFiniteNumber(e.getContentLength());return null==n?(async e=>{if(null==e)return 0;if(K.isBlob(e))return e.size;if(K.isSpecCompliantForm(e)){const t=new Request(be.origin,{method:"POST",body:e});return(await t.arrayBuffer()).byteLength}return K.isArrayBufferView(e)||K.isArrayBuffer(e)?e.byteLength:(K.isURLSearchParams(e)&&(e+=""),K.isString(e)?(await et(e)).byteLength:void 0)})(t):n},st={http:null,xhr:We,fetch:Je&&(async e=>{let{url:t,method:n,data:r,signal:o,cancelToken:i,timeout:a,onDownloadProgress:l,onUploadProgress:s,responseType:c,headers:u,withCredentials:d="same-origin",fetchOptions:h}=$e(e);c=c?(c+"").toLowerCase():"text";let p,f=Ge([o,i&&i.toAbortSignal()],a);const m=f&&f.unsubscribe&&(()=>{f.unsubscribe()});let v;try{if(s&&rt&&"get"!==n&&"head"!==n&&0!==(v=await lt(u,r))){let e,n=new Request(t,{method:"POST",body:r,duplex:"half"});if(K.isFormData(r)&&(e=n.headers.get("content-type"))&&u.setContentType(e),n.body){const[e,t]=He(v,Re(Pe(s)));r=Xe(n.body,65536,e,t)}}K.isString(d)||(d=d?"include":"omit");const o="credentials"in Request.prototype;p=new Request(t,{...h,signal:f,method:n.toUpperCase(),headers:u.normalize().toJSON(),body:r,duplex:"half",credentials:o?d:void 0});let i=await fetch(p);const a=ot&&("stream"===c||"response"===c);if(ot&&(l||a&&m)){const e={};["status","statusText","headers"].forEach((t=>{e[t]=i[t]}));const t=K.toFiniteNumber(i.headers.get("content-length")),[n,r]=l&&He(t,Re(Pe(l),!0))||[];i=new Response(Xe(i.body,65536,n,(()=>{r&&r(),m&&m()})),e)}c=c||"text";let g=await it[K.findKey(it,c)||"text"](i,e);return!a&&m&&m(),await new Promise(((t,n)=>{Ze(t,n,{data:g,headers:Ne.from(i.headers),status:i.status,statusText:i.statusText,config:e,request:p})}))}catch(t){if(m&&m(),t&&"TypeError"===t.name&&/fetch/i.test(t.message))throw Object.assign(new Q("Network Error",Q.ERR_NETWORK,e,p),{cause:t.cause||t});throw Q.from(t,t&&t.code,e,p)}})};K.forEach(st,((e,t)=>{if(e){try{Object.defineProperty(e,"name",{value:t})}catch(e){}Object.defineProperty(e,"adapterName",{value:t})}}));const ct=e=>`- ${e}`,ut=e=>K.isFunction(e)||null===e||!1===e,dt=e=>{e=K.isArray(e)?e:[e];const{length:t}=e;let n,r;const o={};for(let i=0;i<t;i++){let t;if(n=e[i],r=n,!ut(n)&&(r=st[(t=String(n)).toLowerCase()],void 0===r))throw new Q(`Unknown adapter '${t}'`);if(r)break;o[t||"#"+i]=r}if(!r){const e=Object.entries(o).map((([e,t])=>`adapter ${e} `+(!1===t?"is not supported by the environment":"is not available in the build")));let n=t?e.length>1?"since :\n"+e.map(ct).join("\n"):" "+ct(e[0]):"as no adapter specified";throw new Q("There is no suitable adapter to dispatch the request "+n,"ERR_NOT_SUPPORT")}return r};function ht(e){if(e.cancelToken&&e.cancelToken.throwIfRequested(),e.signal&&e.signal.aborted)throw new Ie(null,e)}function pt(e){ht(e),e.headers=Ne.from(e.headers),e.data=Ve.call(e,e.transformRequest),-1!==["post","put","patch"].indexOf(e.method)&&e.headers.setContentType("application/x-www-form-urlencoded",!1);return dt(e.adapter||Ee.adapter)(e).then((function(t){return ht(e),t.data=Ve.call(e,e.transformResponse,t),t.headers=Ne.from(t.headers),t}),(function(t){return Le(t)||(ht(e),t&&t.response&&(t.response.data=Ve.call(e,e.transformResponse,t.response),t.response.headers=Ne.from(t.response.headers))),Promise.reject(t)}))}const ft="1.7.9",mt={};["object","boolean","number","function","string","symbol"].forEach(((e,t)=>{mt[e]=function(n){return typeof n===e||"a"+(t<1?"n ":" ")+e}}));const vt={};mt.transitional=function(e,t,n){function r(e,t){return"[Axios v1.7.9] Transitional option '"+e+"'"+t+(n?". "+n:"")}return(n,o,i)=>{if(!1===e)throw new Q(r(o," has been removed"+(t?" in "+t:"")),Q.ERR_DEPRECATED);return t&&!vt[o]&&(vt[o]=!0,console.warn(r(o," has been deprecated since v"+t+" and will be removed in the near future"))),!e||e(n,o,i)}},mt.spelling=function(e){return(t,n)=>(console.warn(`${n} is likely a misspelling of ${e}`),!0)};const gt={assertOptions:function(e,t,n){if("object"!=typeof e)throw new Q("options must be an object",Q.ERR_BAD_OPTION_VALUE);const r=Object.keys(e);let o=r.length;for(;o-- >0;){const i=r[o],a=t[i];if(a){const t=e[i],n=void 0===t||a(t,i,e);if(!0!==n)throw new Q("option "+i+" must be "+n,Q.ERR_BAD_OPTION_VALUE)}else if(!0!==n)throw new Q("Unknown option "+i,Q.ERR_BAD_OPTION)}},validators:mt},wt=gt.validators;class yt{constructor(e){this.defaults=e,this.interceptors={request:new he,response:new he}}async request(e,t){try{return await this._request(e,t)}catch(e){if(e instanceof Error){let t={};Error.captureStackTrace?Error.captureStackTrace(t):t=new Error;const n=t.stack?t.stack.replace(/^.+\n/,""):"";try{e.stack?n&&!String(e.stack).endsWith(n.replace(/^.+\n.+\n/,""))&&(e.stack+="\n"+n):e.stack=n}catch(e){}}throw e}}_request(e,t){"string"==typeof e?(t=t||{}).url=e:t=e||{},t=Ue(this.defaults,t);const{transitional:n,paramsSerializer:r,headers:o}=t;void 0!==n&&gt.assertOptions(n,{silentJSONParsing:wt.transitional(wt.boolean),forcedJSONParsing:wt.transitional(wt.boolean),clarifyTimeoutError:wt.transitional(wt.boolean)},!1),null!=r&&(K.isFunction(r)?t.paramsSerializer={serialize:r}:gt.assertOptions(r,{encode:wt.function,serialize:wt.function},!0)),gt.assertOptions(t,{baseUrl:wt.spelling("baseURL"),withXsrfToken:wt.spelling("withXSRFToken")},!0),t.method=(t.method||this.defaults.method||"get").toLowerCase();let i=o&&K.merge(o.common,o[t.method]);o&&K.forEach(["delete","get","head","post","put","patch","common"],(e=>{delete o[e]})),t.headers=Ne.concat(i,o);const a=[];let l=!0;this.interceptors.request.forEach((function(e){"function"==typeof e.runWhen&&!1===e.runWhen(t)||(l=l&&e.synchronous,a.unshift(e.fulfilled,e.rejected))}));const s=[];let c;this.interceptors.response.forEach((function(e){s.push(e.fulfilled,e.rejected)}));let u,d=0;if(!l){const e=[pt.bind(this),void 0];for(e.unshift.apply(e,a),e.push.apply(e,s),u=e.length,c=Promise.resolve(t);d<u;)c=c.then(e[d++],e[d++]);return c}u=a.length;let h=t;for(d=0;d<u;){const e=a[d++],t=a[d++];try{h=e(h)}catch(e){t.call(this,e);break}}try{c=pt.call(this,h)}catch(e){return Promise.reject(e)}for(d=0,u=s.length;d<u;)c=c.then(s[d++],s[d++]);return c}getUri(e){return de(ze((e=Ue(this.defaults,e)).baseURL,e.url),e.params,e.paramsSerializer)}}K.forEach(["delete","get","head","options"],(function(e){yt.prototype[e]=function(t,n){return this.request(Ue(n||{},{method:e,url:t,data:(n||{}).data}))}})),K.forEach(["post","put","patch"],(function(e){function t(t){return function(n,r,o){return this.request(Ue(o||{},{method:e,headers:t?{"Content-Type":"multipart/form-data"}:{},url:n,data:r}))}}yt.prototype[e]=t(),yt.prototype[e+"Form"]=t(!0)}));const bt=yt;class xt{constructor(e){if("function"!=typeof e)throw new TypeError("executor must be a function.");let t;this.promise=new Promise((function(e){t=e}));const n=this;this.promise.then((e=>{if(!n._listeners)return;let t=n._listeners.length;for(;t-- >0;)n._listeners[t](e);n._listeners=null})),this.promise.then=e=>{let t;const r=new Promise((e=>{n.subscribe(e),t=e})).then(e);return r.cancel=function(){n.unsubscribe(t)},r},e((function(e,r,o){n.reason||(n.reason=new Ie(e,r,o),t(n.reason))}))}throwIfRequested(){if(this.reason)throw this.reason}subscribe(e){this.reason?e(this.reason):this._listeners?this._listeners.push(e):this._listeners=[e]}unsubscribe(e){if(!this._listeners)return;const t=this._listeners.indexOf(e);-1!==t&&this._listeners.splice(t,1)}toAbortSignal(){const e=new AbortController,t=t=>{e.abort(t)};return this.subscribe(t),e.signal.unsubscribe=()=>this.unsubscribe(t),e.signal}static source(){let e;return{token:new xt((function(t){e=t})),cancel:e}}}const kt=xt;const Et={Continue:100,SwitchingProtocols:101,Processing:102,EarlyHints:103,Ok:200,Created:201,Accepted:202,NonAuthoritativeInformation:203,NoContent:204,ResetContent:205,PartialContent:206,MultiStatus:207,AlreadyReported:208,ImUsed:226,MultipleChoices:300,MovedPermanently:301,Found:302,SeeOther:303,NotModified:304,UseProxy:305,Unused:306,TemporaryRedirect:307,PermanentRedirect:308,BadRequest:400,Unauthorized:401,PaymentRequired:402,Forbidden:403,NotFound:404,MethodNotAllowed:405,NotAcceptable:406,ProxyAuthenticationRequired:407,RequestTimeout:408,Conflict:409,Gone:410,LengthRequired:411,PreconditionFailed:412,PayloadTooLarge:413,UriTooLong:414,UnsupportedMediaType:415,RangeNotSatisfiable:416,ExpectationFailed:417,ImATeapot:418,MisdirectedRequest:421,UnprocessableEntity:422,Locked:423,FailedDependency:424,TooEarly:425,UpgradeRequired:426,PreconditionRequired:428,TooManyRequests:429,RequestHeaderFieldsTooLarge:431,UnavailableForLegalReasons:451,InternalServerError:500,NotImplemented:501,BadGateway:502,ServiceUnavailable:503,GatewayTimeout:504,HttpVersionNotSupported:505,VariantAlsoNegotiates:506,InsufficientStorage:507,LoopDetected:508,NotExtended:510,NetworkAuthenticationRequired:511};Object.entries(Et).forEach((([e,t])=>{Et[t]=e}));const At=Et;const Ct=function e(t){const n=new bt(t),r=o(bt.prototype.request,n);return K.extend(r,bt.prototype,n,{allOwnKeys:!0}),K.extend(r,n,null,{allOwnKeys:!0}),r.create=function(n){return e(Ue(t,n))},r}(Ee);Ct.Axios=bt,Ct.CanceledError=Ie,Ct.CancelToken=kt,Ct.isCancel=Le,Ct.VERSION=ft,Ct.toFormData=ie,Ct.AxiosError=Q,Ct.Cancel=Ct.CanceledError,Ct.all=function(e){return Promise.all(e)},Ct.spread=function(e){return function(t){return e.apply(null,t)}},Ct.isAxiosError=function(e){return K.isObject(e)&&!0===e.isAxiosError},Ct.mergeConfig=Ue,Ct.AxiosHeaders=Ne,Ct.formToJSON=e=>xe(K.isHTMLForm(e)?new FormData(e):e),Ct.getAdapter=dt,Ct.HttpStatusCode=At,Ct.default=Ct;const Bt=Ct},27717:(e,t,n)=>{"use strict";n.d(t,{Es:()=>ae,bl:()=>re,lc:()=>W,rW:()=>ce});const r={svg:"http://www.w3.org/2000/svg",xmlns:"http://www.w3.org/2000/xmlns/",xhtml:"http://www.w3.org/1999/xhtml",xlink:"http://www.w3.org/1999/xlink",ct:"http://gionkunz.github.com/chartist-js/ct"},o={"&":"&amp;","<":"&lt;",">":"&gt;",'"':"&quot;","'":"&#039;"};function i(e,t){return"number"==typeof e?e+t:e}function a(e){if("string"==typeof e){const t=/^(\d+)\s*(.*)$/g.exec(e);return{value:t?+t[1]:0,unit:(null==t?void 0:t[2])||void 0}}return{value:Number(e)}}function l(e){return String.fromCharCode(97+e%26)}const s=2221e-19;function c(e,t,n){return t/n.range*e}function u(e,t){const n=Math.pow(10,t||8);return Math.round(e*n)/n}function d(e,t,n,r){const o=(r-90)*Math.PI/180;return{x:e+n*Math.cos(o),y:t+n*Math.sin(o)}}function h(e,t,n){let r=arguments.length>3&&void 0!==arguments[3]&&arguments[3];const o={high:t.high,low:t.low,valueRange:0,oom:0,step:0,min:0,max:0,range:0,numberOfSteps:0,values:[]};var i;o.valueRange=o.high-o.low,o.oom=(i=o.valueRange,Math.floor(Math.log(Math.abs(i))/Math.LN10)),o.step=Math.pow(10,o.oom),o.min=Math.floor(o.low/o.step)*o.step,o.max=Math.ceil(o.high/o.step)*o.step,o.range=o.max-o.min,o.numberOfSteps=Math.round(o.range/o.step);const a=c(e,o.step,o)<n,l=r?function(e){if(1===e)return e;function t(e,n){return e%n==0?n:t(n,e%n)}function n(e){return e*e+1}let r,o=2,i=2;if(e%2==0)return 2;do{o=n(o)%e,i=n(n(i))%e,r=t(Math.abs(o-i),e)}while(1===r);return r}(o.range):0;if(r&&c(e,1,o)>=n)o.step=1;else if(r&&l<o.step&&c(e,l,o)>=n)o.step=l;else{let t=0;for(;;){if(a&&c(e,o.step,o)<=n)o.step*=2;else{if(a||!(c(e,o.step/2,o)>=n))break;if(o.step/=2,r&&o.step%1!=0){o.step*=2;break}}if(t++>1e3)throw new Error("Exceeded maximum number of iterations while optimizing scale step!")}}function d(e,t){return e===(e+=t)&&(e*=1+(t>0?s:-s)),e}o.step=Math.max(o.step,s);let h=o.min,p=o.max;for(;h+o.step<=o.low;)h=d(h,o.step);for(;p-o.step>=o.high;)p=d(p,-o.step);o.min=h,o.max=p,o.range=o.max-o.min;const f=[];for(let e=o.min;e<=o.max;e=d(e,o.step)){const t=u(e);t!==f[f.length-1]&&f.push(t)}return o.values=f,o}function p(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};for(var t=arguments.length,n=new Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];for(let t=0;t<n.length;t++){const r=n[t];for(const t in r){const n=r[t];e[t]="object"!=typeof n||null===n||n instanceof Array?n:p(e[t],n)}}return e}const f=e=>e;function m(e,t){return Array.from({length:e},t?(e,n)=>t(n):()=>{})}const v=(e,t)=>e+(t||0);function g(e,t){return null!==e&&"object"==typeof e&&Reflect.has(e,t)}function w(e){return null!==e&&isFinite(e)}function y(e){return!e&&0!==e}function b(e){return w(e)?Number(e):void 0}function x(e,t){let n=0;e[arguments.length>2&&void 0!==arguments[2]&&arguments[2]?"reduceRight":"reduce"](((e,r,o)=>t(r,n++,o)),void 0)}function k(e,t){const n=Array.isArray(e)?e[t]:g(e,"data")?e.data[t]:null;return g(n,"meta")?n.meta:void 0}function E(e){return null==e||"number"==typeof e&&isNaN(e)}function A(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"y";return function(e){return"object"==typeof e&&null!==e&&(Reflect.has(e,"x")||Reflect.has(e,"y"))}(e)&&g(e,t)?b(e[t]):b(e)}function C(e,t,n){const r={high:void 0===(t={...t,...n?"x"===n?t.axisX:t.axisY:{}}).high?-Number.MAX_VALUE:+t.high,low:void 0===t.low?Number.MAX_VALUE:+t.low},o=void 0===t.high,i=void 0===t.low;return(o||i)&&function e(t){if(!E(t))if(Array.isArray(t))for(let n=0;n<t.length;n++)e(t[n]);else{const e=Number(n&&g(t,n)?t[n]:t);o&&e>r.high&&(r.high=e),i&&e<r.low&&(r.low=e)}}(e),(t.referenceValue||0===t.referenceValue)&&(r.high=Math.max(t.referenceValue,r.high),r.low=Math.min(t.referenceValue,r.low)),r.high<=r.low&&(0===r.low?r.high=1:r.low<0?r.high=0:(r.high>0||(r.high=1),r.low=0)),r}function B(e){let t,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1],r=arguments.length>2?arguments[2]:void 0,o=arguments.length>3?arguments[3]:void 0;const i={labels:(e.labels||[]).slice(),series:S(e.series,r,o)},a=i.labels.length;return!function(e){return!!Array.isArray(e)&&e.every(Array.isArray)}(i.series)?t=i.series.length:(t=Math.max(a,...i.series.map((e=>e.length))),i.series.forEach((e=>{e.push(...m(Math.max(0,t-e.length)))}))),i.labels.push(...m(Math.max(0,t-a),(()=>""))),n&&function(e){var t;null===(t=e.labels)||void 0===t||t.reverse(),e.series.reverse();for(const t of e.series)g(t,"data")?t.data.reverse():Array.isArray(t)&&t.reverse()}(i),i}function M(e,t){if(!E(e))return t?function(e,t){let n,r;if("object"!=typeof e){const o=b(e);"x"===t?n=o:r=o}else g(e,"x")&&(n=b(e.x)),g(e,"y")&&(r=b(e.y));if(void 0!==n||void 0!==r)return{x:n,y:r}}(e,t):b(e)}function _(e,t){return Array.isArray(e)?e.map((e=>g(e,"value")?M(e.value,t):M(e,t))):_(e.data,t)}function S(e,t,n){if(r=e,Array.isArray(r)&&r.every((e=>Array.isArray(e)||g(e,"data"))))return e.map((e=>_(e,t)));var r;const o=_(e,t);return n?o.map((e=>[e])):o}function N(e,t,n){const r={increasingX:!1,fillHoles:!1,...n},o=[];let i=!0;for(let n=0;n<e.length;n+=2)void 0===A(t[n/2].value)?r.fillHoles||(i=!0):(r.increasingX&&n>=2&&e[n]<=e[n-2]&&(i=!0),i&&(o.push({pathCoordinates:[],valueData:[]}),i=!1),o[o.length-1].pathCoordinates.push(e[n],e[n+1]),o[o.length-1].valueData.push(t[n/2]));return o}function V(e){let t="";return null==e?e:(t="number"==typeof e?""+e:"object"==typeof e?JSON.stringify({data:e}):String(e),Object.keys(o).reduce(((e,t)=>e.replaceAll(t,o[t])),t))}class L{call(e,t){return this.svgElements.forEach((n=>Reflect.apply(n[e],n,t))),this}attr(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("attr",t)}elem(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("elem",t)}root(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("root",t)}getNode(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("getNode",t)}foreignObject(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("foreignObject",t)}text(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("text",t)}empty(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("empty",t)}remove(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("remove",t)}addClass(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("addClass",t)}removeClass(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("removeClass",t)}removeAllClasses(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("removeAllClasses",t)}animate(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return this.call("animate",t)}constructor(e){this.svgElements=[];for(let t=0;t<e.length;t++)this.svgElements.push(new Z(e[t]))}}const T={easeInSine:[.47,0,.745,.715],easeOutSine:[.39,.575,.565,1],easeInOutSine:[.445,.05,.55,.95],easeInQuad:[.55,.085,.68,.53],easeOutQuad:[.25,.46,.45,.94],easeInOutQuad:[.455,.03,.515,.955],easeInCubic:[.55,.055,.675,.19],easeOutCubic:[.215,.61,.355,1],easeInOutCubic:[.645,.045,.355,1],easeInQuart:[.895,.03,.685,.22],easeOutQuart:[.165,.84,.44,1],easeInOutQuart:[.77,0,.175,1],easeInQuint:[.755,.05,.855,.06],easeOutQuint:[.23,1,.32,1],easeInOutQuint:[.86,0,.07,1],easeInExpo:[.95,.05,.795,.035],easeOutExpo:[.19,1,.22,1],easeInOutExpo:[1,0,0,1],easeInCirc:[.6,.04,.98,.335],easeOutCirc:[.075,.82,.165,1],easeInOutCirc:[.785,.135,.15,.86],easeInBack:[.6,-.28,.735,.045],easeOutBack:[.175,.885,.32,1.275],easeInOutBack:[.68,-.55,.265,1.55]};function I(e,t,n){let r=arguments.length>3&&void 0!==arguments[3]&&arguments[3],o=arguments.length>4?arguments[4]:void 0;const{easing:l,...s}=n,c={};let u,d;l&&(u=Array.isArray(l)?l:T[l]),s.begin=i(s.begin,"ms"),s.dur=i(s.dur,"ms"),u&&(s.calcMode="spline",s.keySplines=u.join(" "),s.keyTimes="0;1"),r&&(s.fill="freeze",c[t]=s.from,e.attr(c),d=a(s.begin||0).value,s.begin="indefinite");const h=e.elem("animate",{attributeName:t,...s});r&&setTimeout((()=>{try{h._node.beginElement()}catch(n){c[t]=s.to,e.attr(c),h.remove()}}),d);const p=h.getNode();o&&p.addEventListener("beginEvent",(()=>o.emit("animationBegin",{element:e,animate:p,params:n}))),p.addEventListener("endEvent",(()=>{o&&o.emit("animationEnd",{element:e,animate:p,params:n}),r&&(c[t]=s.to,e.attr(c),h.remove())}))}class Z{attr(e,t){return"string"==typeof e?t?this._node.getAttributeNS(t,e):this._node.getAttribute(e):(Object.keys(e).forEach((t=>{if(void 0!==e[t])if(-1!==t.indexOf(":")){const n=t.split(":");this._node.setAttributeNS(r[n[0]],t,String(e[t]))}else this._node.setAttribute(t,String(e[t]))})),this)}elem(e,t,n){return new Z(e,t,n,this,arguments.length>3&&void 0!==arguments[3]&&arguments[3])}parent(){return this._node.parentNode instanceof SVGElement?new Z(this._node.parentNode):null}root(){let e=this._node;for(;"svg"!==e.nodeName&&e.parentElement;)e=e.parentElement;return new Z(e)}querySelector(e){const t=this._node.querySelector(e);return t?new Z(t):null}querySelectorAll(e){const t=this._node.querySelectorAll(e);return new L(t)}getNode(){return this._node}foreignObject(e,t,n){let o,i=arguments.length>3&&void 0!==arguments[3]&&arguments[3];if("string"==typeof e){const t=document.createElement("div");t.innerHTML=e,o=t.firstChild}else o=e;o instanceof Element&&o.setAttribute("xmlns",r.xmlns);const a=this.elem("foreignObject",t,n,i);return a._node.appendChild(o),a}text(e){return this._node.appendChild(document.createTextNode(e)),this}empty(){for(;this._node.firstChild;)this._node.removeChild(this._node.firstChild);return this}remove(){var e;return null===(e=this._node.parentNode)||void 0===e||e.removeChild(this._node),this.parent()}replace(e){var t;return null===(t=this._node.parentNode)||void 0===t||t.replaceChild(e._node,this._node),e}append(e){return arguments.length>1&&void 0!==arguments[1]&&arguments[1]&&this._node.firstChild?this._node.insertBefore(e._node,this._node.firstChild):this._node.appendChild(e._node),this}classes(){const e=this._node.getAttribute("class");return e?e.trim().split(/\s+/):[]}addClass(e){return this._node.setAttribute("class",this.classes().concat(e.trim().split(/\s+/)).filter((function(e,t,n){return n.indexOf(e)===t})).join(" ")),this}removeClass(e){const t=e.trim().split(/\s+/);return this._node.setAttribute("class",this.classes().filter((e=>-1===t.indexOf(e))).join(" ")),this}removeAllClasses(){return this._node.setAttribute("class",""),this}height(){return this._node.getBoundingClientRect().height}width(){return this._node.getBoundingClientRect().width}animate(e){let t=!(arguments.length>1&&void 0!==arguments[1])||arguments[1],n=arguments.length>2?arguments[2]:void 0;return Object.keys(e).forEach((r=>{const o=e[r];Array.isArray(o)?o.forEach((e=>I(this,r,e,!1,n))):I(this,r,o,t,n)})),this}constructor(e,t,n,o,i=!1){e instanceof Element?this._node=e:(this._node=document.createElementNS(r.svg,e),"svg"===e&&this.attr({"xmlns:ct":r.ct})),t&&this.attr(t),n&&this.addClass(n),o&&(i&&o._node.firstChild?o._node.insertBefore(this._node,o._node.firstChild):o._node.appendChild(this._node))}}function O(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"100%",n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"100%",o=arguments.length>3?arguments[3]:void 0;Array.from(e.querySelectorAll("svg")).filter((e=>e.getAttributeNS(r.xmlns,"ct"))).forEach((t=>e.removeChild(t)));const i=new Z("svg").attr({width:t,height:n}).attr({style:"width: ".concat(t,"; height: ").concat(n,";")});return o&&i.addClass(o),e.appendChild(i.getNode()),i}function D(e,t){var n,r,o,i;const l=Boolean(t.axisX||t.axisY),s=(null===(n=t.axisY)||void 0===n?void 0:n.offset)||0,c=(null===(r=t.axisX)||void 0===r?void 0:r.offset)||0,u=null===(o=t.axisY)||void 0===o?void 0:o.position,d=null===(i=t.axisX)||void 0===i?void 0:i.position;let h=e.width()||a(t.width).value||0,p=e.height()||a(t.height).value||0;const f="number"==typeof(m=t.chartPadding)?{top:m,right:m,bottom:m,left:m}:void 0===m?{top:0,right:0,bottom:0,left:0}:{top:"number"==typeof m.top?m.top:0,right:"number"==typeof m.right?m.right:0,bottom:"number"==typeof m.bottom?m.bottom:0,left:"number"==typeof m.left?m.left:0};var m;h=Math.max(h,s+f.left+f.right),p=Math.max(p,c+f.top+f.bottom);const v={x1:0,x2:0,y1:0,y2:0,padding:f,width(){return this.x2-this.x1},height(){return this.y1-this.y2}};return l?("start"===d?(v.y2=f.top+c,v.y1=Math.max(p-f.bottom,v.y2+1)):(v.y2=f.top,v.y1=Math.max(p-f.bottom-c,v.y2+1)),"start"===u?(v.x1=f.left+s,v.x2=Math.max(h-f.right,v.x1+1)):(v.x1=f.left,v.x2=Math.max(h-f.right-s,v.x1+1))):(v.x1=f.left,v.x2=Math.max(h-f.right,v.x1+1),v.y2=f.top,v.y1=Math.max(p-f.bottom,v.y2+1)),v}function R(e,t,n,r){const o=e.elem("rect",{x:t.x1,y:t.y2,width:t.width(),height:t.height()},n,!0);r.emit("draw",{type:"gridBackground",group:e,element:o})}function H(e,t,n){let r;const o=[];function i(o){const i=r;r=p({},e),t&&t.forEach((e=>{window.matchMedia(e[0]).matches&&(r=p(r,e[1]))})),n&&o&&n.emit("optionsChanged",{previousOptions:i,currentOptions:r})}if(!window.matchMedia)throw new Error("window.matchMedia not found! Make sure you're using a polyfill.");return t&&t.forEach((e=>{const t=window.matchMedia(e[0]);t.addEventListener("change",i),o.push(t)})),i(),{removeMediaQueryListeners:function(){o.forEach((e=>e.removeEventListener("change",i)))},getCurrentOptions:()=>r}}Z.Easing=T;const P={m:["x","y"],l:["x","y"],c:["x1","y1","x2","y2","x","y"],a:["rx","ry","xAr","lAf","sf","x","y"]},j={accuracy:3};function F(e,t,n,r,o,i){const a={command:o?e.toLowerCase():e.toUpperCase(),...t,...i?{data:i}:{}};n.splice(r,0,a)}function z(e,t){e.forEach(((n,r)=>{P[n.command.toLowerCase()].forEach(((o,i)=>{t(n,o,r,i,e)}))}))}class q{static join(e){const t=new q(arguments.length>1&&void 0!==arguments[1]&&arguments[1],arguments.length>2?arguments[2]:void 0);for(let n=0;n<e.length;n++){const r=e[n];for(let e=0;e<r.pathElements.length;e++)t.pathElements.push(r.pathElements[e])}return t}position(e){return void 0!==e?(this.pos=Math.max(0,Math.min(this.pathElements.length,e)),this):this.pos}remove(e){return this.pathElements.splice(this.pos,e),this}move(e,t){let n=arguments.length>2&&void 0!==arguments[2]&&arguments[2],r=arguments.length>3?arguments[3]:void 0;return F("M",{x:+e,y:+t},this.pathElements,this.pos++,n,r),this}line(e,t){let n=arguments.length>2&&void 0!==arguments[2]&&arguments[2],r=arguments.length>3?arguments[3]:void 0;return F("L",{x:+e,y:+t},this.pathElements,this.pos++,n,r),this}curve(e,t,n,r,o,i){let a=arguments.length>6&&void 0!==arguments[6]&&arguments[6],l=arguments.length>7?arguments[7]:void 0;return F("C",{x1:+e,y1:+t,x2:+n,y2:+r,x:+o,y:+i},this.pathElements,this.pos++,a,l),this}arc(e,t,n,r,o,i,a){let l=arguments.length>7&&void 0!==arguments[7]&&arguments[7],s=arguments.length>8?arguments[8]:void 0;return F("A",{rx:e,ry:t,xAr:n,lAf:r,sf:o,x:i,y:a},this.pathElements,this.pos++,l,s),this}parse(e){const t=e.replace(/([A-Za-z])(-?[0-9])/g,"$1 $2").replace(/([0-9])([A-Za-z])/g,"$1 $2").split(/[\s,]+/).reduce(((e,t)=>(t.match(/[A-Za-z]/)&&e.push([]),e[e.length-1].push(t),e)),[]);"Z"===t[t.length-1][0].toUpperCase()&&t.pop();const n=t.map((e=>{const t=e.shift(),n=P[t.toLowerCase()];return{command:t,...n.reduce(((t,n,r)=>(t[n]=+e[r],t)),{})}}));return this.pathElements.splice(this.pos,0,...n),this.pos+=n.length,this}stringify(){const e=Math.pow(10,this.options.accuracy);return this.pathElements.reduce(((t,n)=>{const r=P[n.command.toLowerCase()].map((t=>{const r=n[t];return this.options.accuracy?Math.round(r*e)/e:r}));return t+n.command+r.join(",")}),"")+(this.close?"Z":"")}scale(e,t){return z(this.pathElements,((n,r)=>{n[r]*="x"===r[0]?e:t})),this}translate(e,t){return z(this.pathElements,((n,r)=>{n[r]+="x"===r[0]?e:t})),this}transform(e){return z(this.pathElements,((t,n,r,o,i)=>{const a=e(t,n,r,o,i);(a||0===a)&&(t[n]=a)})),this}clone(){const e=new q(arguments.length>0&&void 0!==arguments[0]&&arguments[0]||this.close);return e.pos=this.pos,e.pathElements=this.pathElements.slice().map((e=>({...e}))),e.options={...this.options},e}splitByCommand(e){const t=[new q];return this.pathElements.forEach((n=>{n.command===e.toUpperCase()&&0!==t[t.length-1].pathElements.length&&t.push(new q),t[t.length-1].pathElements.push(n)})),t}constructor(e=!1,t){this.close=e,this.pathElements=[],this.pos=0,this.options={...j,...t}}}function U(e){const t={fillHoles:!1,...e};return function(e,n){const r=new q;let o=!0;for(let i=0;i<e.length;i+=2){const a=e[i],l=e[i+1],s=n[i/2];void 0!==A(s.value)?(o?r.move(a,l,!1,s):r.line(a,l,!1,s),o=!1):t.fillHoles||(o=!0)}return r}}function $(e){const t={fillHoles:!1,...e};return function e(n,r){const o=N(n,r,{fillHoles:t.fillHoles,increasingX:!0});if(o.length){if(o.length>1)return q.join(o.map((t=>e(t.pathCoordinates,t.valueData))));{if(n=o[0].pathCoordinates,r=o[0].valueData,n.length<=4)return U()(n,r);const e=[],t=[],i=n.length/2,a=[],l=[],s=[],c=[];for(let r=0;r<i;r++)e[r]=n[2*r],t[r]=n[2*r+1];for(let n=0;n<i-1;n++)s[n]=t[n+1]-t[n],c[n]=e[n+1]-e[n],l[n]=s[n]/c[n];a[0]=l[0],a[i-1]=l[i-2];for(let e=1;e<i-1;e++)0===l[e]||0===l[e-1]||l[e-1]>0!=l[e]>0?a[e]=0:(a[e]=3*(c[e-1]+c[e])/((2*c[e]+c[e-1])/l[e-1]+(c[e]+2*c[e-1])/l[e]),isFinite(a[e])||(a[e]=0));const u=(new q).move(e[0],t[0],!1,r[0]);for(let n=0;n<i-1;n++)u.curve(e[n]+c[n]/3,t[n]+a[n]*c[n]/3,e[n+1]-c[n]/3,t[n+1]-a[n+1]*c[n]/3,e[n+1],t[n+1],!1,r[n+1]);return u}}return U()([],[])}}var W=Object.freeze({__proto__:null,none:U,simple:function(e){const t={divisor:2,fillHoles:!1,...e},n=1/Math.max(1,t.divisor);return function(e,r){const o=new q;let i,a=0,l=0;for(let s=0;s<e.length;s+=2){const c=e[s],u=e[s+1],d=(c-a)*n,h=r[s/2];void 0!==h.value?(void 0===i?o.move(c,u,!1,h):o.curve(a+d,l,c-d,u,c,u,!1,h),a=c,l=u,i=h):t.fillHoles||(a=l=0,i=void 0)}return o}},step:function(e){const t={postpone:!0,fillHoles:!1,...e};return function(e,n){const r=new q;let o,i=0,a=0;for(let l=0;l<e.length;l+=2){const s=e[l],c=e[l+1],u=n[l/2];void 0!==u.value?(void 0===o?r.move(s,c,!1,u):(t.postpone?r.line(s,a,!1,o):r.line(i,c,!1,u),r.line(s,c,!1,u)),i=s,a=c,o=u):t.fillHoles||(i=a=0,o=void 0)}return r}},cardinal:function(e){const t={tension:1,fillHoles:!1,...e},n=Math.min(1,Math.max(0,t.tension)),r=1-n;return function e(o,i){const a=N(o,i,{fillHoles:t.fillHoles});if(a.length){if(a.length>1)return q.join(a.map((t=>e(t.pathCoordinates,t.valueData))));{if(o=a[0].pathCoordinates,i=a[0].valueData,o.length<=4)return U()(o,i);const e=(new q).move(o[0],o[1],!1,i[0]),t=!1;for(let a=0,l=o.length;l-2*Number(!t)>a;a+=2){const t=[{x:+o[a-2],y:+o[a-1]},{x:+o[a],y:+o[a+1]},{x:+o[a+2],y:+o[a+3]},{x:+o[a+4],y:+o[a+5]}];l-4===a?t[3]=t[2]:a||(t[0]={x:+o[a],y:+o[a+1]}),e.curve(n*(-t[0].x+6*t[1].x+t[2].x)/6+r*t[2].x,n*(-t[0].y+6*t[1].y+t[2].y)/6+r*t[2].y,n*(t[1].x+6*t[2].x-t[3].x)/6+r*t[2].x,n*(t[1].y+6*t[2].y-t[3].y)/6+r*t[2].y,t[2].x,t[2].y,!1,i[(a+2)/2])}return e}}return U()([],[])}},monotoneCubic:$});class G{on(e,t){const{allListeners:n,listeners:r}=this;"*"===e?n.add(t):(r.has(e)||r.set(e,new Set),r.get(e).add(t))}off(e,t){const{allListeners:n,listeners:r}=this;if("*"===e)t?n.delete(t):n.clear();else if(r.has(e)){const n=r.get(e);t?n.delete(t):n.clear(),n.size||r.delete(e)}}emit(e,t){const{allListeners:n,listeners:r}=this;r.has(e)&&r.get(e).forEach((e=>e(t))),n.forEach((n=>n(e,t)))}constructor(){this.listeners=new Map,this.allListeners=new Set}}const K=new WeakMap;class Y{update(e,t){let n=arguments.length>2&&void 0!==arguments[2]&&arguments[2];var r;(e&&(this.data=e||{},this.data.labels=this.data.labels||[],this.data.series=this.data.series||[],this.eventEmitter.emit("data",{type:"update",data:this.data})),t)&&(this.options=p({},n?this.options:this.defaultOptions,t),this.initializeTimeoutId||(null===(r=this.optionsProvider)||void 0===r||r.removeMediaQueryListeners(),this.optionsProvider=H(this.options,this.responsiveOptions,this.eventEmitter)));return!this.initializeTimeoutId&&this.optionsProvider&&this.createChart(this.optionsProvider.getCurrentOptions()),this}detach(){var e;this.initializeTimeoutId?window.clearTimeout(this.initializeTimeoutId):(window.removeEventListener("resize",this.resizeListener),null===(e=this.optionsProvider)||void 0===e||e.removeMediaQueryListeners());return K.delete(this.container),this}on(e,t){return this.eventEmitter.on(e,t),this}off(e,t){return this.eventEmitter.off(e,t),this}initialize(){window.addEventListener("resize",this.resizeListener),this.optionsProvider=H(this.options,this.responsiveOptions,this.eventEmitter),this.eventEmitter.on("optionsChanged",(()=>this.update())),this.options.plugins&&this.options.plugins.forEach((e=>{Array.isArray(e)?e[0](this,e[1]):e(this)})),this.eventEmitter.emit("data",{type:"initial",data:this.data}),this.createChart(this.optionsProvider.getCurrentOptions()),this.initializeTimeoutId=null}constructor(e,t,n,r,o){this.data=t,this.defaultOptions=n,this.options=r,this.responsiveOptions=o,this.eventEmitter=new G,this.resizeListener=()=>this.update(),this.initializeTimeoutId=setTimeout((()=>this.initialize()),0);const i="string"==typeof e?document.querySelector(e):e;if(!i)throw new Error("Target element is not found");this.container=i;const a=K.get(i);a&&a.detach(),K.set(i,this)}}const X={x:{pos:"x",len:"width",dir:"horizontal",rectStart:"x1",rectEnd:"x2",rectOffset:"y2"},y:{pos:"y",len:"height",dir:"vertical",rectStart:"y2",rectEnd:"y1",rectOffset:"x1"}};class J{createGridAndLabels(e,t,n,r){const o="x"===this.units.pos?n.axisX:n.axisY,i=this.ticks.map(((e,t)=>this.projectValue(e,t))),a=this.ticks.map(o.labelInterpolationFnc);i.forEach(((l,s)=>{const c=a[s],u={x:0,y:0};let d;d=i[s+1]?i[s+1]-l:Math.max(this.axisLength-l,this.axisLength/this.ticks.length),""!==c&&y(c)||("x"===this.units.pos?(l=this.chartRect.x1+l,u.x=n.axisX.labelOffset.x,"start"===n.axisX.position?u.y=this.chartRect.padding.top+n.axisX.labelOffset.y+5:u.y=this.chartRect.y1+n.axisX.labelOffset.y+5):(l=this.chartRect.y1-l,u.y=n.axisY.labelOffset.y-d,"start"===n.axisY.position?u.x=this.chartRect.padding.left+n.axisY.labelOffset.x:u.x=this.chartRect.x2+n.axisY.labelOffset.x+10),o.showGrid&&function(e,t,n,r,o,i,a,l){const s={["".concat(n.units.pos,"1")]:e,["".concat(n.units.pos,"2")]:e,["".concat(n.counterUnits.pos,"1")]:r,["".concat(n.counterUnits.pos,"2")]:r+o},c=i.elem("line",s,a.join(" "));l.emit("draw",{type:"grid",axis:n,index:t,group:i,element:c,...s})}(l,s,this,this.gridOffset,this.chartRect[this.counterUnits.len](),e,[n.classNames.grid,n.classNames[this.units.dir]],r),o.showLabel&&function(e,t,n,r,o,i,a,l,s,c){const u={[o.units.pos]:e+a[o.units.pos],[o.counterUnits.pos]:a[o.counterUnits.pos],[o.units.len]:t,[o.counterUnits.len]:Math.max(0,i-10)},d=Math.round(u[o.units.len]),h=Math.round(u[o.counterUnits.len]),p=document.createElement("span");p.className=s.join(" "),p.style[o.units.len]=d+"px",p.style[o.counterUnits.len]=h+"px",p.textContent=String(r);const f=l.foreignObject(p,{style:"overflow: visible;",...u});c.emit("draw",{type:"label",axis:o,index:n,group:l,element:f,text:r,...u})}(l,d,s,c,this,o.offset,u,t,[n.classNames.label,n.classNames[this.units.dir],"start"===o.position?n.classNames[o.position]:n.classNames.end],r))}))}constructor(e,t,n){this.units=e,this.chartRect=t,this.ticks=n,this.counterUnits=e===X.x?X.y:X.x,this.axisLength=t[this.units.rectEnd]-t[this.units.rectStart],this.gridOffset=t[this.units.rectOffset]}}class Q extends J{projectValue(e){const t=Number(A(e,this.units.pos));return this.axisLength*(t-this.bounds.min)/this.bounds.range}constructor(e,t,n,r){const o=r.highLow||C(t,r,e.pos),i=h(n[e.rectEnd]-n[e.rectStart],o,r.scaleMinSpace||20,r.onlyInteger),a={min:i.min,max:i.max};super(e,n,i.values),this.bounds=i,this.range=a}}class ee extends J{projectValue(e,t){return this.stepLength*t}constructor(e,t,n,r){const o=r.ticks||[];super(e,n,o);const i=Math.max(1,o.length-(r.stretch?1:0));this.stepLength=this.axisLength/i,this.stretch=Boolean(r.stretch)}}function te(e,t,n){var r;if(g(e,"name")&&e.name&&(null===(r=t.series)||void 0===r?void 0:r[e.name])){const r=(null==t?void 0:t.series[e.name])[n];return void 0===r?t[n]:r}return t[n]}const ne={axisX:{offset:30,position:"end",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:f,type:void 0},axisY:{offset:40,position:"start",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:f,type:void 0,scaleMinSpace:20,onlyInteger:!1},width:void 0,height:void 0,showLine:!0,showPoint:!0,showArea:!1,areaBase:0,lineSmooth:!0,showGridBackground:!1,low:void 0,high:void 0,chartPadding:{top:15,right:15,bottom:5,left:10},fullWidth:!1,reverseData:!1,classNames:{chart:"ct-chart-line",label:"ct-label",labelGroup:"ct-labels",series:"ct-series",line:"ct-line",point:"ct-point",area:"ct-area",grid:"ct-grid",gridGroup:"ct-grids",gridBackground:"ct-grid-background",vertical:"ct-vertical",horizontal:"ct-horizontal",start:"ct-start",end:"ct-end"}};class re extends Y{createChart(e){const{data:t}=this,n=B(t,e.reverseData,!0),r=O(this.container,e.width,e.height,e.classNames.chart);this.svg=r;const o=r.elem("g").addClass(e.classNames.gridGroup),i=r.elem("g"),a=r.elem("g").addClass(e.classNames.labelGroup),s=D(r,e);let c,u;c=void 0===e.axisX.type?new ee(X.x,n.series,s,{...e.axisX,ticks:n.labels,stretch:e.fullWidth}):new e.axisX.type(X.x,n.series,s,e.axisX),u=void 0===e.axisY.type?new Q(X.y,n.series,s,{...e.axisY,high:w(e.high)?e.high:e.axisY.high,low:w(e.low)?e.low:e.axisY.low}):new e.axisY.type(X.y,n.series,s,e.axisY),c.createGridAndLabels(o,a,e,this.eventEmitter),u.createGridAndLabels(o,a,e,this.eventEmitter),e.showGridBackground&&R(o,s,e.classNames.gridBackground,this.eventEmitter),x(t.series,((t,r)=>{const o=i.elem("g"),a=g(t,"name")&&t.name,d=g(t,"className")&&t.className,h=g(t,"meta")?t.meta:void 0;a&&o.attr({"ct:series-name":a}),h&&o.attr({"ct:meta":V(h)}),o.addClass([e.classNames.series,d||"".concat(e.classNames.series,"-").concat(l(r))].join(" "));const p=[],f=[];n.series[r].forEach(((e,o)=>{const i={x:s.x1+c.projectValue(e,o,n.series[r]),y:s.y1-u.projectValue(e,o,n.series[r])};p.push(i.x,i.y),f.push({value:e,valueIndex:o,meta:k(t,o)})}));const m={lineSmooth:te(t,e,"lineSmooth"),showPoint:te(t,e,"showPoint"),showLine:te(t,e,"showLine"),showArea:te(t,e,"showArea"),areaBase:te(t,e,"areaBase")};let v;v="function"==typeof m.lineSmooth?m.lineSmooth:m.lineSmooth?$():U();const y=v(p,f);if(m.showPoint&&y.pathElements.forEach((n=>{const{data:i}=n,a=o.elem("line",{x1:n.x,y1:n.y,x2:n.x+.01,y2:n.y},e.classNames.point);if(i){let e,t;g(i.value,"x")&&(e=i.value.x),g(i.value,"y")&&(t=i.value.y),a.attr({"ct:value":[e,t].filter(w).join(","),"ct:meta":V(i.meta)})}this.eventEmitter.emit("draw",{type:"point",value:null==i?void 0:i.value,index:(null==i?void 0:i.valueIndex)||0,meta:null==i?void 0:i.meta,series:t,seriesIndex:r,axisX:c,axisY:u,group:o,element:a,x:n.x,y:n.y,chartRect:s})})),m.showLine){const i=o.elem("path",{d:y.stringify()},e.classNames.line,!0);this.eventEmitter.emit("draw",{type:"line",values:n.series[r],path:y.clone(),chartRect:s,index:r,series:t,seriesIndex:r,meta:h,axisX:c,axisY:u,group:o,element:i})}if(m.showArea&&u.range){const i=Math.max(Math.min(m.areaBase,u.range.max),u.range.min),a=s.y1-u.projectValue(i);y.splitByCommand("M").filter((e=>e.pathElements.length>1)).map((e=>{const t=e.pathElements[0],n=e.pathElements[e.pathElements.length-1];return e.clone(!0).position(0).remove(1).move(t.x,a).line(t.x,t.y).position(e.pathElements.length+1).line(n.x,a)})).forEach((i=>{const a=o.elem("path",{d:i.stringify()},e.classNames.area,!0);this.eventEmitter.emit("draw",{type:"area",values:n.series[r],path:i.clone(),series:t,seriesIndex:r,axisX:c,axisY:u,chartRect:s,index:r,group:o,element:a,meta:h})}))}}),e.reverseData),this.eventEmitter.emit("created",{chartRect:s,axisX:c,axisY:u,svg:r,options:e})}constructor(e,t,n,r){super(e,t,ne,p({},ne,n),r),this.data=t}}function oe(e){return t=e,n=function(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return Array.from(t).reduce(((e,t)=>({x:e.x+(g(t,"x")?t.x:0),y:e.y+(g(t,"y")?t.y:0)})),{x:0,y:0})},m(Math.max(...t.map((e=>e.length))),(e=>n(...t.map((t=>t[e])))));var t,n}const ie={axisX:{offset:30,position:"end",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:f,scaleMinSpace:30,onlyInteger:!1},axisY:{offset:40,position:"start",labelOffset:{x:0,y:0},showLabel:!0,showGrid:!0,labelInterpolationFnc:f,scaleMinSpace:20,onlyInteger:!1},width:void 0,height:void 0,high:void 0,low:void 0,referenceValue:0,chartPadding:{top:15,right:15,bottom:5,left:10},seriesBarDistance:15,stackBars:!1,stackMode:"accumulate",horizontalBars:!1,distributeSeries:!1,reverseData:!1,showGridBackground:!1,classNames:{chart:"ct-chart-bar",horizontalBars:"ct-horizontal-bars",label:"ct-label",labelGroup:"ct-labels",series:"ct-series",bar:"ct-bar",grid:"ct-grid",gridGroup:"ct-grids",gridBackground:"ct-grid-background",vertical:"ct-vertical",horizontal:"ct-horizontal",start:"ct-start",end:"ct-end"}};class ae extends Y{createChart(e){const{data:t}=this,n=B(t,e.reverseData,e.horizontalBars?"x":"y",!0),r=O(this.container,e.width,e.height,e.classNames.chart+(e.horizontalBars?" "+e.classNames.horizontalBars:"")),o=e.stackBars&&!0!==e.stackMode&&n.series.length?C([oe(n.series)],e,e.horizontalBars?"x":"y"):C(n.series,e,e.horizontalBars?"x":"y");this.svg=r;const i=r.elem("g").addClass(e.classNames.gridGroup),a=r.elem("g"),s=r.elem("g").addClass(e.classNames.labelGroup);"number"==typeof e.high&&(o.high=e.high),"number"==typeof e.low&&(o.low=e.low);const c=D(r,e);let u;const d=e.distributeSeries&&e.stackBars?n.labels.slice(0,1):n.labels;let h,p,f;e.horizontalBars?(u=p=void 0===e.axisX.type?new Q(X.x,n.series,c,{...e.axisX,highLow:o,referenceValue:0}):new e.axisX.type(X.x,n.series,c,{...e.axisX,highLow:o,referenceValue:0}),h=f=void 0===e.axisY.type?new ee(X.y,n.series,c,{ticks:d}):new e.axisY.type(X.y,n.series,c,e.axisY)):(h=p=void 0===e.axisX.type?new ee(X.x,n.series,c,{ticks:d}):new e.axisX.type(X.x,n.series,c,e.axisX),u=f=void 0===e.axisY.type?new Q(X.y,n.series,c,{...e.axisY,highLow:o,referenceValue:0}):new e.axisY.type(X.y,n.series,c,{...e.axisY,highLow:o,referenceValue:0}));const m=e.horizontalBars?c.x1+u.projectValue(0):c.y1-u.projectValue(0),v="accumulate"===e.stackMode,y="accumulate-relative"===e.stackMode,b=[],E=[];let A=b;h.createGridAndLabels(i,s,e,this.eventEmitter),u.createGridAndLabels(i,s,e,this.eventEmitter),e.showGridBackground&&R(i,c,e.classNames.gridBackground,this.eventEmitter),x(t.series,((r,o)=>{const i=o-(t.series.length-1)/2;let s;s=e.distributeSeries&&!e.stackBars?h.axisLength/n.series.length/2:e.distributeSeries&&e.stackBars?h.axisLength/2:h.axisLength/n.series[o].length/2;const d=a.elem("g"),x=g(r,"name")&&r.name,C=g(r,"className")&&r.className,B=g(r,"meta")?r.meta:void 0;x&&d.attr({"ct:series-name":x}),B&&d.attr({"ct:meta":V(B)}),d.addClass([e.classNames.series,C||"".concat(e.classNames.series,"-").concat(l(o))].join(" ")),n.series[o].forEach(((t,a)=>{const l=g(t,"x")&&t.x,x=g(t,"y")&&t.y;let C,B;C=e.distributeSeries&&!e.stackBars?o:e.distributeSeries&&e.stackBars?0:a,B=e.horizontalBars?{x:c.x1+u.projectValue(l||0,a,n.series[o]),y:c.y1-h.projectValue(x||0,C,n.series[o])}:{x:c.x1+h.projectValue(l||0,C,n.series[o]),y:c.y1-u.projectValue(x||0,a,n.series[o])},h instanceof ee&&(h.stretch||(B[h.units.pos]+=s*(e.horizontalBars?-1:1)),B[h.units.pos]+=e.stackBars||e.distributeSeries?0:i*e.seriesBarDistance*(e.horizontalBars?-1:1)),y&&(A=x>=0||l>=0?b:E);const M=A[a]||m;if(A[a]=M-(m-B[h.counterUnits.pos]),void 0===t)return;const _={["".concat(h.units.pos,"1")]:B[h.units.pos],["".concat(h.units.pos,"2")]:B[h.units.pos]};e.stackBars&&(v||y||!e.stackMode)?(_["".concat(h.counterUnits.pos,"1")]=M,_["".concat(h.counterUnits.pos,"2")]=A[a]):(_["".concat(h.counterUnits.pos,"1")]=m,_["".concat(h.counterUnits.pos,"2")]=B[h.counterUnits.pos]),_.x1=Math.min(Math.max(_.x1,c.x1),c.x2),_.x2=Math.min(Math.max(_.x2,c.x1),c.x2),_.y1=Math.min(Math.max(_.y1,c.y2),c.y1),_.y2=Math.min(Math.max(_.y2,c.y2),c.y1);const S=k(r,a),N=d.elem("line",_,e.classNames.bar).attr({"ct:value":[l,x].filter(w).join(","),"ct:meta":V(S)});this.eventEmitter.emit("draw",{type:"bar",value:t,index:a,meta:S,series:r,seriesIndex:o,axisX:p,axisY:f,chartRect:c,group:d,element:N,..._})}))}),e.reverseData),this.eventEmitter.emit("created",{chartRect:c,axisX:p,axisY:f,svg:r,options:e})}constructor(e,t,n,r){super(e,t,ie,p({},ie,n),r),this.data=t}}const le={width:void 0,height:void 0,chartPadding:5,classNames:{chartPie:"ct-chart-pie",chartDonut:"ct-chart-donut",series:"ct-series",slicePie:"ct-slice-pie",sliceDonut:"ct-slice-donut",label:"ct-label"},startAngle:0,total:void 0,donut:!1,donutWidth:60,showLabel:!0,labelOffset:0,labelPosition:"inside",labelInterpolationFnc:f,labelDirection:"neutral",ignoreEmptyValues:!1};function se(e,t,n){const r=t.x>e.x;return r&&"explode"===n||!r&&"implode"===n?"start":r&&"implode"===n||!r&&"explode"===n?"end":"middle"}class ce extends Y{createChart(e){const{data:t}=this,n=B(t),r=[];let o,i,s=e.startAngle;const c=O(this.container,e.width,e.height,e.donut?e.classNames.chartDonut:e.classNames.chartPie);this.svg=c;const u=D(c,e);let h=Math.min(u.width()/2,u.height()/2);const p=e.total||n.series.reduce(v,0),f=a(e.donutWidth);"%"===f.unit&&(f.value*=h/100),h-=e.donut?f.value/2:0,i="outside"===e.labelPosition||e.donut?h:"center"===e.labelPosition?0:h/2,e.labelOffset&&(i+=e.labelOffset);const m={x:u.x1+u.width()/2,y:u.y2+u.height()/2},w=1===t.series.filter((e=>g(e,"value")?0!==e.value:0!==e)).length;t.series.forEach(((e,t)=>r[t]=c.elem("g"))),e.showLabel&&(o=c.elem("g")),t.series.forEach(((a,c)=>{var v,b;if(0===n.series[c]&&e.ignoreEmptyValues)return;const x=g(a,"name")&&a.name,k=g(a,"className")&&a.className,E=g(a,"meta")?a.meta:void 0;x&&r[c].attr({"ct:series-name":x}),r[c].addClass([null===(v=e.classNames)||void 0===v?void 0:v.series,k||"".concat(null===(b=e.classNames)||void 0===b?void 0:b.series,"-").concat(l(c))].join(" "));let A=p>0?s+n.series[c]/p*360:0;const C=Math.max(0,s-(0===c||w?0:.2));A-C>=359.99&&(A=C+359.99);const B=d(m.x,m.y,h,C),M=d(m.x,m.y,h,A),_=new q(!e.donut).move(M.x,M.y).arc(h,h,0,Number(A-s>180),0,B.x,B.y);e.donut||_.line(m.x,m.y);const S=r[c].elem("path",{d:_.stringify()},e.donut?e.classNames.sliceDonut:e.classNames.slicePie);if(S.attr({"ct:value":n.series[c],"ct:meta":V(E)}),e.donut&&S.attr({style:"stroke-width: "+f.value+"px"}),this.eventEmitter.emit("draw",{type:"slice",value:n.series[c],totalDataSum:p,index:c,meta:E,series:a,group:r[c],element:S,path:_.clone(),center:m,radius:h,startAngle:s,endAngle:A,chartRect:u}),e.showLabel){let r,l;r=1===t.series.length?{x:m.x,y:m.y}:d(m.x,m.y,i,s+(A-s)/2),l=n.labels&&!y(n.labels[c])?n.labels[c]:n.series[c];const h=e.labelInterpolationFnc(l,c);if(h||0===h){const t=o.elem("text",{dx:r.x,dy:r.y,"text-anchor":se(m,r,e.labelDirection)},e.classNames.label).text(String(h));this.eventEmitter.emit("draw",{type:"label",index:c,group:o,element:t,text:""+h,chartRect:u,series:a,meta:E,...r})}}s=A})),this.eventEmitter.emit("created",{chartRect:u,svg:c,options:e})}constructor(e,t,n,r){super(e,t,le,p({},le,n),r),this.data=t}}},80833:(e,t,n)=>{"use strict";n.d(t,{GB:()=>oe});var r,o,i,a,l=function(){return l=Object.assign||function(e){for(var t,n=1,r=arguments.length;n<r;n++)for(var o in t=arguments[n])Object.prototype.hasOwnProperty.call(t,o)&&(e[o]=t[o]);return e},l.apply(this,arguments)};function s(e,t,n){if(n||2===arguments.length)for(var r,o=0,i=t.length;o<i;o++)!r&&o in t||(r||(r=Array.prototype.slice.call(t,0,o)),r[o]=t[o]);return e.concat(r||Array.prototype.slice.call(t))}!function(e){e.HEX="HEX",e.RGB="RGB",e.HSL="HSL",e.CMYK="CMYK"}(r||(r={})),function(e){e.ANALOGOUS="ANALOGOUS",e.COMPLEMENTARY="COMPLEMENTARY",e.SPLIT_COMPLEMENTARY="SPLIT_COMPLEMENTARY",e.TRIADIC="TRIADIC",e.TETRADIC="TETRADIC",e.SQUARE="SQUARE"}(o||(o={})),function(e){e.ADDITIVE="ADDITIVE",e.SUBTRACTIVE="SUBTRACTIVE"}(i||(i={})),function(e){e.black="#000000",e.silver="#C0C0C0",e.gray="#808080",e.white="#FFFFFF",e.maroon="#800000",e.red="#FF0000",e.purple="#800080",e.fuchsia="#FF00FF",e.green="#008000",e.lime="#00FF00",e.olive="#808000",e.yellow="#FFFF00",e.navy="#000080",e.blue="#0000FF",e.teal="#008080",e.aqua="#00FFFF",e.orange="#FFA500",e.aliceblue="#F0F8FF",e.antiquewhite="#FAEBD7",e.aquamarine="#7FFFD4",e.azure="#F0FFFF",e.beige="#F5F5DC",e.bisque="#FFE4C4",e.blanchedalmond="#FFEBCD",e.blueviolet="#8A2BE2",e.brown="#A52A2A",e.burlywood="#DEB887",e.cadetblue="#5F9EA0",e.chartreuse="#7FFF00",e.chocolate="#D2691E",e.coral="#FF7F50",e.cornflowerblue="#6495ED",e.cornsilk="#FFF8DC",e.crimson="#DC143C",e.cyan="#00FFFF",e.darkblue="#00008B",e.darkcyan="#008B8B",e.darkgoldenrod="#B8860B",e.darkgray="#A9A9A9",e.darkgreen="#006400",e.darkgrey="#A9A9A9",e.darkkhaki="#BDB76B",e.darkmagenta="#8B008B",e.darkolivegreen="#556B2F",e.darkorange="#FF8C00",e.darkorchid="#9932CC",e.darkred="#8B0000",e.darksalmon="#E9967A",e.darkseagreen="#8FBC8F",e.darkslateblue="#483D8B",e.darkslategray="#2F4F4F",e.darkslategrey="#2F4F4F",e.darkturquoise="#00CED1",e.darkviolet="#9400D3",e.deeppink="#FF1493",e.deepskyblue="#00BFFF",e.dimgray="#696969",e.dimgrey="#696969",e.dodgerblue="#1E90FF",e.firebrick="#B22222",e.floralwhite="#FFFAF0",e.forestgreen="#228B22",e.gainsboro="#DCDCDC",e.ghostwhite="#F8F8FF",e.gold="#FFD700",e.goldenrod="#DAA520",e.greenyellow="#ADFF2F",e.grey="#808080",e.honeydew="#F0FFF0",e.hotpink="#FF69B4",e.indianred="#CD5C5C",e.indigo="#4B0082",e.ivory="#FFFFF0",e.khaki="#F0E68C",e.lavender="#E6E6FA",e.lavenderblush="#FFF0F5",e.lawngreen="#7CFC00",e.lemonchiffon="#FFFACD",e.lightblue="#ADD8E6",e.lightcoral="#F08080",e.lightcyan="#E0FFFF",e.lightgoldenrodyellow="#FAFAD2",e.lightgray="#D3D3D3",e.lightgreen="#90EE90",e.lightgrey="#D3D3D3",e.lightpink="#FFB6C1",e.lightsalmon="#FFA07A",e.lightseagreen="#20B2AA",e.lightskyblue="#87CEFA",e.lightslategray="#778899",e.lightslategrey="#778899",e.lightsteelblue="#B0C4DE",e.lightyellow="#FFFFE0",e.limegreen="#32CD32",e.linen="#FAF0E6",e.magenta="#FF00FF",e.mediumaquamarine="#66CDAA",e.mediumblue="#0000CD",e.mediumorchid="#BA55D3",e.mediumpurple="#9370DB",e.mediumseagreen="#3CB371",e.mediumslateblue="#7B68EE",e.mediumspringgreen="#00FA9A",e.mediumturquoise="#48D1CC",e.mediumvioletred="#C71585",e.midnightblue="#191970",e.mintcream="#F5FFFA",e.mistyrose="#FFE4E1",e.moccasin="#FFE4B5",e.navajowhite="#FFDEAD",e.oldlace="#FDF5E6",e.olivedrab="#6B8E23",e.orangered="#FF4500",e.orchid="#DA70D6",e.palegoldenrod="#EEE8AA",e.palegreen="#98FB98",e.paleturquoise="#AFEEEE",e.palevioletred="#DB7093",e.papayawhip="#FFEFD5",e.peachpuff="#FFDAB9",e.peru="#CD853F",e.pink="#FFC0CB",e.plum="#DDA0DD",e.powderblue="#B0E0E6",e.rosybrown="#BC8F8F",e.royalblue="#4169E1",e.saddlebrown="#8B4513",e.salmon="#FA8072",e.sandybrown="#F4A460",e.seagreen="#2E8B57",e.seashell="#FFF5EE",e.sienna="#A0522D",e.skyblue="#87CEEB",e.slateblue="#6A5ACD",e.slategray="#708090",e.slategrey="#708090",e.snow="#FFFAFA",e.springgreen="#00FF7F",e.steelblue="#4682B4",e.tan="#D2B48C",e.thistle="#D8BFD8",e.tomato="#FF6347",e.turquoise="#40E0D0",e.violet="#EE82EE",e.wheat="#F5DEB3",e.whitesmoke="#F5F5F5",e.yellowgreen="#9ACD32",e.rebeccapurple="#663399"}(a||(a={}));var c,u,d,h,p,f,m,v=Object.keys(a),g=((c={})[r.HEX]=/^#(?:([a-f\d])([a-f\d])([a-f\d])([a-f\d])?|([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})?)$/i,c[r.RGB]=/^rgba?\s*\(\s*(?:((?:\d*\.)?\d+%?)\s*,\s*((?:\d*\.)?\d+%?)\s*,\s*((?:\d*\.)?\d+%?)(?:\s*,\s*((?:\d*\.)?\d+))?|((?:\d*\.)?\d+%?)\s*((?:\d*\.)?\d+%?)\s*((?:\d*\.)?\d+%?)(?:\s*\/\s*((?:\d*\.)?\d+%?))?)\s*\)$/,c[r.HSL]=/^hsla?\s*\(\s*(?:(-?(?:\d*\.)?\d+(?:deg|grad|rad|turn)?)\s*,\s*((?:\d*\.)?\d+)%\s*,\s*((?:\d*\.)?\d+)%(?:\s*,\s*((?:\d*\.)?\d+))?|(-?(?:\d*\.)?\d+(?:deg|grad|rad|turn)?)\s*((?:\d*\.)?\d+)%\s*((?:\d*\.)?\d+)%(?:\s*\/\s*((?:\d*\.)?\d+%?))?)\s*\)$/,c[r.CMYK]=/^(?:device-cmyk|cmyk)\s*\(\s*(?:((?:\d*\.)?\d+%?)\s*,\s*((?:\d*\.)?\d+%?)\s*,\s*((?:\d*\.)?\d+%?)\s*,\s*((?:\d*\.)?\d+%?)(?:\s*,\s*((?:\d*\.)?\d+))?|((?:\d*\.)?\d+%?)\s*((?:\d*\.)?\d+%?)\s*((?:\d*\.)?\d+%?)\s*((?:\d*\.)?\d+%?)(?:\s*\/\s*((?:\d*\.)?\d+%?))?)\s*\)$/,c),w=/^(-?(?:\d*\.)?\d+)((?:deg|grad|rad|turn)?)$/,y=/^(\d+(?:\.\d+)?|\.\d+)%$/,b=/^0x([a-f\d]{1,2})$/i,x=function(e,t,n){return n<0&&(n+=6),n>=6&&(n-=6),n<1?Math.round(255*((t-e)*n+e)):n<3?Math.round(255*t):n<4?Math.round(255*((t-e)*(4-n)+e)):Math.round(255*e)},k=function(e,t,n){t/=100;var r=(n/=100)<=.5?n*(t+1):n+t-n*t,o=2*n-r;return{r:x(o,r,2+(e/=60)),g:x(o,r,e),b:x(o,r,e-2)}},E=function(e,t,n,r){return r=1-r,{r:Math.round(255*(1-e)*r),g:Math.round(255*(1-t)*r),b:Math.round(255*(1-n)*r)}},A=function(e,t,n){e/=255,t/=255,n/=255;var r=1-Math.max(e,t,n),o=1-r,i=(o-e)/o,a=(o-t)/o,l=(o-n)/o;return{c:Math.round(100*i),m:Math.round(100*a),y:Math.round(100*l),k:Math.round(100*r)}},C=function(e,t,n,r){void 0===r&&(r=1),e/=255,t/=255,n/=255,r=Math.min(r,1);var o=Math.max(e,t,n),i=Math.min(e,t,n),a=o-i,l=0,s=0,c=(o+i)/2;if(0===a)l=0,s=0;else{switch(o){case e:l=(t-n)/a%6;break;case t:l=(n-e)/a+2;break;case n:l=(e-t)/a+4}(l=Math.round(60*l))<0&&(l+=360),s=a/(1-Math.abs(2*c-1))}return{h:l,s:Math.round(100*s),l:Math.round(100*c),a:r}},B=function(e,t){if(e<0&&(e+=360),e>360&&(e-=360),360===e||0===e)return e;var n=[[0,120],[120,180],[180,240],[240,360]],r=[[0,60],[60,120],[120,240],[240,360]],o=t?r:n,i=0,a=0,l=0,s=0;return(t?n:r).find((function(t,n){return e>=t[0]&&e<t[1]&&(i=t[0],a=t[1],l=o[n][0],s=o[n][1],!0)})),l+(s-l)/(a-i)*(e-i)},M=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},_=function(e){return y.test("".concat(e))?+"".concat(e).replace(y,"$1"):Math.min(+e,100)},S=function(e){return 1===e.length&&(e+=e),parseInt(e,16)},N=function(e){var t=Z(e).toString(16).toUpperCase();return 1===t.length?"0x0".concat(t):"0x".concat(t)},V=function(e){var t=Z(e).toString(16).toUpperCase();return 1===t.length&&(t="0".concat(t)),t},L=function(e,t){return void 0===t&&(t=!1),!t&&y.test(e)?Math.min(255*+e.replace(y,"$1")/100,255):b.test(e)?3===e.length?t?parseInt(e+e.slice(-1))/255:parseInt(e+e.slice(-1)):t?Z(e,6)/255:Z(e,6):Math.min(+e,t?1:255)},T=function(e){return Math.min(y.test(e)?+e.replace(y,"$1")/100:+e,1)},I=function(e){return e.sort().join("").toUpperCase()},Z=function(e,t){void 0===t&&(t=0);var n=Math.pow(10,t);return Math.round(+e*n)/n},O=function(e,t,n){return Math.max(t,Math.min(e,n))},D=((u={})[r.HEX]=function(e){return"#".concat(V(e.r)).concat(V(e.g)).concat(V(e.b)).concat(M(e,"a")&&V(e.a)||"")},u[r.RGB]=function(e){return"rgb".concat(M(e,"a")?"a":"","(").concat(Z(e.r),",").concat(Z(e.g),",").concat(Z(e.b)).concat(M(e,"a")&&",".concat(Z(e.a,2))||"",")")},u[r.HSL]=function(e){return"hsl".concat(M(e,"a")?"a":"","(").concat(Z(e.h),",").concat(Z(e.s),"%,").concat(Z(e.l),"%").concat(M(e,"a")&&",".concat(Z(e.a,2))||"",")")},u[r.CMYK]=function(e){return"cmyk(".concat(Z(e.c),"%,").concat(Z(e.m),"%,").concat(Z(e.y),"%,").concat(Z(e.k),"%").concat(M(e,"a")&&",".concat(Z(e.a,2))||"",")")},u),R=function(e){if("string"==typeof e){var t=e.match(w),n=+t[1];switch(t[2]){case"rad":e=Math.round(180*n/Math.PI);break;case"turn":e=Math.round(360*n);break;default:e=n}}return(e>360||e<0)&&(e-=360*Math.floor(e/360)),e},H=function(e){return"string"==typeof e&&(e=y.test(e)?+e.replace(y,"$1")/100:+e),isNaN(+e)||e>1?1:Z(e,6)},P=function(e,t,n){return t.reduce((function(t,r){return s(s([],t,!0),[l(l({},e),{h:n===i.ADDITIVE?R(e.h+r):R(B(B(e.h,!1)+r,!0))})],!1)}),[l({},e)])},j=function(e,t){return P(e,[30,-30],t)},F=function(e,t){return P(e,[180],t)},z=function(e,t){return P(e,[150,-150],t)},q=function(e,t){return P(e,[120,-120],t)},U=function(e,t){return P(e,[60,-120,180],t)},$=function(e,t){return P(e,[90,-90,180],t)},W=Object.entries(r).reduce((function(e,t){var n=t[0],o=t[1];if(n!==r.HEX){var i=I(n.split(""));e[i]=o,e["A"+i]=o}return e}),{}),G=function(e){return"string"==typeof e?function(e){var t;if(Object.keys(r).some((function(n){if(g[n].test(e))return t=n,!0})),!t&&~v.indexOf(e)&&(t=r.HEX),!t)throw new Error("The provided string color doesn't have a correct format");return t}(e):function(e){var t,n=!1,o=I(Object.keys(e));if(W[o]&&(t=W[o]),t&&t===r.RGB){var i=Object.entries(e).some((function(e){return!b.test("".concat(e[1]))})),a=Object.entries(e).some((function(e){return!(y.test("".concat(e[1]))||!b.test("".concat(e[1]))&&!isNaN(+e[1])&&+e[1]<=255)}));i&&a&&(n=!0),i||(t=r.HEX)}if(!t||n)throw new Error("The provided color object doesn't have the proper keys or format");return t}(e)},K=((d={})[r.HEX]=function(e){var t=(~v.indexOf(e)?a[e]:e).match(g.HEX),n={r:S(t[1]||t[5]),g:S(t[2]||t[6]),b:S(t[3]||t[7])},r=t[4]||t[8];return void 0!==r&&(n.a=S(r)/255),n},d[r.RGB]=function(e){var t=e.match(g.RGB),n=L(t[1]||t[5]),r=L(t[2]||t[6]),o=L(t[3]||t[7]),i=t[4]||t[8],a={r:Math.min(n,255),g:Math.min(r,255),b:Math.min(o,255)};return void 0!==i&&(a.a=H(i)),a},d[r.HSL]=function(e){var t=e.match(g.HSL),n=R(t[1]||t[5]),r=_(t[2]||t[6]),o=_(t[3]||t[7]),i=t[4]||t[8],a=k(n,r,o);return void 0!==i&&(a.a=H(i)),a},d[r.CMYK]=function(e){var t=e.match(g.CMYK),n=T(t[1]||t[6]),r=T(t[2]||t[7]),o=T(t[3]||t[8]),i=T(t[4]||t[9]),a=t[5]||t[10],l=E(n,r,o,i);return void 0!==a&&(l.a=H(a)),l},d),Y=((h={})[r.HEX]=function(e){var t={r:L("".concat(e.r)),g:L("".concat(e.g)),b:L("".concat(e.b))};return M(e,"a")&&(t.a=Math.min(L("".concat(e.a),!0),1)),t},h[r.RGB]=function(e){return this.HEX(e)},h[r.HSL]=function(e){var t=_("".concat(e.s)),n=_("".concat(e.l)),r=k(R(e.h),t,n);return M(e,"a")&&(r.a=H(e.a)),r},h[r.CMYK]=function(e){var t=T("".concat(e.c)),n=T("".concat(e.m)),r=T("".concat(e.y)),o=T("".concat(e.k)),i=E(t,n,r,o);return M(e,"a")&&(i.a=H(e.a)),i},h),X=function(e,t){return void 0===t&&(t=G(e)),"string"==typeof e?K[t](e):Y[t](e)},J=((p={})[r.HEX]=function(e){return{r:N(e.r),g:N(e.g),b:N(e.b)}},p.HEXA=function(e){var t=J.HEX(e);return t.a=M(e,"a")?N(255*e.a):"0xFF",t},p[r.RGB]=function(e){return M(e,"a")&&delete e.a,e},p.RGBA=function(e){return e.a=M(e,"a")?Z(e.a,2):1,e},p[r.HSL]=function(e){var t=C(e.r,e.g,e.b);return delete t.a,t},p.HSLA=function(e){var t=J.HSL(e);return t.a=M(e,"a")?Z(e.a,2):1,t},p[r.CMYK]=function(e){return A(e.r,e.g,e.b)},p.CMYKA=function(e){var t=A(e.r,e.g,e.b);return t.a=M(e,"a")?Z(e.a,2):1,t},p),Q=function(e,t,n){var o=G(e),i="string"==typeof e,a=X(e,o),s="string"==typeof e&&M(a,"a")||"string"!=typeof e&&M(e,"a"),c=C(a.r,a.g,a.b,a.a);s||delete c.a;var u=n?c.l/(t+1):(100-c.l)/(t+1),d=Array(t).fill(null).map((function(e,t){return l(l({},c),{l:c.l+u*(t+1)*(1-2*+n)})}));switch(o){case r.HEX:default:return d.map((function(e){var t=k(e.h,e.s,e.l);return s&&(t.a=e.a),i?s?D.HEX(l(l({},t),{a:Z(255*t.a,6)})):D.HEX(t):s?J.HEXA(t):J.HEX(t)}));case r.RGB:return d.map((function(e){var t=k(e.h,e.s,e.l);return s&&(t.a=e.a),i?D.RGB(t):s?J.RGBA(t):J.RGB(t)}));case r.HSL:return d.map((function(e){return i?D.HSL(e):s?J.HSLA(l(l({},k(e.h,e.s,e.l)),{a:e.a})):J.HSL(k(e.h,e.s,e.l))}))}},ee=((f={buildHarmony:function(e,t,n){var o=G(e),i=X(e,o),a=C(i.r,i.g,i.b,i.a),l="string"==typeof e&&M(i,"a")||"string"!=typeof e&&M(e,"a"),s="string"==typeof e;switch(o){case r.HEX:default:return l?this.HEXA(a,t,n,s):this.HEX(a,t,n,s);case r.HSL:return l?this.HSLA(a,t,n,s):this.HSL(a,t,n,s);case r.RGB:return l?this.RGBA(a,t,n,s):this.RGB(a,t,n,s)}}})[r.HEX]=function(e,t,n,r){return t(e,n).map((function(e){return r?D.HEX(k(e.h,e.s,e.l)):J.HEX(k(e.h,e.s,e.l))}))},f.HEXA=function(e,t,n,r){return t(e,n).map((function(e){return r?D.HEX(l(l({},k(e.h,e.s,e.l)),{a:255*H(e.a)})):J.HEXA(l(l({},k(e.h,e.s,e.l)),{a:H(e.a)}))}))},f[r.RGB]=function(e,t,n,r){return t(e,n).map((function(e){return r?D.RGB(k(e.h,e.s,e.l)):J.RGB(k(e.h,e.s,e.l))}))},f.RGBA=function(e,t,n,r){return t(e,n).map((function(e){return r?D.RGB(l(l({},k(e.h,e.s,e.l)),{a:H(e.a)})):J.RGBA(l(l({},k(e.h,e.s,e.l)),{a:H(e.a)}))}))},f[r.HSL]=function(e,t,n,r){return t(e,n).map((function(e){return r?D.HSL({h:e.h,s:e.s,l:e.l}):J.HSL(k(e.h,e.s,e.l))}))},f.HSLA=function(e,t,n,r){return t(e,n).map((function(e){return r?D.HSL(l(l({},e),{a:H(e.a)})):J.HSLA(l(l({},k(e.h,e.s,e.l)),{a:H(e.a)}))}))},f),te=((m={mix:function(e,t){var n,r,o,a,s,c,u,d,h,p,f,m,v,g,w,y=e.map((function(e){var t=G(e);return X(e,t)})),b=t===i.SUBTRACTIVE?y.map((function(e){var t,n,r,o,i,a,l,s,c,u,d,h,p,f,m=(t=e.r,n=e.g,r=e.b,o=Math.min(t,n,r),i=Math.min(255-t,255-n,255-r),l=n-o,s=r-o,u=(a=t-o)-(c=Math.min(a,l)),d=(l+c)/2,h=(s+l-c)/2,p=Math.max(u,d,h)/Math.max(a,l,s),{r:u/(f=isNaN(p)||p===1/0||p<=0?1:p)+i,y:d/f+i,b:h/f+i});return M(e,"a")&&(m.a=e.a),m})):null;function x(e){var n=t===i.ADDITIVE?{r:0,g:0,b:0,a:0}:{r:0,y:0,b:0,a:0};return e.reduce((function(e,n){var r=M(n,"a")?n.a:1,o={r:Math.min(e.r+n.r*r,255),b:Math.min(e.b+n.b*r,255),a:1-(1-r)*(1-e.a)},a="g"in e?e.g:e.y,s="g"in n?n.g:n.y;return l(l({},o),t===i.ADDITIVE?{g:Math.min(a+s*r,255)}:{y:Math.min(a+s*r,255)})}),n)}if(t===i.ADDITIVE)n=x(y);else{var k=x(b);r=k.r,o=k.y,a=k.b,s=Math.min(r,o,a),c=Math.min(255-r,255-o,255-a),h=a-s,f=(u=r-s)+(d=o-s)-(p=Math.min(d,h)),m=d+p,v=2*(h-p),g=Math.max(f,m,v)/Math.max(u,d,h),(n={r:f/(w=isNaN(g)||g===1/0||g<=0?1:g)+c,g:m/w+c,b:v/w+c}).a=k.a}return{r:Z(n.r,2),g:Z(n.g,2),b:Z(n.b,2),a:O(n.a,0,1)}}})[r.HEX]=function(e,t,n){var r=this.mix(e,t);return delete r.a,n?D.HEX(r):J.HEX(r)},m.HEXA=function(e,t,n){var r=this.mix(e,t);return r.a=n?255*H(r.a):H(r.a),n?D.HEX(r):J.HEXA(r)},m[r.RGB]=function(e,t,n){var r=this.mix(e,t);return delete r.a,n?D.RGB(r):J.RGB(r)},m.RGBA=function(e,t,n){var r=this.mix(e,t);return n?D.RGB(r):J.RGBA(r)},m[r.HSL]=function(e,t,n){var r=this.mix(e,t),o=C(r.r,r.g,r.b);return delete r.a,delete o.a,n?D.HSL(o):J.HSL(r)},m.HSLA=function(e,t,n){var r=this.mix(e,t),o=C(r.r,r.g,r.b,r.a);return n?D.HSL(o):J.HSLA(r)},m),ne=function(e,t,n,r,o){var i=r(X(e,t));return n?o(i):i},re=function(e,t,n,r,o,i){n<1&&(n=5);var a=function(e,t,n){var r=n-1,o=(t.r-e.r)/r,i=(t.g-e.g)/r,a=(t.b-e.b)/r,l=H(e.a),s=(H(t.a)-l)/r;return Array(n).fill(null).map((function(n,c){return 0===c?e:c===r?t:{r:Z(e.r+o*c),g:Z(e.g+i*c),b:Z(e.b+a*c),a:Z(l+s*c,2)}}))}(X(e),X(t),n);return a.map((function(e){var t=o(e);return r?i(t):t}))},oe=function(){function e(e){this.rgb=X(e),this.updateHSL(),this.updateCMYK()}return e.prototype.updateRGB=function(){this.rgb=l(l({},k(this.hsl.h,this.hsl.s,this.hsl.l)),{a:this.hsl.a})},e.prototype.updateRGBFromCMYK=function(){this.rgb=l(l({},E(this.cmyk.c,this.cmyk.m,this.cmyk.y,this.cmyk.k)),{a:this.rgb.a})},e.prototype.updateHSL=function(){this.hsl=C(this.rgb.r,this.rgb.g,this.rgb.b,this.rgb.a)},e.prototype.updateCMYK=function(){this.cmyk=A(this.rgb.r,this.rgb.g,this.rgb.b)},e.prototype.updateRGBAndCMYK=function(){return this.updateRGB(),this.updateCMYK(),this},e.prototype.updateHSLAndCMYK=function(){return this.updateHSL(),this.updateCMYK(),this},e.prototype.updateRGBAndHSL=function(){return this.updateRGBFromCMYK(),this.updateHSL(),this},e.prototype.setH=function(e){return this.hsl.h=R(e),this.updateRGBAndCMYK()},e.prototype.setS=function(e){return this.hsl.s=O(e,0,100),this.updateRGBAndCMYK()},e.prototype.setL=function(e){return this.hsl.l=O(e,0,100),this.updateRGBAndCMYK()},e.prototype.setR=function(e){return this.rgb.r=O(e,0,255),this.updateHSLAndCMYK()},e.prototype.setG=function(e){return this.rgb.g=O(e,0,255),this.updateHSLAndCMYK()},e.prototype.setB=function(e){return this.rgb.b=O(e,0,255),this.updateHSLAndCMYK()},e.prototype.setA=function(e){return this.hsl.a=this.rgb.a=O(e,0,1),this},e.prototype.setC=function(e){return this.cmyk.c=O(e,0,100),this.updateRGBAndHSL()},e.prototype.setM=function(e){return this.cmyk.m=O(e,0,100),this.updateRGBAndHSL()},e.prototype.setY=function(e){return this.cmyk.y=O(e,0,100),this.updateRGBAndHSL()},e.prototype.setK=function(e){return this.cmyk.k=O(e,0,100),this.updateRGBAndHSL()},Object.defineProperty(e.prototype,"H",{get:function(){return Z(this.hsl.h)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"S",{get:function(){return Z(this.hsl.s)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"L",{get:function(){return Z(this.hsl.l)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"R",{get:function(){return Z(this.rgb.r)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"G",{get:function(){return Z(this.rgb.g)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"B",{get:function(){return Z(this.rgb.b)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"A",{get:function(){return Z(this.hsl.a,2)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"C",{get:function(){return Z(this.cmyk.c)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"M",{get:function(){return Z(this.cmyk.m)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"Y",{get:function(){return Z(this.cmyk.y)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"K",{get:function(){return Z(this.cmyk.k)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HEXObject",{get:function(){return J.HEX(this.rgb)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HEXAObject",{get:function(){return J.HEXA(this.rgb)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"RGBObject",{get:function(){return{r:this.R,g:this.G,b:this.B}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"RGBAObject",{get:function(){return l(l({},this.RGBObject),{a:this.hsl.a})},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HSLObject",{get:function(){return{h:this.H,s:this.S,l:this.L}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HSLAObject",{get:function(){return l(l({},this.HSLObject),{a:this.hsl.a})},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"CMYKObject",{get:function(){return{c:this.C,m:this.M,y:this.Y,k:this.K}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"CMYKAObject",{get:function(){return{c:this.C,m:this.M,y:this.Y,k:this.K,a:this.hsl.a}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HEX",{get:function(){var e=this.rgb,t={r:e.r,g:e.g,b:e.b};return D.HEX(t)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HEXA",{get:function(){var e=this.rgb,t={r:e.r,g:e.g,b:e.b,a:255*this.hsl.a};return D.HEX(t)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"RGB",{get:function(){var e=this.rgb,t={r:e.r,g:e.g,b:e.b};return D.RGB(t)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"RGBA",{get:function(){var e=this.rgb,t={r:e.r,g:e.g,b:e.b,a:this.hsl.a};return D.RGB(t)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HSL",{get:function(){var e=this.hsl,t={h:e.h,s:e.s,l:e.l};return D.HSL(t)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HSLA",{get:function(){return D.HSL(this.hsl)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"CMYK",{get:function(){return D.CMYK(this.cmyk)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"CMYKA",{get:function(){return D.CMYK(l(l({},this.cmyk),{a:this.hsl.a}))},enumerable:!1,configurable:!0}),e.toHEX=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.HEX,D.HEX)},e.toHEXA=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.HEXA,D.HEX)},e.toRGB=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.RGB,D.RGB)},e.toRGBA=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.RGBA,D.RGB)},e.toHSL=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.HSL,D.HSL)},e.toHSLA=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.HSLA,D.HSL)},e.toCMYK=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.CMYK,D.CMYK)},e.toCMYKA=function(e,t){void 0===t&&(t=!0);var n=G(e);return ne(e,n,t,J.CMYKA,D.CMYK)},e.getBlendHEX=function(e,t,n,r){return void 0===n&&(n=5),void 0===r&&(r=!0),re(e,t,n,r,J.HEX,D.HEX)},e.getBlendHEXA=function(e,t,n,r){return void 0===n&&(n=5),void 0===r&&(r=!0),re(e,t,n,r,J.HEXA,D.HEX)},e.getBlendRGB=function(e,t,n,r){return void 0===n&&(n=5),void 0===r&&(r=!0),re(e,t,n,r,J.RGB,D.RGB)},e.getBlendRGBA=function(e,t,n,r){return void 0===n&&(n=5),void 0===r&&(r=!0),re(e,t,n,r,J.RGBA,D.RGB)},e.getBlendHSL=function(e,t,n,r){return void 0===n&&(n=5),void 0===r&&(r=!0),re(e,t,n,r,J.HSL,D.HSL)},e.getBlendHSLA=function(e,t,n,r){return void 0===n&&(n=5),void 0===r&&(r=!0),re(e,t,n,r,J.HSLA,D.HSL)},e.getMixHEX=function(e,t,n){return void 0===t&&(t=i.ADDITIVE),void 0===n&&(n=!0),te.HEX(e,t,n)},e.getMixHEXA=function(e,t,n){return void 0===t&&(t=i.ADDITIVE),void 0===n&&(n=!0),te.HEXA(e,t,n)},e.getMixRGB=function(e,t,n){return void 0===t&&(t=i.ADDITIVE),void 0===n&&(n=!0),te.RGB(e,t,n)},e.getMixRGBA=function(e,t,n){return void 0===t&&(t=i.ADDITIVE),void 0===n&&(n=!0),te.RGBA(e,t,n)},e.getMixHSL=function(e,t,n){return void 0===t&&(t=i.ADDITIVE),void 0===n&&(n=!0),te.HSL(e,t,n)},e.getMixHSLA=function(e,t,n){return void 0===t&&(t=i.ADDITIVE),void 0===n&&(n=!0),te.HSLA(e,t,n)},e.getShades=function(e,t){return Q(e,t,!0)},e.getTints=function(e,t){return Q(e,t,!1)},e.getHarmony=function(e,t,n){switch(void 0===t&&(t=o.COMPLEMENTARY),void 0===n&&(n=i.ADDITIVE),t){case o.ANALOGOUS:return ee.buildHarmony(e,j,n);case o.SPLIT_COMPLEMENTARY:return ee.buildHarmony(e,z,n);case o.TRIADIC:return ee.buildHarmony(e,q,n);case o.TETRADIC:return ee.buildHarmony(e,U,n);case o.SQUARE:return ee.buildHarmony(e,$,n);default:return ee.buildHarmony(e,F,n)}},e}()},63218:(e,t,n)=>{"use strict";n.d(t,{Ie:()=>Je,Ay:()=>Qe});var r=n(29726),o=n(95361),i=n(97193);function a(e){var t;return(null==(t=e.ownerDocument)?void 0:t.defaultView)||window}function l(e){return a(e).getComputedStyle(e)}const s=Math.min,c=Math.max,u=Math.round;function d(e){const t=l(e);let n=parseFloat(t.width),r=parseFloat(t.height);const o=e.offsetWidth,i=e.offsetHeight,a=u(n)!==o||u(r)!==i;return a&&(n=o,r=i),{width:n,height:r,fallback:a}}function h(e){return g(e)?(e.nodeName||"").toLowerCase():""}let p;function f(){if(p)return p;const e=navigator.userAgentData;return e&&Array.isArray(e.brands)?(p=e.brands.map((e=>e.brand+"/"+e.version)).join(" "),p):navigator.userAgent}function m(e){return e instanceof a(e).HTMLElement}function v(e){return e instanceof a(e).Element}function g(e){return e instanceof a(e).Node}function w(e){return"undefined"!=typeof ShadowRoot&&(e instanceof a(e).ShadowRoot||e instanceof ShadowRoot)}function y(e){const{overflow:t,overflowX:n,overflowY:r,display:o}=l(e);return/auto|scroll|overlay|hidden|clip/.test(t+r+n)&&!["inline","contents"].includes(o)}function b(e){return["table","td","th"].includes(h(e))}function x(e){const t=/firefox/i.test(f()),n=l(e),r=n.backdropFilter||n.WebkitBackdropFilter;return"none"!==n.transform||"none"!==n.perspective||!!r&&"none"!==r||t&&"filter"===n.willChange||t&&!!n.filter&&"none"!==n.filter||["transform","perspective"].some((e=>n.willChange.includes(e)))||["paint","layout","strict","content"].some((e=>{const t=n.contain;return null!=t&&t.includes(e)}))}function k(){return!/^((?!chrome|android).)*safari/i.test(f())}function E(e){return["html","body","#document"].includes(h(e))}function A(e){return v(e)?e:e.contextElement}const C={x:1,y:1};function B(e){const t=A(e);if(!m(t))return C;const n=t.getBoundingClientRect(),{width:r,height:o,fallback:i}=d(t);let a=(i?u(n.width):n.width)/r,l=(i?u(n.height):n.height)/o;return a&&Number.isFinite(a)||(a=1),l&&Number.isFinite(l)||(l=1),{x:a,y:l}}function M(e,t,n,r){var o,i;void 0===t&&(t=!1),void 0===n&&(n=!1);const l=e.getBoundingClientRect(),s=A(e);let c=C;t&&(r?v(r)&&(c=B(r)):c=B(e));const u=s?a(s):window,d=!k()&&n;let h=(l.left+(d&&(null==(o=u.visualViewport)?void 0:o.offsetLeft)||0))/c.x,p=(l.top+(d&&(null==(i=u.visualViewport)?void 0:i.offsetTop)||0))/c.y,f=l.width/c.x,m=l.height/c.y;if(s){const e=a(s),t=r&&v(r)?a(r):r;let n=e.frameElement;for(;n&&r&&t!==e;){const e=B(n),t=n.getBoundingClientRect(),r=getComputedStyle(n);t.x+=(n.clientLeft+parseFloat(r.paddingLeft))*e.x,t.y+=(n.clientTop+parseFloat(r.paddingTop))*e.y,h*=e.x,p*=e.y,f*=e.x,m*=e.y,h+=t.x,p+=t.y,n=a(n).frameElement}}return{width:f,height:m,top:p,right:h+f,bottom:p+m,left:h,x:h,y:p}}function _(e){return((g(e)?e.ownerDocument:e.document)||window.document).documentElement}function S(e){return v(e)?{scrollLeft:e.scrollLeft,scrollTop:e.scrollTop}:{scrollLeft:e.pageXOffset,scrollTop:e.pageYOffset}}function N(e){return M(_(e)).left+S(e).scrollLeft}function V(e){if("html"===h(e))return e;const t=e.assignedSlot||e.parentNode||w(e)&&e.host||_(e);return w(t)?t.host:t}function L(e){const t=V(e);return E(t)?t.ownerDocument.body:m(t)&&y(t)?t:L(t)}function T(e,t){var n;void 0===t&&(t=[]);const r=L(e),o=r===(null==(n=e.ownerDocument)?void 0:n.body),i=a(r);return o?t.concat(i,i.visualViewport||[],y(r)?r:[]):t.concat(r,T(r))}function I(e,t,n){return"viewport"===t?(0,i.B1)(function(e,t){const n=a(e),r=_(e),o=n.visualViewport;let i=r.clientWidth,l=r.clientHeight,s=0,c=0;if(o){i=o.width,l=o.height;const e=k();(e||!e&&"fixed"===t)&&(s=o.offsetLeft,c=o.offsetTop)}return{width:i,height:l,x:s,y:c}}(e,n)):v(t)?(0,i.B1)(function(e,t){const n=M(e,!0,"fixed"===t),r=n.top+e.clientTop,o=n.left+e.clientLeft,i=m(e)?B(e):{x:1,y:1};return{width:e.clientWidth*i.x,height:e.clientHeight*i.y,x:o*i.x,y:r*i.y}}(t,n)):(0,i.B1)(function(e){const t=_(e),n=S(e),r=e.ownerDocument.body,o=c(t.scrollWidth,t.clientWidth,r.scrollWidth,r.clientWidth),i=c(t.scrollHeight,t.clientHeight,r.scrollHeight,r.clientHeight);let a=-n.scrollLeft+N(e);const s=-n.scrollTop;return"rtl"===l(r).direction&&(a+=c(t.clientWidth,r.clientWidth)-o),{width:o,height:i,x:a,y:s}}(_(e)))}function Z(e){return m(e)&&"fixed"!==l(e).position?e.offsetParent:null}function O(e){const t=a(e);let n=Z(e);for(;n&&b(n)&&"static"===l(n).position;)n=Z(n);return n&&("html"===h(n)||"body"===h(n)&&"static"===l(n).position&&!x(n))?t:n||function(e){let t=V(e);for(;m(t)&&!E(t);){if(x(t))return t;t=V(t)}return null}(e)||t}function D(e,t,n){const r=m(t),o=_(t),i=M(e,!0,"fixed"===n,t);let a={scrollLeft:0,scrollTop:0};const l={x:0,y:0};if(r||!r&&"fixed"!==n)if(("body"!==h(t)||y(o))&&(a=S(t)),m(t)){const e=M(t,!0);l.x=e.x+t.clientLeft,l.y=e.y+t.clientTop}else o&&(l.x=N(o));return{x:i.left+a.scrollLeft-l.x,y:i.top+a.scrollTop-l.y,width:i.width,height:i.height}}const R={getClippingRect:function(e){let{element:t,boundary:n,rootBoundary:r,strategy:o}=e;const i="clippingAncestors"===n?function(e,t){const n=t.get(e);if(n)return n;let r=T(e).filter((e=>v(e)&&"body"!==h(e))),o=null;const i="fixed"===l(e).position;let a=i?V(e):e;for(;v(a)&&!E(a);){const e=l(a),t=x(a);(i?t||o:t||"static"!==e.position||!o||!["absolute","fixed"].includes(o.position))?o=e:r=r.filter((e=>e!==a)),a=V(a)}return t.set(e,r),r}(t,this._c):[].concat(n),a=[...i,r],u=a[0],d=a.reduce(((e,n)=>{const r=I(t,n,o);return e.top=c(r.top,e.top),e.right=s(r.right,e.right),e.bottom=s(r.bottom,e.bottom),e.left=c(r.left,e.left),e}),I(t,u,o));return{width:d.right-d.left,height:d.bottom-d.top,x:d.left,y:d.top}},convertOffsetParentRelativeRectToViewportRelativeRect:function(e){let{rect:t,offsetParent:n,strategy:r}=e;const o=m(n),i=_(n);if(n===i)return t;let a={scrollLeft:0,scrollTop:0},l={x:1,y:1};const s={x:0,y:0};if((o||!o&&"fixed"!==r)&&(("body"!==h(n)||y(i))&&(a=S(n)),m(n))){const e=M(n);l=B(n),s.x=e.x+n.clientLeft,s.y=e.y+n.clientTop}return{width:t.width*l.x,height:t.height*l.y,x:t.x*l.x-a.scrollLeft*l.x+s.x,y:t.y*l.y-a.scrollTop*l.y+s.y}},isElement:v,getDimensions:function(e){return m(e)?d(e):e.getBoundingClientRect()},getOffsetParent:O,getDocumentElement:_,getScale:B,async getElementRects(e){let{reference:t,floating:n,strategy:r}=e;const o=this.getOffsetParent||O,i=this.getDimensions;return{reference:D(t,await o(n),r),floating:{x:0,y:0,...await i(n)}}},getClientRects:e=>Array.from(e.getClientRects()),isRTL:e=>"rtl"===l(e).direction};function H(e,t){for(const n in t)Object.prototype.hasOwnProperty.call(t,n)&&("object"==typeof t[n]&&e[n]?H(e[n],t[n]):e[n]=t[n])}const P={disabled:!1,distance:5,skidding:0,container:"body",boundary:void 0,instantMove:!1,disposeTimeout:0,popperTriggers:[],strategy:"absolute",preventOverflow:!0,flip:!0,shift:!0,overflowPadding:0,arrowPadding:0,arrowOverflow:!0,themes:{tooltip:{placement:"top",triggers:["hover","focus","touch"],hideTriggers:e=>[...e,"click"],delay:{show:200,hide:0},handleResize:!1,html:!1,loadingContent:"..."},dropdown:{placement:"bottom",triggers:["click"],delay:0,handleResize:!0,autoHide:!0},menu:{$extend:"dropdown",triggers:["hover","focus"],popperTriggers:["hover","focus"],delay:{show:0,hide:400}}}};function j(e,t){let n,r=P.themes[e]||{};do{n=r[t],typeof n>"u"?r.$extend?r=P.themes[r.$extend]||{}:(r=null,n=P[t]):r=null}while(r);return n}function F(e){const t=[e];let n=P.themes[e]||{};do{n.$extend?(t.push(n.$extend),n=P.themes[n.$extend]||{}):n=null}while(n);return t}let z=!1;if(typeof window<"u"){z=!1;try{const e=Object.defineProperty({},"passive",{get(){z=!0}});window.addEventListener("test",null,e)}catch{}}let q=!1;typeof window<"u"&&typeof navigator<"u"&&(q=/iPad|iPhone|iPod/.test(navigator.userAgent)&&!window.MSStream);const U=["auto","top","bottom","left","right"].reduce(((e,t)=>e.concat([t,`${t}-start`,`${t}-end`])),[]),$={hover:"mouseenter",focus:"focus",click:"click",touch:"touchstart",pointer:"pointerdown"},W={hover:"mouseleave",focus:"blur",click:"click",touch:"touchend",pointer:"pointerup"};function G(e,t){const n=e.indexOf(t);-1!==n&&e.splice(n,1)}function K(){return new Promise((e=>requestAnimationFrame((()=>{requestAnimationFrame(e)}))))}const Y=[];let X=null;const J={};function Q(e){let t=J[e];return t||(t=J[e]=[]),t}let ee=function(){};function te(e){return function(t){return j(t.theme,e)}}typeof window<"u"&&(ee=window.Element);const ne="__floating-vue__popper",re=()=>(0,r.defineComponent)({name:"VPopper",provide(){return{[ne]:{parentPopper:this}}},inject:{[ne]:{default:null}},props:{theme:{type:String,required:!0},targetNodes:{type:Function,required:!0},referenceNode:{type:Function,default:null},popperNode:{type:Function,required:!0},shown:{type:Boolean,default:!1},showGroup:{type:String,default:null},ariaId:{default:null},disabled:{type:Boolean,default:te("disabled")},positioningDisabled:{type:Boolean,default:te("positioningDisabled")},placement:{type:String,default:te("placement"),validator:e=>U.includes(e)},delay:{type:[String,Number,Object],default:te("delay")},distance:{type:[Number,String],default:te("distance")},skidding:{type:[Number,String],default:te("skidding")},triggers:{type:Array,default:te("triggers")},showTriggers:{type:[Array,Function],default:te("showTriggers")},hideTriggers:{type:[Array,Function],default:te("hideTriggers")},popperTriggers:{type:Array,default:te("popperTriggers")},popperShowTriggers:{type:[Array,Function],default:te("popperShowTriggers")},popperHideTriggers:{type:[Array,Function],default:te("popperHideTriggers")},container:{type:[String,Object,ee,Boolean],default:te("container")},boundary:{type:[String,ee],default:te("boundary")},strategy:{type:String,validator:e=>["absolute","fixed"].includes(e),default:te("strategy")},autoHide:{type:[Boolean,Function],default:te("autoHide")},handleResize:{type:Boolean,default:te("handleResize")},instantMove:{type:Boolean,default:te("instantMove")},eagerMount:{type:Boolean,default:te("eagerMount")},popperClass:{type:[String,Array,Object],default:te("popperClass")},computeTransformOrigin:{type:Boolean,default:te("computeTransformOrigin")},autoMinSize:{type:Boolean,default:te("autoMinSize")},autoSize:{type:[Boolean,String],default:te("autoSize")},autoMaxSize:{type:Boolean,default:te("autoMaxSize")},autoBoundaryMaxSize:{type:Boolean,default:te("autoBoundaryMaxSize")},preventOverflow:{type:Boolean,default:te("preventOverflow")},overflowPadding:{type:[Number,String],default:te("overflowPadding")},arrowPadding:{type:[Number,String],default:te("arrowPadding")},arrowOverflow:{type:Boolean,default:te("arrowOverflow")},flip:{type:Boolean,default:te("flip")},shift:{type:Boolean,default:te("shift")},shiftCrossAxis:{type:Boolean,default:te("shiftCrossAxis")},noAutoFocus:{type:Boolean,default:te("noAutoFocus")},disposeTimeout:{type:Number,default:te("disposeTimeout")}},emits:{show:()=>!0,hide:()=>!0,"update:shown":e=>!0,"apply-show":()=>!0,"apply-hide":()=>!0,"close-group":()=>!0,"close-directive":()=>!0,"auto-hide":()=>!0,resize:()=>!0},data(){return{isShown:!1,isMounted:!1,skipTransition:!1,classes:{showFrom:!1,showTo:!1,hideFrom:!1,hideTo:!0},result:{x:0,y:0,placement:"",strategy:this.strategy,arrow:{x:0,y:0,centerOffset:0},transformOrigin:null},shownChildren:new Set,lastAutoHide:!0}},computed:{popperId(){return null!=this.ariaId?this.ariaId:this.randomId},shouldMountContent(){return this.eagerMount||this.isMounted},slotData(){return{popperId:this.popperId,isShown:this.isShown,shouldMountContent:this.shouldMountContent,skipTransition:this.skipTransition,autoHide:"function"==typeof this.autoHide?this.lastAutoHide:this.autoHide,show:this.show,hide:this.hide,handleResize:this.handleResize,onResize:this.onResize,classes:{...this.classes,popperClass:this.popperClass},result:this.positioningDisabled?null:this.result,attrs:this.$attrs}},parentPopper(){var e;return null==(e=this[ne])?void 0:e.parentPopper},hasPopperShowTriggerHover(){var e,t;return(null==(e=this.popperTriggers)?void 0:e.includes("hover"))||(null==(t=this.popperShowTriggers)?void 0:t.includes("hover"))}},watch:{shown:"$_autoShowHide",disabled(e){e?this.dispose():this.init()},async container(){this.isShown&&(this.$_ensureTeleport(),await this.$_computePosition())},...["triggers","positioningDisabled"].reduce(((e,t)=>(e[t]="$_refreshListeners",e)),{}),...["placement","distance","skidding","boundary","strategy","overflowPadding","arrowPadding","preventOverflow","shift","shiftCrossAxis","flip"].reduce(((e,t)=>(e[t]="$_computePosition",e)),{})},created(){this.$_isDisposed=!0,this.randomId=`popper_${[Math.random(),Date.now()].map((e=>e.toString(36).substring(2,10))).join("_")}`,this.autoMinSize&&console.warn('[floating-vue] `autoMinSize` option is deprecated. Use `autoSize="min"` instead.'),this.autoMaxSize&&console.warn("[floating-vue] `autoMaxSize` option is deprecated. Use `autoBoundaryMaxSize` instead.")},mounted(){this.init(),this.$_detachPopperNode()},activated(){this.$_autoShowHide()},deactivated(){this.hide()},beforeUnmount(){this.dispose()},methods:{show({event:e=null,skipDelay:t=!1,force:n=!1}={}){var r,o;null!=(r=this.parentPopper)&&r.lockedChild&&this.parentPopper.lockedChild!==this||(this.$_pendingHide=!1,(n||!this.disabled)&&((null==(o=this.parentPopper)?void 0:o.lockedChild)===this&&(this.parentPopper.lockedChild=null),this.$_scheduleShow(e,t),this.$emit("show"),this.$_showFrameLocked=!0,requestAnimationFrame((()=>{this.$_showFrameLocked=!1}))),this.$emit("update:shown",!0))},hide({event:e=null,skipDelay:t=!1}={}){var n;if(!this.$_hideInProgress){if(this.shownChildren.size>0)return void(this.$_pendingHide=!0);if(this.hasPopperShowTriggerHover&&this.$_isAimingPopper())return void(this.parentPopper&&(this.parentPopper.lockedChild=this,clearTimeout(this.parentPopper.lockedChildTimer),this.parentPopper.lockedChildTimer=setTimeout((()=>{this.parentPopper.lockedChild===this&&(this.parentPopper.lockedChild.hide({skipDelay:t}),this.parentPopper.lockedChild=null)}),1e3)));(null==(n=this.parentPopper)?void 0:n.lockedChild)===this&&(this.parentPopper.lockedChild=null),this.$_pendingHide=!1,this.$_scheduleHide(e,t),this.$emit("hide"),this.$emit("update:shown",!1)}},init(){var e;this.$_isDisposed&&(this.$_isDisposed=!1,this.isMounted=!1,this.$_events=[],this.$_preventShow=!1,this.$_referenceNode=(null==(e=this.referenceNode)?void 0:e.call(this))??this.$el,this.$_targetNodes=this.targetNodes().filter((e=>e.nodeType===e.ELEMENT_NODE)),this.$_popperNode=this.popperNode(),this.$_innerNode=this.$_popperNode.querySelector(".v-popper__inner"),this.$_arrowNode=this.$_popperNode.querySelector(".v-popper__arrow-container"),this.$_swapTargetAttrs("title","data-original-title"),this.$_detachPopperNode(),this.triggers.length&&this.$_addEventListeners(),this.shown&&this.show())},dispose(){this.$_isDisposed||(this.$_isDisposed=!0,this.$_removeEventListeners(),this.hide({skipDelay:!0}),this.$_detachPopperNode(),this.isMounted=!1,this.isShown=!1,this.$_updateParentShownChildren(!1),this.$_swapTargetAttrs("data-original-title","title"))},async onResize(){this.isShown&&(await this.$_computePosition(),this.$emit("resize"))},async $_computePosition(){if(this.$_isDisposed||this.positioningDisabled)return;const e={strategy:this.strategy,middleware:[]};(this.distance||this.skidding)&&e.middleware.push((0,o.cY)({mainAxis:this.distance,crossAxis:this.skidding}));const t=this.placement.startsWith("auto");if(t?e.middleware.push((0,o.RK)({alignment:this.placement.split("-")[1]??""})):e.placement=this.placement,this.preventOverflow&&(this.shift&&e.middleware.push((0,o.BN)({padding:this.overflowPadding,boundary:this.boundary,crossAxis:this.shiftCrossAxis})),!t&&this.flip&&e.middleware.push((0,o.UU)({padding:this.overflowPadding,boundary:this.boundary}))),e.middleware.push((0,o.UE)({element:this.$_arrowNode,padding:this.arrowPadding})),this.arrowOverflow&&e.middleware.push({name:"arrowOverflow",fn:({placement:e,rects:t,middlewareData:n})=>{let r;const{centerOffset:o}=n.arrow;return r=e.startsWith("top")||e.startsWith("bottom")?Math.abs(o)>t.reference.width/2:Math.abs(o)>t.reference.height/2,{data:{overflow:r}}}}),this.autoMinSize||this.autoSize){const t=this.autoSize?this.autoSize:this.autoMinSize?"min":null;e.middleware.push({name:"autoSize",fn:({rects:e,placement:n,middlewareData:r})=>{var o;if(null!=(o=r.autoSize)&&o.skip)return{};let i,a;return n.startsWith("top")||n.startsWith("bottom")?i=e.reference.width:a=e.reference.height,this.$_innerNode.style["min"===t?"minWidth":"max"===t?"maxWidth":"width"]=null!=i?`${i}px`:null,this.$_innerNode.style["min"===t?"minHeight":"max"===t?"maxHeight":"height"]=null!=a?`${a}px`:null,{data:{skip:!0},reset:{rects:!0}}}})}(this.autoMaxSize||this.autoBoundaryMaxSize)&&(this.$_innerNode.style.maxWidth=null,this.$_innerNode.style.maxHeight=null,e.middleware.push((0,o.Ej)({boundary:this.boundary,padding:this.overflowPadding,apply:({availableWidth:e,availableHeight:t})=>{this.$_innerNode.style.maxWidth=null!=e?`${e}px`:null,this.$_innerNode.style.maxHeight=null!=t?`${t}px`:null}})));const n=await((e,t,n)=>{const r=new Map,i={platform:R,...n},a={...i.platform,_c:r};return(0,o.rD)(e,t,{...i,platform:a})})(this.$_referenceNode,this.$_popperNode,e);Object.assign(this.result,{x:n.x,y:n.y,placement:n.placement,strategy:n.strategy,arrow:{...n.middlewareData.arrow,...n.middlewareData.arrowOverflow}})},$_scheduleShow(e=null,t=!1){if(this.$_updateParentShownChildren(!0),this.$_hideInProgress=!1,clearTimeout(this.$_scheduleTimer),X&&this.instantMove&&X.instantMove&&X!==this.parentPopper)return X.$_applyHide(!0),void this.$_applyShow(!0);t?this.$_applyShow():this.$_scheduleTimer=setTimeout(this.$_applyShow.bind(this),this.$_computeDelay("show"))},$_scheduleHide(e=null,t=!1){this.shownChildren.size>0?this.$_pendingHide=!0:(this.$_updateParentShownChildren(!1),this.$_hideInProgress=!0,clearTimeout(this.$_scheduleTimer),this.isShown&&(X=this),t?this.$_applyHide():this.$_scheduleTimer=setTimeout(this.$_applyHide.bind(this),this.$_computeDelay("hide")))},$_computeDelay(e){const t=this.delay;return parseInt(t&&t[e]||t||0)},async $_applyShow(e=!1){clearTimeout(this.$_disposeTimer),clearTimeout(this.$_scheduleTimer),this.skipTransition=e,!this.isShown&&(this.$_ensureTeleport(),await K(),await this.$_computePosition(),await this.$_applyShowEffect(),this.positioningDisabled||this.$_registerEventListeners([...T(this.$_referenceNode),...T(this.$_popperNode)],"scroll",(()=>{this.$_computePosition()})))},async $_applyShowEffect(){if(this.$_hideInProgress)return;if(this.computeTransformOrigin){const e=this.$_referenceNode.getBoundingClientRect(),t=this.$_popperNode.querySelector(".v-popper__wrapper"),n=t.parentNode.getBoundingClientRect(),r=e.x+e.width/2-(n.left+t.offsetLeft),o=e.y+e.height/2-(n.top+t.offsetTop);this.result.transformOrigin=`${r}px ${o}px`}this.isShown=!0,this.$_applyAttrsToTarget({"aria-describedby":this.popperId,"data-popper-shown":""});const e=this.showGroup;if(e){let t;for(let n=0;n<Y.length;n++)t=Y[n],t.showGroup!==e&&(t.hide(),t.$emit("close-group"))}Y.push(this),document.body.classList.add("v-popper--some-open");for(const e of F(this.theme))Q(e).push(this),document.body.classList.add(`v-popper--some-open--${e}`);this.$emit("apply-show"),this.classes.showFrom=!0,this.classes.showTo=!1,this.classes.hideFrom=!1,this.classes.hideTo=!1,await K(),this.classes.showFrom=!1,this.classes.showTo=!0,this.noAutoFocus||this.$_popperNode.focus()},async $_applyHide(e=!1){if(this.shownChildren.size>0)return this.$_pendingHide=!0,void(this.$_hideInProgress=!1);if(clearTimeout(this.$_scheduleTimer),!this.isShown)return;this.skipTransition=e,G(Y,this),0===Y.length&&document.body.classList.remove("v-popper--some-open");for(const e of F(this.theme)){const t=Q(e);G(t,this),0===t.length&&document.body.classList.remove(`v-popper--some-open--${e}`)}X===this&&(X=null),this.isShown=!1,this.$_applyAttrsToTarget({"aria-describedby":void 0,"data-popper-shown":void 0}),clearTimeout(this.$_disposeTimer);const t=this.disposeTimeout;null!==t&&(this.$_disposeTimer=setTimeout((()=>{this.$_popperNode&&(this.$_detachPopperNode(),this.isMounted=!1)}),t)),this.$_removeEventListeners("scroll"),this.$emit("apply-hide"),this.classes.showFrom=!1,this.classes.showTo=!1,this.classes.hideFrom=!0,this.classes.hideTo=!1,await K(),this.classes.hideFrom=!1,this.classes.hideTo=!0},$_autoShowHide(){this.shown?this.show():this.hide()},$_ensureTeleport(){if(this.$_isDisposed)return;let e=this.container;if("string"==typeof e?e=window.document.querySelector(e):!1===e&&(e=this.$_targetNodes[0].parentNode),!e)throw new Error("No container for popover: "+this.container);e.appendChild(this.$_popperNode),this.isMounted=!0},$_addEventListeners(){const e=e=>{this.isShown&&!this.$_hideInProgress||(e.usedByTooltip=!0,!this.$_preventShow&&this.show({event:e}))};this.$_registerTriggerListeners(this.$_targetNodes,$,this.triggers,this.showTriggers,e),this.$_registerTriggerListeners([this.$_popperNode],$,this.popperTriggers,this.popperShowTriggers,e);const t=e=>{e.usedByTooltip||this.hide({event:e})};this.$_registerTriggerListeners(this.$_targetNodes,W,this.triggers,this.hideTriggers,t),this.$_registerTriggerListeners([this.$_popperNode],W,this.popperTriggers,this.popperHideTriggers,t)},$_registerEventListeners(e,t,n){this.$_events.push({targetNodes:e,eventType:t,handler:n}),e.forEach((e=>e.addEventListener(t,n,z?{passive:!0}:void 0)))},$_registerTriggerListeners(e,t,n,r,o){let i=n;null!=r&&(i="function"==typeof r?r(i):r),i.forEach((n=>{const r=t[n];r&&this.$_registerEventListeners(e,r,o)}))},$_removeEventListeners(e){const t=[];this.$_events.forEach((n=>{const{targetNodes:r,eventType:o,handler:i}=n;e&&e!==o?t.push(n):r.forEach((e=>e.removeEventListener(o,i)))})),this.$_events=t},$_refreshListeners(){this.$_isDisposed||(this.$_removeEventListeners(),this.$_addEventListeners())},$_handleGlobalClose(e,t=!1){this.$_showFrameLocked||(this.hide({event:e}),e.closePopover?this.$emit("close-directive"):this.$emit("auto-hide"),t&&(this.$_preventShow=!0,setTimeout((()=>{this.$_preventShow=!1}),300)))},$_detachPopperNode(){this.$_popperNode.parentNode&&this.$_popperNode.parentNode.removeChild(this.$_popperNode)},$_swapTargetAttrs(e,t){for(const n of this.$_targetNodes){const r=n.getAttribute(e);r&&(n.removeAttribute(e),n.setAttribute(t,r))}},$_applyAttrsToTarget(e){for(const t of this.$_targetNodes)for(const n in e){const r=e[n];null==r?t.removeAttribute(n):t.setAttribute(n,r)}},$_updateParentShownChildren(e){let t=this.parentPopper;for(;t;)e?t.shownChildren.add(this.randomId):(t.shownChildren.delete(this.randomId),t.$_pendingHide&&t.hide()),t=t.parentPopper},$_isAimingPopper(){const e=this.$_referenceNode.getBoundingClientRect();if(ue>=e.left&&ue<=e.right&&de>=e.top&&de<=e.bottom){const e=this.$_popperNode.getBoundingClientRect(),t=ue-se,n=de-ce,r=e.left+e.width/2-se+(e.top+e.height/2)-ce+e.width+e.height,o=se+t*r,i=ce+n*r;return he(se,ce,o,i,e.left,e.top,e.left,e.bottom)||he(se,ce,o,i,e.left,e.top,e.right,e.top)||he(se,ce,o,i,e.right,e.top,e.right,e.bottom)||he(se,ce,o,i,e.left,e.bottom,e.right,e.bottom)}return!1}},render(){return this.$slots.default(this.slotData)}});function oe(e){for(let t=0;t<Y.length;t++){const n=Y[t];try{const t=n.popperNode();n.$_mouseDownContains=t.contains(e.target)}catch{}}}function ie(e,t=!1){const n={};for(let r=Y.length-1;r>=0;r--){const o=Y[r];try{const r=o.$_containsGlobalTarget=ae(o,e);o.$_pendingHide=!1,requestAnimationFrame((()=>{if(o.$_pendingHide=!1,!n[o.randomId]&&le(o,r,e)){if(o.$_handleGlobalClose(e,t),!e.closeAllPopover&&e.closePopover&&r){let e=o.parentPopper;for(;e;)n[e.randomId]=!0,e=e.parentPopper;return}let i=o.parentPopper;for(;i&&le(i,i.$_containsGlobalTarget,e);)i.$_handleGlobalClose(e,t),i=i.parentPopper}}))}catch{}}}function ae(e,t){const n=e.popperNode();return e.$_mouseDownContains||n.contains(t.target)}function le(e,t,n){return n.closeAllPopover||n.closePopover&&t||function(e,t){if("function"==typeof e.autoHide){const n=e.autoHide(t);return e.lastAutoHide=n,n}return e.autoHide}(e,n)&&!t}typeof document<"u"&&typeof window<"u"&&(q?(document.addEventListener("touchstart",oe,!z||{passive:!0,capture:!0}),document.addEventListener("touchend",(function(e){ie(e,!0)}),!z||{passive:!0,capture:!0})):(window.addEventListener("mousedown",oe,!0),window.addEventListener("click",(function(e){ie(e)}),!0)),window.addEventListener("resize",(function(e){for(let t=0;t<Y.length;t++)Y[t].$_computePosition(e)})));let se=0,ce=0,ue=0,de=0;function he(e,t,n,r,o,i,a,l){const s=((a-o)*(t-i)-(l-i)*(e-o))/((l-i)*(n-e)-(a-o)*(r-t)),c=((n-e)*(t-i)-(r-t)*(e-o))/((l-i)*(n-e)-(a-o)*(r-t));return s>=0&&s<=1&&c>=0&&c<=1}typeof window<"u"&&window.addEventListener("mousemove",(e=>{se=ue,ce=de,ue=e.clientX,de=e.clientY}),z?{passive:!0}:void 0);const pe=(e,t)=>{const n=e.__vccOpts||e;for(const[e,r]of t)n[e]=r;return n};const fe=pe({extends:re()},[["render",function(e,t,n,o,i,a){return(0,r.openBlock)(),(0,r.createElementBlock)("div",{ref:"reference",class:(0,r.normalizeClass)(["v-popper",{"v-popper--shown":e.slotData.isShown}])},[(0,r.renderSlot)(e.$slots,"default",(0,r.normalizeProps)((0,r.guardReactiveProps)(e.slotData)))],2)}]]);let me;function ve(){ve.init||(ve.init=!0,me=-1!==function(){var e=window.navigator.userAgent,t=e.indexOf("MSIE ");if(t>0)return parseInt(e.substring(t+5,e.indexOf(".",t)),10);if(e.indexOf("Trident/")>0){var n=e.indexOf("rv:");return parseInt(e.substring(n+3,e.indexOf(".",n)),10)}var r=e.indexOf("Edge/");return r>0?parseInt(e.substring(r+5,e.indexOf(".",r)),10):-1}())}var ge={name:"ResizeObserver",props:{emitOnMount:{type:Boolean,default:!1},ignoreWidth:{type:Boolean,default:!1},ignoreHeight:{type:Boolean,default:!1}},emits:["notify"],mounted(){ve(),(0,r.nextTick)((()=>{this._w=this.$el.offsetWidth,this._h=this.$el.offsetHeight,this.emitOnMount&&this.emitSize()}));const e=document.createElement("object");this._resizeObject=e,e.setAttribute("aria-hidden","true"),e.setAttribute("tabindex",-1),e.onload=this.addResizeHandlers,e.type="text/html",me&&this.$el.appendChild(e),e.data="about:blank",me||this.$el.appendChild(e)},beforeUnmount(){this.removeResizeHandlers()},methods:{compareAndNotify(){(!this.ignoreWidth&&this._w!==this.$el.offsetWidth||!this.ignoreHeight&&this._h!==this.$el.offsetHeight)&&(this._w=this.$el.offsetWidth,this._h=this.$el.offsetHeight,this.emitSize())},emitSize(){this.$emit("notify",{width:this._w,height:this._h})},addResizeHandlers(){this._resizeObject.contentDocument.defaultView.addEventListener("resize",this.compareAndNotify),this.compareAndNotify()},removeResizeHandlers(){this._resizeObject&&this._resizeObject.onload&&(!me&&this._resizeObject.contentDocument&&this._resizeObject.contentDocument.defaultView.removeEventListener("resize",this.compareAndNotify),this.$el.removeChild(this._resizeObject),this._resizeObject.onload=null,this._resizeObject=null)}}};const we=(0,r.withScopeId)("data-v-b329ee4c");(0,r.pushScopeId)("data-v-b329ee4c");const ye={class:"resize-observer",tabindex:"-1"};(0,r.popScopeId)();const be=we(((e,t,n,o,i,a)=>((0,r.openBlock)(),(0,r.createBlock)("div",ye))));ge.render=be,ge.__scopeId="data-v-b329ee4c",ge.__file="src/components/ResizeObserver.vue";const xe=(e="theme")=>({computed:{themeClass(){return function(e){const t=[e];let n=P.themes[e]||{};do{n.$extend&&!n.$resetCss?(t.push(n.$extend),n=P.themes[n.$extend]||{}):n=null}while(n);return t.map((e=>`v-popper--theme-${e}`))}(this[e])}}}),ke=(0,r.defineComponent)({name:"VPopperContent",components:{ResizeObserver:ge},mixins:[xe()],props:{popperId:String,theme:String,shown:Boolean,mounted:Boolean,skipTransition:Boolean,autoHide:Boolean,handleResize:Boolean,classes:Object,result:Object},emits:["hide","resize"],methods:{toPx:e=>null==e||isNaN(e)?null:`${e}px`}}),Ee=["id","aria-hidden","tabindex","data-popper-placement"],Ae={ref:"inner",class:"v-popper__inner"},Ce=[(0,r.createElementVNode)("div",{class:"v-popper__arrow-outer"},null,-1),(0,r.createElementVNode)("div",{class:"v-popper__arrow-inner"},null,-1)];const Be=pe(ke,[["render",function(e,t,n,o,i,a){const l=(0,r.resolveComponent)("ResizeObserver");return(0,r.openBlock)(),(0,r.createElementBlock)("div",{id:e.popperId,ref:"popover",class:(0,r.normalizeClass)(["v-popper__popper",[e.themeClass,e.classes.popperClass,{"v-popper__popper--shown":e.shown,"v-popper__popper--hidden":!e.shown,"v-popper__popper--show-from":e.classes.showFrom,"v-popper__popper--show-to":e.classes.showTo,"v-popper__popper--hide-from":e.classes.hideFrom,"v-popper__popper--hide-to":e.classes.hideTo,"v-popper__popper--skip-transition":e.skipTransition,"v-popper__popper--arrow-overflow":e.result&&e.result.arrow.overflow,"v-popper__popper--no-positioning":!e.result}]]),style:(0,r.normalizeStyle)(e.result?{position:e.result.strategy,transform:`translate3d(${Math.round(e.result.x)}px,${Math.round(e.result.y)}px,0)`}:void 0),"aria-hidden":e.shown?"false":"true",tabindex:e.autoHide?0:void 0,"data-popper-placement":e.result?e.result.placement:void 0,onKeyup:t[2]||(t[2]=(0,r.withKeys)((t=>e.autoHide&&e.$emit("hide")),["esc"]))},[(0,r.createElementVNode)("div",{class:"v-popper__backdrop",onClick:t[0]||(t[0]=t=>e.autoHide&&e.$emit("hide"))}),(0,r.createElementVNode)("div",{class:"v-popper__wrapper",style:(0,r.normalizeStyle)(e.result?{transformOrigin:e.result.transformOrigin}:void 0)},[(0,r.createElementVNode)("div",Ae,[e.mounted?((0,r.openBlock)(),(0,r.createElementBlock)(r.Fragment,{key:0},[(0,r.createElementVNode)("div",null,[(0,r.renderSlot)(e.$slots,"default")]),e.handleResize?((0,r.openBlock)(),(0,r.createBlock)(l,{key:0,onNotify:t[1]||(t[1]=t=>e.$emit("resize",t))})):(0,r.createCommentVNode)("",!0)],64)):(0,r.createCommentVNode)("",!0)],512),(0,r.createElementVNode)("div",{ref:"arrow",class:"v-popper__arrow-container",style:(0,r.normalizeStyle)(e.result?{left:e.toPx(e.result.arrow.x),top:e.toPx(e.result.arrow.y)}:void 0)},Ce,4)],4)],46,Ee)}]]),Me={methods:{show(...e){return this.$refs.popper.show(...e)},hide(...e){return this.$refs.popper.hide(...e)},dispose(...e){return this.$refs.popper.dispose(...e)},onResize(...e){return this.$refs.popper.onResize(...e)}}};const _e=pe((0,r.defineComponent)({name:"VPopperWrapper",components:{Popper:fe,PopperContent:Be},mixins:[Me,xe("finalTheme")],props:{theme:{type:String,default:null},referenceNode:{type:Function,default:null},shown:{type:Boolean,default:!1},showGroup:{type:String,default:null},ariaId:{default:null},disabled:{type:Boolean,default:void 0},positioningDisabled:{type:Boolean,default:void 0},placement:{type:String,default:void 0},delay:{type:[String,Number,Object],default:void 0},distance:{type:[Number,String],default:void 0},skidding:{type:[Number,String],default:void 0},triggers:{type:Array,default:void 0},showTriggers:{type:[Array,Function],default:void 0},hideTriggers:{type:[Array,Function],default:void 0},popperTriggers:{type:Array,default:void 0},popperShowTriggers:{type:[Array,Function],default:void 0},popperHideTriggers:{type:[Array,Function],default:void 0},container:{type:[String,Object,Element,Boolean],default:void 0},boundary:{type:[String,Element],default:void 0},strategy:{type:String,default:void 0},autoHide:{type:[Boolean,Function],default:void 0},handleResize:{type:Boolean,default:void 0},instantMove:{type:Boolean,default:void 0},eagerMount:{type:Boolean,default:void 0},popperClass:{type:[String,Array,Object],default:void 0},computeTransformOrigin:{type:Boolean,default:void 0},autoMinSize:{type:Boolean,default:void 0},autoSize:{type:[Boolean,String],default:void 0},autoMaxSize:{type:Boolean,default:void 0},autoBoundaryMaxSize:{type:Boolean,default:void 0},preventOverflow:{type:Boolean,default:void 0},overflowPadding:{type:[Number,String],default:void 0},arrowPadding:{type:[Number,String],default:void 0},arrowOverflow:{type:Boolean,default:void 0},flip:{type:Boolean,default:void 0},shift:{type:Boolean,default:void 0},shiftCrossAxis:{type:Boolean,default:void 0},noAutoFocus:{type:Boolean,default:void 0},disposeTimeout:{type:Number,default:void 0}},emits:{show:()=>!0,hide:()=>!0,"update:shown":e=>!0,"apply-show":()=>!0,"apply-hide":()=>!0,"close-group":()=>!0,"close-directive":()=>!0,"auto-hide":()=>!0,resize:()=>!0},computed:{finalTheme(){return this.theme??this.$options.vPopperTheme}},methods:{getTargetNodes(){return Array.from(this.$el.children).filter((e=>e!==this.$refs.popperContent.$el))}}}),[["render",function(e,t,n,o,i,a){const l=(0,r.resolveComponent)("PopperContent"),s=(0,r.resolveComponent)("Popper");return(0,r.openBlock)(),(0,r.createBlock)(s,(0,r.mergeProps)({ref:"popper"},e.$props,{theme:e.finalTheme,"target-nodes":e.getTargetNodes,"popper-node":()=>e.$refs.popperContent.$el,class:[e.themeClass],onShow:t[0]||(t[0]=()=>e.$emit("show")),onHide:t[1]||(t[1]=()=>e.$emit("hide")),"onUpdate:shown":t[2]||(t[2]=t=>e.$emit("update:shown",t)),onApplyShow:t[3]||(t[3]=()=>e.$emit("apply-show")),onApplyHide:t[4]||(t[4]=()=>e.$emit("apply-hide")),onCloseGroup:t[5]||(t[5]=()=>e.$emit("close-group")),onCloseDirective:t[6]||(t[6]=()=>e.$emit("close-directive")),onAutoHide:t[7]||(t[7]=()=>e.$emit("auto-hide")),onResize:t[8]||(t[8]=()=>e.$emit("resize"))}),{default:(0,r.withCtx)((({popperId:t,isShown:n,shouldMountContent:o,skipTransition:i,autoHide:a,show:s,hide:c,handleResize:u,onResize:d,classes:h,result:p})=>[(0,r.renderSlot)(e.$slots,"default",{shown:n,show:s,hide:c}),(0,r.createVNode)(l,{ref:"popperContent","popper-id":t,theme:e.finalTheme,shown:n,mounted:o,"skip-transition":i,"auto-hide":a,"handle-resize":u,classes:h,result:p,onHide:c,onResize:d},{default:(0,r.withCtx)((()=>[(0,r.renderSlot)(e.$slots,"popper",{shown:n,hide:c})])),_:2},1032,["popper-id","theme","shown","mounted","skip-transition","auto-hide","handle-resize","classes","result","onHide","onResize"])])),_:3},16,["theme","target-nodes","popper-node","class"])}]]),Se={..._e,name:"VDropdown",vPopperTheme:"dropdown"},Ne={..._e,name:"VMenu",vPopperTheme:"menu"},Ve={..._e,name:"VTooltip",vPopperTheme:"tooltip"},Le=(0,r.defineComponent)({name:"VTooltipDirective",components:{Popper:re(),PopperContent:Be},mixins:[Me],inheritAttrs:!1,props:{theme:{type:String,default:"tooltip"},html:{type:Boolean,default:e=>j(e.theme,"html")},content:{type:[String,Number,Function],default:null},loadingContent:{type:String,default:e=>j(e.theme,"loadingContent")},targetNodes:{type:Function,required:!0}},data:()=>({asyncContent:null}),computed:{isContentAsync(){return"function"==typeof this.content},loading(){return this.isContentAsync&&null==this.asyncContent},finalContent(){return this.isContentAsync?this.loading?this.loadingContent:this.asyncContent:this.content}},watch:{content:{handler(){this.fetchContent(!0)},immediate:!0},async finalContent(){await this.$nextTick(),this.$refs.popper.onResize()}},created(){this.$_fetchId=0},methods:{fetchContent(e){if("function"==typeof this.content&&this.$_isShown&&(e||!this.$_loading&&null==this.asyncContent)){this.asyncContent=null,this.$_loading=!0;const e=++this.$_fetchId,t=this.content(this);t.then?t.then((t=>this.onResult(e,t))):this.onResult(e,t)}},onResult(e,t){e===this.$_fetchId&&(this.$_loading=!1,this.asyncContent=t)},onShow(){this.$_isShown=!0,this.fetchContent()},onHide(){this.$_isShown=!1}}}),Te=["innerHTML"],Ie=["textContent"];const Ze=pe(Le,[["render",function(e,t,n,o,i,a){const l=(0,r.resolveComponent)("PopperContent"),s=(0,r.resolveComponent)("Popper");return(0,r.openBlock)(),(0,r.createBlock)(s,(0,r.mergeProps)({ref:"popper"},e.$attrs,{theme:e.theme,"target-nodes":e.targetNodes,"popper-node":()=>e.$refs.popperContent.$el,onApplyShow:e.onShow,onApplyHide:e.onHide}),{default:(0,r.withCtx)((({popperId:t,isShown:n,shouldMountContent:o,skipTransition:i,autoHide:a,hide:s,handleResize:c,onResize:u,classes:d,result:h})=>[(0,r.createVNode)(l,{ref:"popperContent",class:(0,r.normalizeClass)({"v-popper--tooltip-loading":e.loading}),"popper-id":t,theme:e.theme,shown:n,mounted:o,"skip-transition":i,"auto-hide":a,"handle-resize":c,classes:d,result:h,onHide:s,onResize:u},{default:(0,r.withCtx)((()=>[e.html?((0,r.openBlock)(),(0,r.createElementBlock)("div",{key:0,innerHTML:e.finalContent},null,8,Te)):((0,r.openBlock)(),(0,r.createElementBlock)("div",{key:1,textContent:(0,r.toDisplayString)(e.finalContent)},null,8,Ie))])),_:2},1032,["class","popper-id","theme","shown","mounted","skip-transition","auto-hide","handle-resize","classes","result","onHide","onResize"])])),_:1},16,["theme","target-nodes","popper-node","onApplyShow","onApplyHide"])}]]),Oe="v-popper--has-tooltip";function De(e,t,n){let r;const o=typeof t;return r="string"===o?{content:t}:t&&"object"===o?t:{content:!1},r.placement=function(e,t){let n=e.placement;if(!n&&t)for(const e of U)t[e]&&(n=e);return n||(n=j(e.theme||"tooltip","placement")),n}(r,n),r.targetNodes=()=>[e],r.referenceNode=()=>e,r}let Re,He,Pe=0;function je(e,t,n){!function(){if(Re)return;He=(0,r.ref)([]),Re=(0,r.createApp)({name:"VTooltipDirectiveApp",setup:()=>({directives:He}),render(){return this.directives.map((e=>(0,r.h)(Ze,{...e.options,shown:e.shown||e.options.shown,key:e.id})))},devtools:{hide:!0}});const e=document.createElement("div");document.body.appendChild(e),Re.mount(e)}();const o=(0,r.ref)(De(e,t,n)),i=(0,r.ref)(!1),a={id:Pe++,options:o,shown:i};return He.value.push(a),e.classList&&e.classList.add(Oe),e.$_popper={options:o,item:a,show(){i.value=!0},hide(){i.value=!1}}}function Fe(e){if(e.$_popper){const t=He.value.indexOf(e.$_popper.item);-1!==t&&He.value.splice(t,1),delete e.$_popper,delete e.$_popperOldShown,delete e.$_popperMountTarget}e.classList&&e.classList.remove(Oe)}function ze(e,{value:t,modifiers:n}){const r=De(e,t,n);if(!r.content||j(r.theme||"tooltip","disabled"))Fe(e);else{let o;e.$_popper?(o=e.$_popper,o.options.value=r):o=je(e,t,n),typeof t.shown<"u"&&t.shown!==e.$_popperOldShown&&(e.$_popperOldShown=t.shown,t.shown?o.show():o.hide())}}const qe={beforeMount:ze,updated:ze,beforeUnmount(e){Fe(e)}};function Ue(e){e.addEventListener("click",We),e.addEventListener("touchstart",Ge,!!z&&{passive:!0})}function $e(e){e.removeEventListener("click",We),e.removeEventListener("touchstart",Ge),e.removeEventListener("touchend",Ke),e.removeEventListener("touchcancel",Ye)}function We(e){const t=e.currentTarget;e.closePopover=!t.$_vclosepopover_touch,e.closeAllPopover=t.$_closePopoverModifiers&&!!t.$_closePopoverModifiers.all}function Ge(e){if(1===e.changedTouches.length){const t=e.currentTarget;t.$_vclosepopover_touch=!0;const n=e.changedTouches[0];t.$_vclosepopover_touchPoint=n,t.addEventListener("touchend",Ke),t.addEventListener("touchcancel",Ye)}}function Ke(e){const t=e.currentTarget;if(t.$_vclosepopover_touch=!1,1===e.changedTouches.length){const n=e.changedTouches[0],r=t.$_vclosepopover_touchPoint;e.closePopover=Math.abs(n.screenY-r.screenY)<20&&Math.abs(n.screenX-r.screenX)<20,e.closeAllPopover=t.$_closePopoverModifiers&&!!t.$_closePopoverModifiers.all}}function Ye(e){e.currentTarget.$_vclosepopover_touch=!1}const Xe={beforeMount(e,{value:t,modifiers:n}){e.$_closePopoverModifiers=n,(typeof t>"u"||t)&&Ue(e)},updated(e,{value:t,oldValue:n,modifiers:r}){e.$_closePopoverModifiers=r,t!==n&&(typeof t>"u"||t?Ue(e):$e(e))},beforeUnmount(e){$e(e)}},Je=_e;const Qe={version:"2.0.0",install:function(e,t={}){e.$_vTooltipInstalled||(e.$_vTooltipInstalled=!0,H(P,t),e.directive("tooltip",qe),e.directive("close-popper",Xe),e.component("VTooltip",Ve),e.component("VDropdown",Se),e.component("VMenu",Ne))},options:P}},25542:(e,t,n)=>{"use strict";n.d(t,{L:()=>i});for(var r=36,o="";r--;)o+=r.toString(36);function i(e){for(var t="",n=e||11;n--;)t+=o[36*Math.random()|0];return t}}}]);
\ No newline at end of file
diff --git a/application/public/vendor/nova/vendor.js.LICENSE.txt b/application/public/vendor/nova/vendor.js.LICENSE.txt
index d0498fb6..35c5eccd 100644
--- a/application/public/vendor/nova/vendor.js.LICENSE.txt
+++ b/application/public/vendor/nova/vendor.js.LICENSE.txt
@@ -483,7 +483,7 @@
 
 /*! #__NO_SIDE_EFFECTS__ */
 
-/*! @license DOMPurify 3.2.0 | (c) Cure53 and other contributors | Released under the Apache license 2.0 and Mozilla Public License 2.0 | github.com/cure53/DOMPurify/blob/3.2.0/LICENSE */
+/*! @license DOMPurify 3.2.3 | (c) Cure53 and other contributors | Released under the Apache license 2.0 and Mozilla Public License 2.0 | github.com/cure53/DOMPurify/blob/3.2.3/LICENSE */
 
 /*! Hammer.JS - v2.0.7 - 2016-04-22
  * http://hammerjs.github.io/
-- 
GitLab